File size: 5,207 Bytes
1e92f2d |
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 |
import type { IncomingHttpHeaders } from 'node:http'
import { parse, type UrlWithParsedQuery } from 'node:url'
import { match } from 'next/dist/compiled/path-to-regexp'
import {
matchHas,
prepareDestination,
} from '../../../shared/lib/router/utils/prepare-destination'
import { buildCustomRoute } from '../../../lib/build-custom-route'
import loadCustomRoutes from '../../../lib/load-custom-routes'
import type { NextConfig } from '../../../server/config-shared'
import { NextResponse } from '../../../server/web/exports'
import { getRedirectStatus } from '../../../lib/redirect-status'
import type {
ManifestHeaderRoute,
ManifestRedirectRoute,
ManifestRewriteRoute,
} from '../../../build'
import type { BaseNextRequest } from '../../../server/base-http'
import type { Params } from '../../../server/request/params'
import { constructRequest } from './utils'
import { parsedUrlQueryToParams } from '../../../server/route-modules/app-route/helpers/parsed-url-query-to-params'
/**
* Tries to match the current request against the provided route. If there is
* a match, it returns the params extracted from the path. If not, it returns
* undefined.
*/
function matchRoute(
route: ManifestHeaderRoute | ManifestRedirectRoute | ManifestRewriteRoute,
request: BaseNextRequest,
parsedUrl: UrlWithParsedQuery
): Params | undefined {
const pathname = parsedUrl.pathname
if (!pathname) {
return
}
const regexMatches = pathname?.match(route.regex)
if (regexMatches) {
const pathMatch = match<Params>(route.source)(pathname)
if (!pathMatch) {
throw new Error(
'Unexpected error: extracting params from path failed but the regular expression matched'
)
}
if (route.has || route.missing) {
if (!matchHas(request, parsedUrl.query, route.has, route.missing)) {
return
}
}
return pathMatch.params
}
}
/**
* Tests the logic of `headers`, `redirects`, and `rewrites` in `next.config.js`.
* Given the provided next config, this function will return a `NextResponse`
* with the result of running the request through the custom routes.
*
* @example Test whether a given URL results in a redirect.
* ```
* import { unstable_getResponseFromNextConfig, getRedirectUrl } from 'next/server/testing'
* const response = await unstable_getResponseFromNextConfig({
* url: 'https://nextjs.org/test',
* nextConfig: {
* async redirects() {
* return [
* { source: '/test', destination: '/test2', permanent: false },
* ]
* },
* }
* });
* expect(response.status).toEqual(307);
* expect(getRedirectUrl(response)).toEqual('https://nextjs.org/test2');
* ```
*/
export async function unstable_getResponseFromNextConfig({
url,
nextConfig,
headers = {},
cookies = {},
}: {
url: string
nextConfig: NextConfig
headers?: IncomingHttpHeaders
cookies?: Record<string, string>
}): Promise<NextResponse> {
const parsedUrl = parse(url, true)
const request = constructRequest({ url, headers, cookies })
const routes = await loadCustomRoutes(nextConfig)
const headerRoutes = routes.headers.map((route) =>
buildCustomRoute('header', route)
)
const redirectRoutes = routes.redirects.map((route) =>
buildCustomRoute('redirect', route, ['/_next/'])
)
const rewriteRoutes = [
...routes.rewrites.beforeFiles,
...routes.rewrites.afterFiles,
...routes.rewrites.fallback,
].map((route) => buildCustomRoute('rewrite', route))
const respHeaders: Record<string, string> = {}
for (const route of headerRoutes) {
const matched = matchRoute(route, request, parsedUrl)
if (matched) {
for (const header of route.headers) {
respHeaders[header.key] = header.value
}
}
}
function matchRouteAndGetDestination(
route: ManifestRedirectRoute | ManifestRewriteRoute
): URL | undefined {
const params = matchRoute(route, request, parsedUrl)
if (!params) {
return
}
const { newUrl, parsedDestination } = prepareDestination({
appendParamsToQuery: false,
destination: route.destination,
params,
query: parsedUrl.query,
})
const searchParams = new URLSearchParams(
parsedUrlQueryToParams(parsedDestination.query) as Record<string, string>
)
return new URL(
searchParams.size > 0 ? `${newUrl}?${searchParams.toString()}` : newUrl,
parsedDestination.hostname
? `${parsedDestination.protocol}//${parsedDestination.hostname}`
: parsedUrl.host
? `${parsedUrl.protocol}//${parsedUrl.host}`
: 'https://example.com'
)
}
for (const route of redirectRoutes) {
const redirectUrl = matchRouteAndGetDestination(route)
if (!redirectUrl) {
continue
}
const statusCode = getRedirectStatus(route)
return NextResponse.redirect(redirectUrl, {
status: statusCode,
headers: respHeaders,
})
}
for (const route of rewriteRoutes) {
const rewriteUrl = matchRouteAndGetDestination(route)
if (!rewriteUrl) {
continue
}
return NextResponse.rewrite(rewriteUrl, {
headers: respHeaders,
})
}
return new NextResponse('', { status: 200, headers: respHeaders })
}
|