Skip to content

Commit a1eaca3

Browse files
eduardoboucasorinokailukasholzer
authored
feat: support edge middleware (#114)
* feat: build time edge runtime * chore: update middleware test fixture * fix: remove pattern array for now * chore: update tests with middleware scenarios * chore: fix fixture build errors * feat: support edge middleware * chore: update comment * chore: remove `.only` * fix: stop caching resolved paths * chore: fix test * chore: add e2e test * fix: use correct runtime directory * chore: add E2E test * Apply suggestions from code review Co-authored-by: Lukas Holzer <[email protected]> * chore: remove dead code * chore: document `E2E_PERSIST` --------- Co-authored-by: Rob Stanford <[email protected]> Co-authored-by: Lukas Holzer <[email protected]>
1 parent aaf12cc commit a1eaca3

26 files changed

+848
-201
lines changed

.gitignore

+1
Original file line numberDiff line numberDiff line change
@@ -1,6 +1,7 @@
11
node_modules/
22
dist/
33
.next
4+
edge-runtime/vendor
45

56
# Local Netlify folder
67
.netlify

README.md

+3
Original file line numberDiff line numberDiff line change
@@ -46,6 +46,9 @@ following:
4646
up. In case of a failure, the deploy won't be cleaned up to leave it for troubleshooting
4747
purposes.
4848

49+
> [!TIP] If you'd like to always keep the deployment and the local fixture around for
50+
> troubleshooting, run `E2E_PERSIST=1 npm run e2e`.
51+
4952
#### cleanup old deploys
5053

5154
To cleanup old and dangling deploys from failed builds you can run the following script:

deno.json

+5-1
Original file line numberDiff line numberDiff line change
@@ -3,5 +3,9 @@
33
"files": {
44
"include": ["edge-runtime/middleware.ts"]
55
}
6-
}
6+
},
7+
"imports": {
8+
"@netlify/edge-functions": "https://edge.netlify.com/v1/index.ts"
9+
},
10+
"importMap": "./edge-runtime/vendor/import_map.json"
711
}

edge-runtime/README.md

+29
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,29 @@
1+
# Edge runtime
2+
3+
This directory contains the logic required to create Netlify Edge Functions to support a Next.js
4+
site.
5+
6+
It stands out from the rest of the project because it contains files that run in Deno, not Node.js.
7+
Therefore any files within `edge-runtime/` should not be imported from anywhere outside this
8+
directory.
9+
10+
There are a few sub-directories you should know about.
11+
12+
## `lib/`
13+
14+
Files that are imported by the generated edge functions.
15+
16+
## `shim/`
17+
18+
Files that are inlined in the generated edge functions. This means that _you must not import these
19+
files_ from anywhere in the application, because they contain just fragments of a valid program.
20+
21+
## `vendor/`
22+
23+
Third-party dependencies used in the generated edge functions and pulled in ahead of time to avoid a
24+
build time dependency on any package registry.
25+
26+
This directory is automatically managed by the build script and can be re-generated by running
27+
`npm run build`.
28+
29+
You should not commit this directory to version control.

edge-runtime/lib/headers.ts

+26
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,26 @@
1+
// Next 13 supports request header mutations and has the side effect of prepending header values with 'x-middleware-request'
2+
// as part of invoking NextResponse.next() in the middleware. We need to remove that before sending the response the user
3+
// as the code that removes it in Next isn't run based on how we handle the middleware
4+
//
5+
// Related Next.js code:
6+
// * https://github.com/vercel/next.js/blob/68d06fe015b28d8f81da52ca107a5f4bd72ab37c/packages/next/server/next-server.ts#L1918-L1928
7+
// * https://github.com/vercel/next.js/blob/43c9d8940dc42337dd2f7d66aa90e6abf952278e/packages/next/server/web/spec-extension/response.ts#L10-L27
8+
export function updateModifiedHeaders(requestHeaders: Headers, responseHeaders: Headers) {
9+
const overriddenHeaders = responseHeaders.get('x-middleware-override-headers')
10+
11+
if (!overriddenHeaders) {
12+
return
13+
}
14+
15+
const headersToUpdate = overriddenHeaders.split(',').map((header) => header.trim())
16+
17+
for (const header of headersToUpdate) {
18+
const oldHeaderKey = 'x-middleware-request-' + header
19+
const headerValue = responseHeaders.get(oldHeaderKey) || ''
20+
21+
requestHeaders.set(header, headerValue)
22+
responseHeaders.delete(oldHeaderKey)
23+
}
24+
25+
responseHeaders.delete('x-middleware-override-headers')
26+
}

