| import type { IncomingMessage, ServerResponse } from 'node:http' |
| import type { |
| InstrumentationOnRequestError, |
| RequestErrorContext, |
| } from '../instrumentation/types' |
| import type { ParsedUrlQuery } from 'node:querystring' |
| import type { UrlWithParsedQuery } from 'node:url' |
| import type { |
| PrerenderManifest, |
| RequiredServerFilesManifest, |
| } from '../../build' |
| import type { DevRoutesManifest } from '../lib/router-utils/setup-dev-bundler' |
| import type { RouteDefinition } from '../route-definitions/route-definition' |
| import type { DeepReadonly } from '../../shared/lib/deep-readonly' |
| import { |
| BUILD_ID_FILE, |
| BUILD_MANIFEST, |
| CLIENT_REFERENCE_MANIFEST, |
| DYNAMIC_CSS_MANIFEST, |
| NEXT_FONT_MANIFEST, |
| PRERENDER_MANIFEST, |
| REACT_LOADABLE_MANIFEST, |
| ROUTES_MANIFEST, |
| SERVER_FILES_MANIFEST, |
| SERVER_REFERENCE_MANIFEST, |
| SUBRESOURCE_INTEGRITY_MANIFEST, |
| } from '../../shared/lib/constants' |
| import { parseReqUrl } from '../../lib/url' |
| import { |
| normalizeLocalePath, |
| type PathLocale, |
| } from '../../shared/lib/i18n/normalize-locale-path' |
| import { isDynamicRoute } from '../../shared/lib/router/utils' |
| import { removePathPrefix } from '../../shared/lib/router/utils/remove-path-prefix' |
| import { getServerUtils } from '../server-utils' |
| import { detectDomainLocale } from '../../shared/lib/i18n/detect-domain-locale' |
| import { getHostname } from '../../shared/lib/get-hostname' |
| import { checkIsOnDemandRevalidate } from '../api-utils' |
| import type { PreviewData } from '../../types' |
| import type { BuildManifest } from '../get-page-files' |
| import type { ReactLoadableManifest } from '../load-components' |
| import type { NextFontManifest } from '../../build/webpack/plugins/next-font-manifest-plugin' |
| import { normalizeDataPath } from '../../shared/lib/page-path/normalize-data-path' |
| import { pathHasPrefix } from '../../shared/lib/router/utils/path-has-prefix' |
| import { addRequestMeta, getRequestMeta } from '../request-meta' |
| import { normalizePagePath } from '../../shared/lib/page-path/normalize-page-path' |
| import { isStaticMetadataRoute } from '../../lib/metadata/is-metadata-route' |
| import { IncrementalCache } from '../lib/incremental-cache' |
| import { initializeCacheHandlers, setCacheHandler } from '../use-cache/handlers' |
| import { interopDefault } from '../app-render/interop-default' |
| import type { RouteKind } from '../route-kind' |
| import type { BaseNextRequest } from '../base-http' |
| import type { I18NConfig, NextConfigComplete } from '../config-shared' |
| import ResponseCache, { type ResponseGenerator } from '../response-cache' |
| import { normalizeAppPath } from '../../shared/lib/router/utils/app-paths' |
| import { |
| RouterServerContextSymbol, |
| routerServerGlobal, |
| type RouterServerContext, |
| } from '../lib/router-utils/router-server-context' |
| import { decodePathParams } from '../lib/router-utils/decode-path-params' |
| import { removeTrailingSlash } from '../../shared/lib/router/utils/remove-trailing-slash' |
| import { isInterceptionRouteRewrite } from '../../lib/generate-interception-routes-rewrites' |
|
|
| |
| |
| |
| |
| |
| export interface RouteModuleOptions< |
| D extends RouteDefinition = RouteDefinition, |
| U = unknown, |
| > { |
| readonly definition: Readonly<D> |
| readonly userland: Readonly<U> |
| readonly distDir: string |
| readonly relativeProjectDir: string |
| } |
|
|
| |
| |
| |
| export interface RouteModuleHandleContext { |
| |
| |
| |
| |
| params: Record<string, string | string[] | undefined> | undefined |
| } |
|
|
| const dynamicImportEsmDefault = (id: string) => |
| import( id).then( |
| (mod) => mod.default || mod |
| ) |
|
|
| |
| |
| |
| |
| export abstract class RouteModule< |
| D extends RouteDefinition = RouteDefinition, |
| U = unknown, |
| > { |
| |
| |
| |
| |
| |
| public readonly userland: Readonly<U> |
|
|
| |
| |
| |
| public readonly definition: Readonly<D> |
|
|
| |
| |
| |
| public static readonly sharedModules: any |
|
|
| public isDev: boolean |
| public distDir: string |
| public isAppRouter?: boolean |
| public relativeProjectDir: string |
| public incrementCache?: IncrementalCache |
| public responseCache?: ResponseCache |
|
|
| constructor({ |
| userland, |
| definition, |
| distDir, |
| relativeProjectDir, |
| }: RouteModuleOptions<D, U>) { |
| this.userland = userland |
| this.definition = definition |
| this.isDev = process.env.NODE_ENV === 'development' |
| this.distDir = distDir |
| this.relativeProjectDir = relativeProjectDir |
| } |
|
|
| public async instrumentationOnRequestError( |
| req: IncomingMessage | BaseNextRequest, |
| ...args: Parameters<InstrumentationOnRequestError> |
| ) { |
| if (process.env.NEXT_RUNTIME === 'edge') { |
| const { getEdgeInstrumentationModule } = await import('../web/globals') |
| const instrumentation = await getEdgeInstrumentationModule() |
|
|
| if (instrumentation) { |
| await instrumentation.onRequestError?.(...args) |
| } |
| } else { |
| const { join } = require('node:path') as typeof import('node:path') |
| const absoluteProjectDir = join( |
| process.cwd(), |
| getRequestMeta(req, 'relativeProjectDir') || this.relativeProjectDir |
| ) |
|
|
| const { instrumentationOnRequestError } = await import( |
| '../lib/router-utils/instrumentation-globals.external.js' |
| ) |
|
|
| return instrumentationOnRequestError( |
| absoluteProjectDir, |
| this.distDir, |
| ...args |
| ) |
| } |
| } |
|
|
| private loadManifests( |
| srcPage: string, |
| projectDir?: string |
| ): { |
| buildId: string |
| buildManifest: BuildManifest |
| fallbackBuildManifest: BuildManifest |
| routesManifest: DeepReadonly<DevRoutesManifest> |
| nextFontManifest: DeepReadonly<NextFontManifest> |
| prerenderManifest: DeepReadonly<PrerenderManifest> |
| serverFilesManifest: RequiredServerFilesManifest |
| reactLoadableManifest: DeepReadonly<ReactLoadableManifest> |
| subresourceIntegrityManifest: any |
| clientReferenceManifest: any |
| serverActionsManifest: any |
| dynamicCssManifest: any |
| interceptionRoutePatterns: RegExp[] |
| } { |
| if (process.env.NEXT_RUNTIME === 'edge') { |
| const { getEdgePreviewProps } = |
| require('../web/get-edge-preview-props') as typeof import('../web/get-edge-preview-props') |
|
|
| const maybeJSONParse = (str?: string) => |
| str ? JSON.parse(str) : undefined |
|
|
| return { |
| buildId: process.env.__NEXT_BUILD_ID || '', |
| buildManifest: self.__BUILD_MANIFEST as any, |
| fallbackBuildManifest: {} as any, |
| reactLoadableManifest: maybeJSONParse(self.__REACT_LOADABLE_MANIFEST), |
| nextFontManifest: maybeJSONParse(self.__NEXT_FONT_MANIFEST), |
| prerenderManifest: { |
| routes: {}, |
| dynamicRoutes: {}, |
| notFoundRoutes: [], |
| version: 4, |
| preview: getEdgePreviewProps(), |
| }, |
| routesManifest: { |
| version: 4, |
| caseSensitive: Boolean(process.env.__NEXT_CASE_SENSITIVE_ROUTES), |
| basePath: process.env.__NEXT_BASE_PATH || '', |
| rewrites: (process.env.__NEXT_REWRITES as any) || { |
| beforeFiles: [], |
| afterFiles: [], |
| fallback: [], |
| }, |
| redirects: [], |
| headers: [], |
| i18n: |
| (process.env.__NEXT_I18N_CONFIG as any as I18NConfig) || undefined, |
| skipMiddlewareUrlNormalize: Boolean( |
| process.env.__NEXT_NO_MIDDLEWARE_URL_NORMALIZE |
| ), |
| }, |
| serverFilesManifest: { |
| config: (globalThis as any).nextConfig || {}, |
| } as any, |
| clientReferenceManifest: self.__RSC_MANIFEST?.[srcPage], |
| serverActionsManifest: maybeJSONParse(self.__RSC_SERVER_MANIFEST), |
| subresourceIntegrityManifest: maybeJSONParse( |
| self.__SUBRESOURCE_INTEGRITY_MANIFEST |
| ), |
| dynamicCssManifest: maybeJSONParse(self.__DYNAMIC_CSS_MANIFEST), |
| interceptionRoutePatterns: ( |
| maybeJSONParse(self.__INTERCEPTION_ROUTE_REWRITE_MANIFEST) ?? [] |
| ).map((rewrite: any) => new RegExp(rewrite.regex)), |
| } |
| } else { |
| if (!projectDir) { |
| throw new Error('Invariant: projectDir is required for node runtime') |
| } |
| const { loadManifestFromRelativePath } = |
| require('../load-manifest.external') as typeof import('../load-manifest.external') |
| const normalizedPagePath = normalizePagePath(srcPage) |
|
|
| const [ |
| routesManifest, |
| prerenderManifest, |
| buildManifest, |
| fallbackBuildManifest, |
| reactLoadableManifest, |
| nextFontManifest, |
| clientReferenceManifest, |
| serverActionsManifest, |
| subresourceIntegrityManifest, |
| serverFilesManifest, |
| buildId, |
| dynamicCssManifest, |
| ] = [ |
| loadManifestFromRelativePath<DevRoutesManifest>({ |
| projectDir, |
| distDir: this.distDir, |
| manifest: ROUTES_MANIFEST, |
| shouldCache: !this.isDev, |
| }), |
| loadManifestFromRelativePath<PrerenderManifest>({ |
| projectDir, |
| distDir: this.distDir, |
| manifest: PRERENDER_MANIFEST, |
| shouldCache: !this.isDev, |
| }), |
| loadManifestFromRelativePath<BuildManifest>({ |
| projectDir, |
| distDir: this.distDir, |
| manifest: BUILD_MANIFEST, |
| shouldCache: !this.isDev, |
| }), |
| srcPage === '/_error' |
| ? loadManifestFromRelativePath<BuildManifest>({ |
| projectDir, |
| distDir: this.distDir, |
| manifest: `fallback-${BUILD_MANIFEST}`, |
| shouldCache: !this.isDev, |
| handleMissing: true, |
| }) |
| : ({} as BuildManifest), |
| loadManifestFromRelativePath<ReactLoadableManifest>({ |
| projectDir, |
| distDir: this.distDir, |
| manifest: process.env.TURBOPACK |
| ? `server/${this.isAppRouter ? 'app' : 'pages'}${normalizedPagePath}/${REACT_LOADABLE_MANIFEST}` |
| : REACT_LOADABLE_MANIFEST, |
| handleMissing: true, |
| shouldCache: !this.isDev, |
| }), |
| loadManifestFromRelativePath<NextFontManifest>({ |
| projectDir, |
| distDir: this.distDir, |
| manifest: `server/${NEXT_FONT_MANIFEST}.json`, |
| shouldCache: !this.isDev, |
| }), |
| this.isAppRouter && !isStaticMetadataRoute(srcPage) |
| ? loadManifestFromRelativePath({ |
| distDir: this.distDir, |
| projectDir, |
| useEval: true, |
| handleMissing: true, |
| manifest: `server/app${srcPage.replace(/%5F/g, '_') + '_' + CLIENT_REFERENCE_MANIFEST}.js`, |
| shouldCache: !this.isDev, |
| }) |
| : undefined, |
| this.isAppRouter |
| ? loadManifestFromRelativePath<any>({ |
| distDir: this.distDir, |
| projectDir, |
| manifest: `server/${SERVER_REFERENCE_MANIFEST}.json`, |
| handleMissing: true, |
| shouldCache: !this.isDev, |
| }) |
| : {}, |
| loadManifestFromRelativePath<Record<string, string>>({ |
| projectDir, |
| distDir: this.distDir, |
| manifest: `server/${SUBRESOURCE_INTEGRITY_MANIFEST}.json`, |
| handleMissing: true, |
| shouldCache: !this.isDev, |
| }), |
| this.isDev |
| ? ({} as any) |
| : loadManifestFromRelativePath<RequiredServerFilesManifest>({ |
| projectDir, |
| distDir: this.distDir, |
| manifest: SERVER_FILES_MANIFEST, |
| }), |
| this.isDev |
| ? 'development' |
| : loadManifestFromRelativePath<any>({ |
| projectDir, |
| distDir: this.distDir, |
| manifest: BUILD_ID_FILE, |
| skipParse: true, |
| }), |
| loadManifestFromRelativePath<any>({ |
| projectDir, |
| distDir: this.distDir, |
| manifest: DYNAMIC_CSS_MANIFEST, |
| handleMissing: true, |
| }), |
| ] |
|
|
| return { |
| buildId, |
| buildManifest, |
| fallbackBuildManifest, |
| routesManifest, |
| nextFontManifest, |
| prerenderManifest, |
| serverFilesManifest, |
| reactLoadableManifest, |
| clientReferenceManifest: (clientReferenceManifest as any) |
| ?.__RSC_MANIFEST?.[srcPage.replace(/%5F/g, '_')], |
| serverActionsManifest, |
| subresourceIntegrityManifest, |
| dynamicCssManifest, |
| interceptionRoutePatterns: routesManifest.rewrites.beforeFiles |
| .filter(isInterceptionRouteRewrite) |
| .map((rewrite) => new RegExp(rewrite.regex)), |
| } |
| } |
| } |
|
|
| public async loadCustomCacheHandlers( |
| req: IncomingMessage | BaseNextRequest, |
| nextConfig: NextConfigComplete |
| ) { |
| if (process.env.NEXT_RUNTIME !== 'edge') { |
| const { cacheHandlers } = nextConfig.experimental |
| if (!cacheHandlers) return |
|
|
| |
| |
| if (!initializeCacheHandlers()) return |
|
|
| for (const [kind, handler] of Object.entries(cacheHandlers)) { |
| if (!handler) continue |
|
|
| const { formatDynamicImportPath } = |
| require('../../lib/format-dynamic-import-path') as typeof import('../../lib/format-dynamic-import-path') |
|
|
| const { join } = require('node:path') as typeof import('node:path') |
| const absoluteProjectDir = join( |
| process.cwd(), |
| getRequestMeta(req, 'relativeProjectDir') || this.relativeProjectDir |
| ) |
|
|
| setCacheHandler( |
| kind, |
| interopDefault( |
| await dynamicImportEsmDefault( |
| formatDynamicImportPath( |
| `${absoluteProjectDir}/${this.distDir}`, |
| handler |
| ) |
| ) |
| ) |
| ) |
| } |
| } |
| } |
|
|
| public async getIncrementalCache( |
| req: IncomingMessage | BaseNextRequest, |
| nextConfig: NextConfigComplete, |
| prerenderManifest: DeepReadonly<PrerenderManifest> |
| ): Promise<IncrementalCache> { |
| if (process.env.NEXT_RUNTIME === 'edge') { |
| return (globalThis as any).__incrementalCache |
| } else { |
| let CacheHandler: any |
| const { cacheHandler } = nextConfig |
|
|
| if (cacheHandler) { |
| const { formatDynamicImportPath } = |
| require('../../lib/format-dynamic-import-path') as typeof import('../../lib/format-dynamic-import-path') |
|
|
| CacheHandler = interopDefault( |
| await dynamicImportEsmDefault( |
| formatDynamicImportPath(this.distDir, cacheHandler) |
| ) |
| ) |
| } |
| const { join } = require('node:path') as typeof import('node:path') |
| const projectDir = join( |
| process.cwd(), |
| getRequestMeta(req, 'relativeProjectDir') || this.relativeProjectDir |
| ) |
|
|
| await this.loadCustomCacheHandlers(req, nextConfig) |
|
|
| |
| |
| |
| return new IncrementalCache({ |
| fs: ( |
| require('../lib/node-fs-methods') as typeof import('../lib/node-fs-methods') |
| ).nodeFs, |
| dev: this.isDev, |
| requestHeaders: req.headers, |
| allowedRevalidateHeaderKeys: |
| nextConfig.experimental.allowedRevalidateHeaderKeys, |
| minimalMode: getRequestMeta(req, 'minimalMode'), |
| serverDistDir: `${projectDir}/${this.distDir}/server`, |
| fetchCacheKeyPrefix: nextConfig.experimental.fetchCacheKeyPrefix, |
| maxMemoryCacheSize: nextConfig.cacheMaxMemorySize, |
| flushToDisk: nextConfig.experimental.isrFlushToDisk, |
| getPrerenderManifest: () => prerenderManifest, |
| CurCacheHandler: CacheHandler, |
| }) |
| } |
| } |
|
|
| public async onRequestError( |
| req: IncomingMessage | BaseNextRequest, |
| err: unknown, |
| errorContext: RequestErrorContext, |
| routerServerContext?: RouterServerContext[string] |
| ) { |
| if (routerServerContext?.logErrorWithOriginalStack) { |
| routerServerContext.logErrorWithOriginalStack(err, 'app-dir') |
| } else { |
| console.error(err) |
| } |
| await this.instrumentationOnRequestError( |
| req, |
| err, |
| { |
| path: req.url || '/', |
| headers: req.headers, |
| method: req.method || 'GET', |
| }, |
| errorContext |
| ) |
| } |
|
|
| public async prepare( |
| req: IncomingMessage | BaseNextRequest, |
| res: ServerResponse | null, |
| { |
| srcPage, |
| multiZoneDraftMode, |
| }: { |
| srcPage: string |
| multiZoneDraftMode?: boolean |
| } |
| ): Promise< |
| | { |
| buildId: string |
| locale?: string |
| locales?: readonly string[] |
| defaultLocale?: string |
| query: ParsedUrlQuery |
| originalQuery: ParsedUrlQuery |
| originalPathname: string |
| params?: ParsedUrlQuery |
| parsedUrl: UrlWithParsedQuery |
| previewData: PreviewData |
| pageIsDynamic: boolean |
| isDraftMode: boolean |
| resolvedPathname: string |
| isNextDataRequest: boolean |
| buildManifest: DeepReadonly<BuildManifest> |
| fallbackBuildManifest: DeepReadonly<BuildManifest> |
| nextFontManifest: DeepReadonly<NextFontManifest> |
| serverFilesManifest: DeepReadonly<RequiredServerFilesManifest> |
| reactLoadableManifest: DeepReadonly<ReactLoadableManifest> |
| routesManifest: DeepReadonly<DevRoutesManifest> |
| prerenderManifest: DeepReadonly<PrerenderManifest> |
| |
| |
| clientReferenceManifest?: any |
| serverActionsManifest?: any |
| dynamicCssManifest?: any |
| subresourceIntegrityManifest?: DeepReadonly<Record<string, string>> |
| isOnDemandRevalidate: boolean |
| revalidateOnlyGenerated: boolean |
| nextConfig: NextConfigComplete |
| routerServerContext?: RouterServerContext[string] |
| interceptionRoutePatterns?: any |
| } |
| | undefined |
| > { |
| let absoluteProjectDir: string | undefined |
|
|
| |
| if (process.env.NEXT_RUNTIME !== 'edge') { |
| const { join, relative } = |
| require('node:path') as typeof import('node:path') |
|
|
| absoluteProjectDir = join( |
| process.cwd(), |
| getRequestMeta(req, 'relativeProjectDir') || this.relativeProjectDir |
| ) |
|
|
| const absoluteDistDir = getRequestMeta(req, 'distDir') |
|
|
| if (absoluteDistDir) { |
| this.distDir = relative(absoluteProjectDir, absoluteDistDir) |
| } |
| const { ensureInstrumentationRegistered } = await import( |
| '../lib/router-utils/instrumentation-globals.external.js' |
| ) |
| |
| |
| ensureInstrumentationRegistered(absoluteProjectDir, this.distDir) |
| } |
| const manifests = await this.loadManifests(srcPage, absoluteProjectDir) |
| const { routesManifest, prerenderManifest, serverFilesManifest } = manifests |
|
|
| const { basePath, i18n, rewrites } = routesManifest |
|
|
| if (basePath) { |
| req.url = removePathPrefix(req.url || '/', basePath) |
| } |
|
|
| const parsedUrl = parseReqUrl(req.url || '/') |
| |
| if (!parsedUrl) { |
| return |
| } |
| let isNextDataRequest = false |
|
|
| if (pathHasPrefix(parsedUrl.pathname || '/', '/_next/data')) { |
| isNextDataRequest = true |
| parsedUrl.pathname = normalizeDataPath(parsedUrl.pathname || '/') |
| } |
| let originalPathname = parsedUrl.pathname || '/' |
| const originalQuery = { ...parsedUrl.query } |
| const pageIsDynamic = isDynamicRoute(srcPage) |
|
|
| let localeResult: PathLocale | undefined |
| let detectedLocale: string | undefined |
|
|
| if (i18n) { |
| localeResult = normalizeLocalePath( |
| parsedUrl.pathname || '/', |
| i18n.locales |
| ) |
|
|
| if (localeResult.detectedLocale) { |
| req.url = `${localeResult.pathname}${parsedUrl.search}` |
| originalPathname = localeResult.pathname |
|
|
| if (!detectedLocale) { |
| detectedLocale = localeResult.detectedLocale |
| } |
| } |
| } |
|
|
| const serverUtils = getServerUtils({ |
| page: srcPage, |
| i18n, |
| basePath, |
| rewrites, |
| pageIsDynamic, |
| trailingSlash: process.env.__NEXT_TRAILING_SLASH as any as boolean, |
| caseSensitive: Boolean(routesManifest.caseSensitive), |
| }) |
|
|
| const domainLocale = detectDomainLocale( |
| i18n?.domains, |
| getHostname(parsedUrl, req.headers), |
| detectedLocale |
| ) |
| addRequestMeta(req, 'isLocaleDomain', Boolean(domainLocale)) |
|
|
| const defaultLocale = domainLocale?.defaultLocale || i18n?.defaultLocale |
|
|
| |
| |
| if (defaultLocale && !detectedLocale) { |
| parsedUrl.pathname = `/${defaultLocale}${parsedUrl.pathname === '/' ? '' : parsedUrl.pathname}` |
| } |
| const locale = |
| getRequestMeta(req, 'locale') || detectedLocale || defaultLocale |
|
|
| const rewriteParamKeys = Object.keys( |
| serverUtils.handleRewrites(req, parsedUrl) |
| ) |
|
|
| |
| |
| if (i18n) { |
| parsedUrl.pathname = normalizeLocalePath( |
| parsedUrl.pathname || '/', |
| i18n.locales |
| ).pathname |
| } |
|
|
| let params: Record<string, undefined | string | string[]> | undefined = |
| getRequestMeta(req, 'params') |
|
|
| |
| if (!params && serverUtils.dynamicRouteMatcher) { |
| const paramsMatch = serverUtils.dynamicRouteMatcher( |
| normalizeDataPath(localeResult?.pathname || parsedUrl.pathname || '/') |
| ) |
| const paramsResult = serverUtils.normalizeDynamicRouteParams( |
| paramsMatch || {}, |
| true |
| ) |
|
|
| if (paramsResult.hasValidParams) { |
| params = paramsResult.params |
| } |
| } |
|
|
| |
| |
| |
|
|
| |
| |
| |
| |
| |
| const query = getRequestMeta(req, 'query') || { |
| ...parsedUrl.query, |
| } |
|
|
| const routeParamKeys = new Set<string>() |
| const combinedParamKeys = [] |
|
|
| |
| |
| |
| |
| if (!this.isAppRouter) { |
| for (const key of [ |
| ...rewriteParamKeys, |
| ...Object.keys(serverUtils.defaultRouteMatches || {}), |
| ]) { |
| |
| |
| |
| |
| |
| |
| const originalValue = Array.isArray(originalQuery[key]) |
| ? originalQuery[key].join('') |
| : originalQuery[key] |
|
|
| const queryValue = Array.isArray(query[key]) |
| ? query[key].join('') |
| : query[key] |
|
|
| if (!(key in originalQuery) || originalValue === queryValue) { |
| combinedParamKeys.push(key) |
| } |
| } |
| } |
|
|
| serverUtils.normalizeCdnUrl(req, combinedParamKeys) |
| serverUtils.normalizeQueryParams(query, routeParamKeys) |
| serverUtils.filterInternalQuery(originalQuery, combinedParamKeys) |
|
|
| if (pageIsDynamic) { |
| const queryResult = serverUtils.normalizeDynamicRouteParams(query, true) |
|
|
| const paramsResult = serverUtils.normalizeDynamicRouteParams( |
| params || {}, |
| true |
| ) |
| const paramsToInterpolate: ParsedUrlQuery = |
| paramsResult.hasValidParams && params |
| ? params |
| : queryResult.hasValidParams |
| ? query |
| : {} |
|
|
| req.url = serverUtils.interpolateDynamicPath( |
| req.url || '/', |
| paramsToInterpolate |
| ) |
| parsedUrl.pathname = serverUtils.interpolateDynamicPath( |
| parsedUrl.pathname || '/', |
| paramsToInterpolate |
| ) |
| originalPathname = serverUtils.interpolateDynamicPath( |
| originalPathname, |
| paramsToInterpolate |
| ) |
|
|
| |
| if (!params) { |
| if (queryResult.hasValidParams) { |
| params = Object.assign({}, queryResult.params) |
|
|
| |
| |
| for (const key in serverUtils.defaultRouteMatches) { |
| delete query[key] |
| } |
| } else { |
| |
| const paramsMatch = serverUtils.dynamicRouteMatcher?.( |
| normalizeDataPath( |
| localeResult?.pathname || parsedUrl.pathname || '/' |
| ) |
| ) |
| |
| |
| |
| if (paramsMatch) { |
| params = Object.assign({}, paramsMatch) |
| } |
| } |
| } |
| } |
|
|
| |
| |
| |
| for (const key of routeParamKeys) { |
| if (!(key in originalQuery)) { |
| delete query[key] |
| } |
| } |
|
|
| const { isOnDemandRevalidate, revalidateOnlyGenerated } = |
| checkIsOnDemandRevalidate(req, prerenderManifest.preview) |
|
|
| let isDraftMode = false |
| let previewData: PreviewData |
|
|
| |
| if (process.env.NEXT_RUNTIME !== 'edge' && res) { |
| const { tryGetPreviewData } = |
| require('../api-utils/node/try-get-preview-data') as typeof import('../api-utils/node/try-get-preview-data') |
|
|
| previewData = tryGetPreviewData( |
| req, |
| res, |
| prerenderManifest.preview, |
| Boolean(multiZoneDraftMode) |
| ) |
| isDraftMode = previewData !== false |
| } |
|
|
| const relativeProjectDir = |
| getRequestMeta(req, 'relativeProjectDir') || this.relativeProjectDir |
|
|
| const routerServerContext = |
| routerServerGlobal[RouterServerContextSymbol]?.[relativeProjectDir] |
| const nextConfig = |
| routerServerContext?.nextConfig || serverFilesManifest.config |
|
|
| const normalizedSrcPage = normalizeAppPath(srcPage) |
| let resolvedPathname = |
| getRequestMeta(req, 'rewroteURL') || normalizedSrcPage |
|
|
| if (isDynamicRoute(resolvedPathname) && params) { |
| resolvedPathname = serverUtils.interpolateDynamicPath( |
| resolvedPathname, |
| params |
| ) |
| } |
|
|
| if (resolvedPathname === '/index') { |
| resolvedPathname = '/' |
| } |
| try { |
| resolvedPathname = decodePathParams(resolvedPathname) |
| } catch (_) {} |
|
|
| resolvedPathname = removeTrailingSlash(resolvedPathname) |
|
|
| return { |
| query, |
| originalQuery, |
| originalPathname, |
| params, |
| parsedUrl, |
| locale, |
| isNextDataRequest, |
| locales: i18n?.locales, |
| defaultLocale, |
| isDraftMode, |
| previewData, |
| pageIsDynamic, |
| resolvedPathname, |
| isOnDemandRevalidate, |
| revalidateOnlyGenerated, |
| ...manifests, |
| serverActionsManifest: manifests.serverActionsManifest, |
| clientReferenceManifest: manifests.clientReferenceManifest, |
| nextConfig, |
| routerServerContext, |
| } |
| } |
|
|
| public getResponseCache(req: IncomingMessage | BaseNextRequest) { |
| if (!this.responseCache) { |
| const minimalMode = getRequestMeta(req, 'minimalMode') ?? false |
| this.responseCache = new ResponseCache(minimalMode) |
| } |
| return this.responseCache |
| } |
|
|
| public async handleResponse({ |
| req, |
| nextConfig, |
| cacheKey, |
| routeKind, |
| isFallback, |
| prerenderManifest, |
| isRoutePPREnabled, |
| isOnDemandRevalidate, |
| revalidateOnlyGenerated, |
| responseGenerator, |
| waitUntil, |
| }: { |
| req: IncomingMessage | BaseNextRequest |
| nextConfig: NextConfigComplete |
| cacheKey: string | null |
| routeKind: RouteKind |
| isFallback?: boolean |
| prerenderManifest: DeepReadonly<PrerenderManifest> |
| isRoutePPREnabled?: boolean |
| isOnDemandRevalidate?: boolean |
| revalidateOnlyGenerated?: boolean |
| responseGenerator: ResponseGenerator |
| waitUntil?: (prom: Promise<any>) => void |
| }) { |
| const responseCache = this.getResponseCache(req) |
| const cacheEntry = await responseCache.get(cacheKey, responseGenerator, { |
| routeKind, |
| isFallback, |
| isRoutePPREnabled, |
| isOnDemandRevalidate, |
| isPrefetch: req.headers.purpose === 'prefetch', |
| incrementalCache: await this.getIncrementalCache( |
| req, |
| nextConfig, |
| prerenderManifest |
| ), |
| waitUntil, |
| }) |
|
|
| if (!cacheEntry) { |
| if ( |
| cacheKey && |
| |
| !(isOnDemandRevalidate && revalidateOnlyGenerated) |
| ) { |
| |
| |
| |
| |
| |
| throw new Error('invariant: cache entry required but not generated') |
| } |
| } |
| return cacheEntry |
| } |
| } |
|
|