edge-runtime/lib/middleware.ts

+60
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,60 @@
1+
import type { Context } from '@netlify/edge-functions'
2+
3+
import { ElementHandlers } from '../vendor/deno.land/x/[email protected]/index.ts'
4+
5+
type NextDataTransform = <T>(data: T) => T
6+
7+
interface ResponseCookies {
8+
// This is non-standard that Next.js adds.
9+
// https://github.com/vercel/next.js/blob/de08f8b3d31ef45131dad97a7d0e95fa01001167/packages/next/src/compiled/@edge-runtime/cookies/index.js#L158
10+
readonly _headers: Headers
11+
}
12+
13+
interface MiddlewareResponse extends Response {
14+
originResponse: Response
15+
dataTransforms: NextDataTransform[]
16+
elementHandlers: Array<[selector: string, handlers: ElementHandlers]>
17+
get cookies(): ResponseCookies
18+
}
19+
20+
interface MiddlewareRequest {
21+
request: Request
22+
context: Context
23+
originalRequest: Request
24+
next(): Promise<MiddlewareResponse>
25+
rewrite(destination: string | URL, init?: ResponseInit): Response
26+
}
27+
28+
export function isMiddlewareRequest(
29+
response: Response | MiddlewareRequest,
30+
): response is MiddlewareRequest {
31+
return 'originalRequest' in response
32+
}
33+
34+
export function isMiddlewareResponse(
35+
response: Response | MiddlewareResponse,
36+
): response is MiddlewareResponse {
37+
return 'dataTransforms' in response
38+
}
39+
40+
export const addMiddlewareHeaders = async (
41+
originResponse: Promise<Response> | Response,
42+
middlewareResponse: Response,
43+
) => {
44+
// If there are extra headers, we need to add them to the response.
45+
if ([...middlewareResponse.headers.keys()].length === 0) {
46+
return originResponse
47+
}
48+
49+
// We need to await the response to get the origin headers, then we can add the ones from middleware.
50+
const res = await originResponse
51+
const response = new Response(res.body, res)
52+
middlewareResponse.headers.forEach((value, key) => {
53+
if (key === 'set-cookie') {
54+
response.headers.append(key, value)
55+
} else {
56+
response.headers.set(key, value)
57+
}
58+
})
59+
return response
60+
}

edge-runtime/lib/next-request.ts

+59
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,59 @@
1+
import type { Context } from '@netlify/edge-functions'
2+
3+
interface I18NConfig {
4+
defaultLocale: string
5+
localeDetection?: false
6+
locales: string[]
7+
}
8+
9+
export interface RequestData {
10+
geo?: {
11+
city?: string
12+
country?: string
13+
region?: string
14+
latitude?: string
15+
longitude?: string
16+
timezone?: string
17+
}
18+
headers: Record<string, string>
19+
ip?: string
20+
method: string
21+
nextConfig?: {
22+
basePath?: string
23+
i18n?: I18NConfig | null
24+
trailingSlash?: boolean
25+
}
26+
page?: {
27+
name?: string
28+
params?: { [key: string]: string }
29+
}
30+
url: string
31+
body?: ReadableStream<Uint8Array>
32+
}
33+
34+
export const buildNextRequest = (
35+
request: Request,
36+
context: Context,
37+
nextConfig?: RequestData['nextConfig'],
38+
): RequestData => {
39+
const { url, method, body, headers } = request
40+
const { country, subdivision, city, latitude, longitude, timezone } = context.geo
41+
const geo: RequestData['geo'] = {
42+
country: country?.code,
43+
region: subdivision?.code,
44+
city,
45+
latitude: latitude?.toString(),
46+
longitude: longitude?.toString(),
47+
timezone,
48+
}
49+
50+
return {
51+
headers: Object.fromEntries(headers.entries()),
52+
geo,
53+
url,
54+
method,
55+
ip: context.ip,
56+
body: body ?? undefined,
57+
nextConfig,
58+
}
59+
}

edge-runtime/lib/response.ts

+145
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,145 @@
1+
import type { Context } from '@netlify/edge-functions'
2+
import { HTMLRewriter } from '../vendor/deno.land/x/[email protected]/index.ts'
3+
4+
import { updateModifiedHeaders } from './headers.ts'
5+
import { normalizeDataUrl, relativizeURL } from './util.ts'
6+
import { addMiddlewareHeaders, isMiddlewareRequest, isMiddlewareResponse } from './middleware.ts'
7+
8+
export interface FetchEventResult {
9+
response: Response
10+
waitUntil: Promise<any>
11+
}
12+
13+
export const buildResponse = async ({
14+
result,
15+
request,
16+
context,
17+
}: {
18+
result: FetchEventResult
19+
request: Request
20+
context: Context
21+
}) => {
22+
updateModifiedHeaders(request.headers, result.response.headers)
23+
24+
// They've returned the MiddlewareRequest directly, so we'll call `next()` for them.
25+
if (isMiddlewareRequest(result.response)) {
26+
result.response = await result.response.next()
27+
}
28+
29+
if (isMiddlewareResponse(result.response)) {
30+
const { response } = result
31+
if (request.method === 'HEAD' || request.method === 'OPTIONS') {
32+
return response.originResponse
33+
}
34+
35+
// NextResponse doesn't set cookies onto the originResponse, so we need to copy them over
36+
// In some cases, it's possible there are no headers set. See https://github.com/netlify/pod-ecosystem-frameworks/issues/475
37+
if (response.cookies._headers?.has('set-cookie')) {
38+
response.originResponse.headers.set(
39+
'set-cookie',
40+
response.cookies._headers.get('set-cookie')!,
41+
)
42+
}
43+
44+
// If it's JSON we don't need to use the rewriter, we can just parse it
45+
if (response.originResponse.headers.get('content-type')?.includes('application/json')) {
46+
const props = await response.originResponse.json()
47+
const transformed = response.dataTransforms.reduce((prev, transform) => {
48+
return transform(prev)
49+
}, props)
50+
const body = JSON.stringify(transformed)
51+
const headers = new Headers(response.headers)
52+
headers.set('content-length', String(body.length))
53+
54+
return Response.json(transformed, { ...response, headers })
55+
}
56+
57+
// This var will hold the contents of the script tag
58+
let buffer = ''
59+
// Create an HTMLRewriter that matches the Next data script tag
60+
const rewriter = new HTMLRewriter()
61+
62+
if (response.dataTransforms.length > 0) {
63+
rewriter.on('script[id="__NEXT_DATA__"]', {
64+
text(textChunk) {
65+
// Grab all the chunks in the Next data script tag
66+
buffer += textChunk.text
67+
if (textChunk.lastInTextNode) {
68+
try {
69+
// When we have all the data, try to parse it as JSON
70+
const data = JSON.parse(buffer.trim())
71+
// Apply all of the transforms to the props
72+
const props = response.dataTransforms.reduce(
73+
(prev, transform) => transform(prev),
74+
data.props,
75+
)
76+
// Replace the data with the transformed props
77+
// With `html: true` the input is treated as raw HTML
78+
// @see https://developers.cloudflare.com/workers/runtime-apis/html-rewriter/#global-types
79+
textChunk.replace(JSON.stringify({ ...data, props }), { html: true })
80+
} catch (err) {
81+
console.log('Could not parse', err)
82+
}
83+
} else {
84+
// Remove the chunk after we've appended it to the buffer
85+
textChunk.remove()
86+
}
87+
},
88+
})
89+
}
90+
91+
if (response.elementHandlers.length > 0) {
92+
response.elementHandlers.forEach(([selector, handlers]) => rewriter.on(selector, handlers))
93+
}
94+
return rewriter.transform(response.originResponse)
95+
}
96+
const res = new Response(result.response.body, result.response)
97+
request.headers.set('x-nf-next-middleware', 'skip')
98+
99+
const rewrite = res.headers.get('x-middleware-rewrite')
100+
101+
// Data requests (i.e. requests for /_next/data ) need special handling
102+
const isDataReq = request.headers.get('x-nextjs-data')
103+
104+
if (rewrite) {
105+
const rewriteUrl = new URL(rewrite, request.url)
106+
const baseUrl = new URL(request.url)
107+
const relativeUrl = relativizeURL(rewrite, request.url)
108+
109+
// Data requests might be rewritten to an external URL
110+
// This header tells the client router the redirect target, and if it's external then it will do a full navigation
111+
if (isDataReq) {
112+
res.headers.set('x-nextjs-rewrite', relativeUrl)
113+
}
114+
if (rewriteUrl.origin !== baseUrl.origin) {
115+
// Netlify Edge Functions don't support proxying to external domains, but Next middleware does
116+
const proxied = fetch(new Request(rewriteUrl.toString(), request))
117+
return addMiddlewareHeaders(proxied, res)
118+
}
119+
res.headers.set('x-middleware-rewrite', relativeUrl)
120+
121+
request.headers.set('x-original-path', new URL(request.url, `http://n`).pathname)
122+
request.headers.set('x-middleware-rewrite', rewrite)
123+
124+
return addMiddlewareHeaders(context.rewrite(rewrite), res)
125+
}
126+
127+
const redirect = res.headers.get('Location')
128+
129+
// Data requests shouldn't automatically redirect in the browser (they might be HTML pages): they're handled by the router
130+
if (redirect && isDataReq) {
131+
res.headers.delete('location')
132+
res.headers.set('x-nextjs-redirect', relativizeURL(redirect, request.url))
133+
}
134+
135+
const nextRedirect = res.headers.get('x-nextjs-redirect')
136+
137+
if (nextRedirect && isDataReq) {
138+
res.headers.set('x-nextjs-redirect', normalizeDataUrl(nextRedirect))
139+
}
140+
141+
if (res.headers.get('x-middleware-next') === '1') {
142+
return addMiddlewareHeaders(context.next(), res)
143+
}
144+
return res
145+
}

edge-runtime/lib/util.ts

+26
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,26 @@
1+
// If the redirect is a data URL, we need to normalize it.
2+
// https://github.com/vercel/next.js/blob/25e0988e7c9033cb1503cbe0c62ba5de2e97849c/packages/next/src/shared/lib/router/utils/get-next-pathname-info.ts#L69-L76
3+
export function normalizeDataUrl(redirect: string) {
4+
if (redirect.startsWith('/_next/data/') && redirect.includes('.json')) {
5+
const paths = redirect
6+
.replace(/^\/_next\/data\//, '')
7+
.replace(/\.json/, '')
8+
.split('/')
9+
10+
redirect = paths[1] !== 'index' ? `/${paths.slice(1).join('/')}` : '/'
11+
}
12+
13+
return redirect
14+
}
15+
16+
/**
17+
* This is how Next handles rewritten URLs.
18+
*/
19+
export function relativizeURL(url: string | string, base: string | URL) {
20+
const baseURL = typeof base === 'string' ? new URL(base) : base
21+
const relative = new URL(url, base)
22+
const origin = `${baseURL.protocol}//${baseURL.host}`
23+
return `${relative.protocol}//${relative.host}` === origin
24+
? relative.toString().replace(origin, '')
25+
: relative.toString()
26+
}

0 commit comments

Comments
 (0)