Skip to content

Commit a1eaca3

Browse files
eduardoboucasorinokailukasholzer
authoredJan 3, 2024
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 <lukas.holzer@typeflow.cc> * chore: remove dead code * chore: document `E2E_PERSIST` --------- Co-authored-by: Rob Stanford <me@robstanford.com> Co-authored-by: Lukas Holzer <lukas.holzer@typeflow.cc>
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/html_rewriter@v0.1.0-pre.17/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/html_rewriter@v0.1.0-pre.17/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+
}

‎edge-runtime/middleware.ts

+32-14
Original file line numberDiff line numberDiff line change
@@ -1,22 +1,40 @@
1-
import type { Config, Context } from '@netlify/edge-functions'
1+
import type { Context } from '@netlify/edge-functions'
22

3-
// import nextConfig from '../edge-shared/nextConfig.json' assert { type: 'json' }
3+
import { buildNextRequest, RequestData } from './lib/next-request.ts'
4+
import { buildResponse } from './lib/response.ts'
5+
import { FetchEventResult } from './lib/response.ts'
46

5-
export async function handleMiddleware(req: Request, context: Context, nextHandler: () => any) {
7+
type NextHandler = (params: { request: RequestData }) => Promise<FetchEventResult>
8+
9+
/**
10+
* Runs a Next.js middleware as a Netlify Edge Function. It translates a web
11+
* platform Request into a NextRequest instance on the way in, and translates
12+
* a NextResponse into a web platform Response on the way out.
13+
*
14+
* @param request Incoming request
15+
* @param context Netlify-specific context object
16+
* @param nextHandler Next.js middleware handler
17+
*/
18+
export async function handleMiddleware(
19+
request: Request,
20+
context: Context,
21+
nextHandler: NextHandler,
22+
) {
623
// Don't run in dev
7-
if (Deno.env.get('NETLIFY_DEV')) {
24+
if (Netlify.env.has('NETLIFY_DEV')) {
825
return
926
}
1027

11-
const url = new URL(req.url)
12-
console.log('from handleMiddleware', url)
13-
// const req = new IncomingMessage(internalEvent);
14-
// const res = new ServerlessResponse({
15-
// method: req.method ?? "GET",
16-
// headers: {},
17-
// });
18-
//
19-
// const request = buildNextRequest(req, context, nextConfig)
28+
const nextRequest = buildNextRequest(request, context)
29+
30+
try {
31+
const result = await nextHandler({ request: nextRequest })
32+
const response = await buildResponse({ result, request: request, context })
2033

21-
return Response.json({ success: true })
34+
return response
35+
} catch (error) {
36+
console.error(error)
37+
38+
return new Response(error.message, { status: 500 })
39+
}
2240
}

‎edge-runtime/shim/index.js

+8
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,8 @@
1+
// NOTE: This is a fragment of a JavaScript program that will be inlined with
2+
// a Webpack bundle. You should not import this file from anywhere in the
3+
// application.
4+
import { AsyncLocalStorage } from 'node:async_hooks'
5+
6+
globalThis.AsyncLocalStorage = AsyncLocalStorage
7+
8+
var _ENTRIES = {}

‎edge-runtime/vendor.ts

+18
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,18 @@
1+
// NOTE: This file contains a list of the third-party Deno dependencies we use.
2+
// It acts as a seed that populates the `vendor/` directory and should not be
3+
// imported directly.
4+
5+
import 'https://deno.land/std@0.175.0/encoding/base64.ts'
6+
import 'https://deno.land/std@0.175.0/http/cookie.ts'
7+
import 'https://deno.land/std@0.175.0/node/buffer.ts'
8+
import 'https://deno.land/std@0.175.0/node/events.ts'
9+
import 'https://deno.land/std@0.175.0/node/async_hooks.ts'
10+
import 'https://deno.land/std@0.175.0/node/assert.ts'
11+
import 'https://deno.land/std@0.175.0/node/util.ts'
12+
import 'https://deno.land/std@0.175.0/path/mod.ts'
13+
14+
import 'https://deno.land/x/path_to_regexp@v6.2.1/index.ts'
15+
import 'https://deno.land/x/html_rewriter@v0.1.0-pre.17/index.ts'
16+
17+
import 'https://esm.sh/v91/next@12.2.5/deno/dist/server/web/spec-extension/request.js'
18+
import 'https://esm.sh/v91/next@12.2.5/deno/dist/server/web/spec-extension/response.js'

‎src/build/functions/edge.ts

+63-98
Original file line numberDiff line numberDiff line change
@@ -1,7 +1,8 @@
11
import type { NetlifyPluginOptions } from '@netlify/build'
22
import type { EdgeFunctionDefinition as NextDefinition } from 'next/dist/build/webpack/plugins/middleware-plugin.js'
33
import { cp, mkdir, readFile, rm, writeFile } from 'node:fs/promises'
4-
import { dirname, join, relative, resolve } from 'node:path'
4+
import { dirname, join, resolve } from 'node:path'
5+
import { fileURLToPath } from 'node:url'
56
import { getMiddlewareManifest } from '../config.js'
67
import {
78
EDGE_FUNCTIONS_DIR,
@@ -12,79 +13,60 @@ import {
1213
} from '../constants.js'
1314

1415
interface NetlifyManifest {
15-
version: 1
16+
version: number
1617
functions: NetlifyDefinition[]
1718
}
1819

19-
type NetlifyDefinition =
20-
| {
21-
function: string
22-
name?: string
23-
path: string
24-
cache?: 'manual'
25-
generator: string
26-
}
27-
| {
28-
function: string
29-
name?: string
30-
pattern: string
31-
cache?: 'manual'
32-
generator: string
33-
}
34-
35-
const getHandlerName = ({ name }: NextDefinition) =>
36-
EDGE_HANDLER_NAME.replace('{{name}}', name.replace(/\W/g, '-'))
37-
38-
const buildHandlerDefinitions = (
39-
{ name: definitionName, matchers, page }: NextDefinition,
40-
handlerName: string,
41-
): NetlifyDefinition[] => {
42-
return definitionName === 'middleware'
43-
? [
44-
{
45-
function: handlerName,
46-
name: 'Next.js Middleware Handler',
47-
path: '/*',
48-
generator: `${PLUGIN_NAME}@${PLUGIN_VERSION}`,
49-
} as any,
50-
]
51-
: matchers.map((matcher) => ({
52-
function: handlerName,
53-
name: `Next.js Edge Handler: ${page}`,
54-
pattern: matcher.regexp,
55-
cache: 'manual',
56-
generator: `${PLUGIN_NAME}@${PLUGIN_VERSION}`,
57-
}))
20+
interface NetlifyDefinition {
21+
function: string
22+
name: string
23+
pattern: string
24+
cache?: 'manual'
25+
generator: string
5826
}
5927

60-
const copyHandlerDependencies = async (
61-
{ name: definitionName, files }: NextDefinition,
62-
handlerName: string,
63-
) => {
28+
const writeEdgeManifest = async (manifest: NetlifyManifest) => {
29+
await mkdir(resolve(EDGE_FUNCTIONS_DIR), { recursive: true })
30+
await writeFile(resolve(EDGE_FUNCTIONS_DIR, 'manifest.json'), JSON.stringify(manifest, null, 2))
31+
}
32+
33+
const writeHandlerFile = async ({ name }: NextDefinition) => {
34+
const handlerName = getHandlerName({ name })
35+
36+
await cp(
37+
join(PLUGIN_DIR, 'edge-runtime'),
38+
resolve(EDGE_FUNCTIONS_DIR, handlerName, 'edge-runtime'),
39+
{ recursive: true },
40+
)
41+
await writeFile(
42+
resolve(EDGE_FUNCTIONS_DIR, handlerName, `${handlerName}.js`),
43+
`
44+
import {handleMiddleware} from './edge-runtime/middleware.ts';
45+
import handler from './server/${name}.js';
46+
export default (req, context) => handleMiddleware(req, context, handler);
47+
`,
48+
)
49+
}
50+
51+
const copyHandlerDependencies = async ({ name, files }: NextDefinition) => {
52+
const edgeRuntimePath = join(PLUGIN_DIR, 'edge-runtime')
53+
const srcDir = resolve('.next/standalone/.next')
54+
const shimPath = resolve(edgeRuntimePath, 'shim/index.js')
55+
const shim = await readFile(shimPath, 'utf8')
56+
const imports = `import './edge-runtime-webpack.js';`
57+
const exports = `export default _ENTRIES["middleware_${name}"].default;`
58+
6459
await Promise.all(
6560
files.map(async (file) => {
66-
const srcDir = join(process.cwd(), '.next/standalone/.next')
67-
const destDir = join(process.cwd(), EDGE_FUNCTIONS_DIR, handlerName)
61+
const destDir = resolve(EDGE_FUNCTIONS_DIR, getHandlerName({ name }))
6862

69-
if (file === `server/${definitionName}.js`) {
63+
if (file === `server/${name}.js`) {
7064
const entrypoint = await readFile(join(srcDir, file), 'utf8')
71-
// const exports = ``
72-
const exports = `
73-
export default _ENTRIES["middleware_${definitionName}"].default;
74-
// export default () => {
75-
76-
// console.log('here', _ENTRIES)
77-
// }
78-
`
79-
await mkdir(dirname(join(destDir, file)), { recursive: true })
80-
await writeFile(
81-
join(destDir, file),
82-
`
83-
import './edge-runtime-webpack.js';
65+
const parts = [shim, imports, entrypoint, exports]
8466

67+
await mkdir(dirname(join(destDir, file)), { recursive: true })
68+
await writeFile(join(destDir, file), parts.join('\n;'))
8569

86-
var _ENTRIES = {};\n`.concat(entrypoint, '\n', exports),
87-
)
8870
return
8971
}
9072

@@ -93,29 +75,21 @@ const copyHandlerDependencies = async (
9375
)
9476
}
9577

96-
const writeHandlerFile = async ({ name: definitionName }: NextDefinition, handlerName: string) => {
97-
const handlerFile = resolve(EDGE_FUNCTIONS_DIR, handlerName, `${handlerName}.js`)
98-
const rel = relative(handlerFile, join(PLUGIN_DIR, 'dist/run/handlers/middleware.js'))
99-
await cp(
100-
join(PLUGIN_DIR, 'edge-runtime'),
101-
resolve(EDGE_FUNCTIONS_DIR, handlerName, 'edge-runtime'),
102-
{
103-
recursive: true,
104-
},
105-
)
106-
await writeFile(
107-
resolve(EDGE_FUNCTIONS_DIR, handlerName, `${handlerName}.js`),
108-
`import {handleMiddleware} from './edge-runtime/middleware.ts';
109-
import handler from './server/${definitionName}.js';
110-
export default (req, context) => handleMiddleware(req, context, handler);
111-
export const config = {path: "/*"}`,
112-
)
78+
const createEdgeHandler = async (definition: NextDefinition): Promise<void> => {
79+
await copyHandlerDependencies(definition)
80+
await writeHandlerFile(definition)
11381
}
11482

115-
const writeEdgeManifest = async (manifest: NetlifyManifest) => {
116-
await mkdir(resolve(EDGE_FUNCTIONS_DIR), { recursive: true })
117-
await writeFile(resolve(EDGE_FUNCTIONS_DIR, 'manifest.json'), JSON.stringify(manifest, null, 2))
118-
}
83+
const getHandlerName = ({ name }: Pick<NextDefinition, 'name'>): string =>
84+
`${EDGE_HANDLER_NAME}-${name.replace(/\W/g, '-')}`
85+
86+
const buildHandlerDefinition = ({ name, matchers, page }: NextDefinition): NetlifyDefinition => ({
87+
function: getHandlerName({ name }),
88+
name: name === 'middleware' ? 'Next.js Middleware Handler' : `Next.js Edge Handler: ${page}`,
89+
pattern: matchers[0].regexp,
90+
cache: name === 'middleware' ? undefined : 'manual',
91+
generator: `${PLUGIN_NAME}@${PLUGIN_VERSION}`,
92+
})
11993

12094
export const createEdgeHandlers = async ({
12195
constants,
@@ -127,21 +101,12 @@ export const createEdgeHandlers = async ({
127101
...Object.values(nextManifest.middleware),
128102
// ...Object.values(nextManifest.functions)
129103
]
130-
const netlifyManifest: NetlifyManifest = {
104+
await Promise.all(nextDefinitions.map(createEdgeHandler))
105+
106+
const netlifyDefinitions = nextDefinitions.map(buildHandlerDefinition)
107+
const netlifyManifest = {
131108
version: 1,
132-
functions: await nextDefinitions.reduce(
133-
async (netlifyDefinitions: Promise<NetlifyDefinition[]>, nextDefinition: NextDefinition) => {
134-
const handlerName = getHandlerName(nextDefinition)
135-
await copyHandlerDependencies(nextDefinition, handlerName)
136-
await writeHandlerFile(nextDefinition, handlerName)
137-
return [
138-
...(await netlifyDefinitions),
139-
...buildHandlerDefinitions(nextDefinition, handlerName),
140-
]
141-
},
142-
Promise.resolve([]),
143-
),
109+
functions: netlifyDefinitions,
144110
}
145-
146111
await writeEdgeManifest(netlifyManifest)
147112
}

‎tests/e2e/edge-middleware.test.ts

+21
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,21 @@
1+
import { expect, test } from '@playwright/test'
2+
import { createE2EFixture } from '../utils/create-e2e-fixture.js'
3+
4+
let ctx: Awaited<ReturnType<typeof createE2EFixture>>
5+
6+
test.beforeAll(async () => {
7+
ctx = await createE2EFixture('middleware')
8+
})
9+
10+
test.afterAll(async ({}, testInfo) => {
11+
await ctx?.cleanup?.(!!testInfo.errors.length)
12+
})
13+
14+
test('Runs edge middleware', async ({ page }) => {
15+
await page.goto(`${ctx.url}/test/redirect`)
16+
17+
await expect(page).toHaveTitle('Simple Next App')
18+
19+
const h1 = page.locator('h1')
20+
await expect(h1).toHaveText('Other')
21+
})

‎tests/fixtures/middleware/app/other/page.js

+1-1
Original file line numberDiff line numberDiff line change
@@ -1,4 +1,4 @@
1-
export default function Home() {
1+
export default function Page() {
22
return (
33
<main>
44
<h1>Other</h1>
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,12 @@
1+
import { headers } from 'next/headers'
2+
3+
export default function Page() {
4+
const headersList = headers()
5+
const message = headersList.get('x-hello-from-middleware-req')
6+
7+
return (
8+
<main>
9+
<h1>Message from middleware: {message}</h1>
10+
</main>
11+
)
12+
}
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,7 @@
1+
export default function Redirect() {
2+
return (
3+
<main>
4+
<h1>If middleware works, we shoudn't get here</h1>
5+
</main>
6+
)
7+
}
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,7 @@
1+
export default function Rewrite() {
2+
return (
3+
<main>
4+
<h1>If middleware works, we shoudn't get here</h1>
5+
</main>
6+
)
7+
}
+36-3
Original file line numberDiff line numberDiff line change
@@ -1,10 +1,43 @@
1-
import { NextResponse } from 'next/server'
21
import type { NextRequest } from 'next/server'
2+
import { NextResponse } from 'next/server'
33

44
export function middleware(request: NextRequest) {
5-
return NextResponse.redirect(new URL('/other', request.url))
5+
let response: NextResponse
6+
7+
const requestHeaders = new Headers(request.headers)
8+
requestHeaders.set('x-hello-from-middleware-req', 'hello')
9+
10+
if (request.nextUrl.pathname.startsWith('/test/next')) {
11+
response = NextResponse.next({
12+
request: {
13+
headers: requestHeaders,
14+
},
15+
})
16+
} else if (request.nextUrl.pathname.startsWith('/test/redirect')) {
17+
response = NextResponse.redirect(new URL('/other', request.url))
18+
} else if (request.nextUrl.pathname.startsWith('/test/rewrite-internal')) {
19+
response = NextResponse.rewrite(new URL('/rewrite-target', request.url), {
20+
request: {
21+
headers: requestHeaders,
22+
},
23+
})
24+
} else if (request.nextUrl.pathname.startsWith('/test/rewrite-external')) {
25+
const requestURL = new URL(request.url)
26+
const externalURL = requestURL.searchParams.get('external-url') as string
27+
28+
response = NextResponse.rewrite(externalURL, {
29+
request: {
30+
headers: requestHeaders,
31+
},
32+
})
33+
} else {
34+
response = NextResponse.json({ error: 'Error' }, { status: 500 })
35+
}
36+
37+
response.headers.set('x-hello-from-middleware-res', 'hello')
38+
return response
639
}
740

841
export const config = {
9-
matcher: '/test',
42+
matcher: '/test/:path*',
1043
}

‎tests/integration/edge-handler.test.ts

+72-3
Original file line numberDiff line numberDiff line change
@@ -7,6 +7,7 @@ import {
77
type FixtureTestContext,
88
} from '../utils/fixture.js'
99
import { generateRandomObjectID, startMockBlobStore } from '../utils/helpers.js'
10+
import { LocalServer } from '../utils/local-server.js'
1011

1112
beforeEach<FixtureTestContext>(async (ctx) => {
1213
// set for each test a new deployID and siteID
@@ -17,11 +18,79 @@ beforeEach<FixtureTestContext>(async (ctx) => {
1718
await startMockBlobStore(ctx)
1819
})
1920

20-
test<FixtureTestContext>('simple test if everything works', async (ctx) => {
21+
test<FixtureTestContext>('should add request/response headers', async (ctx) => {
2122
await createFixture('middleware', ctx)
2223
await runPlugin(ctx)
2324

24-
const response1 = await invokeEdgeFunction(ctx)
25+
const origin = await LocalServer.run(async (req, res) => {
26+
expect(req.url).toBe('/test/next')
27+
expect(req.headers['x-hello-from-middleware-req']).toBe('hello')
28+
29+
res.write('Hello from origin!')
30+
res.end()
31+
})
32+
33+
ctx.cleanup?.push(() => origin.stop())
34+
35+
const response1 = await invokeEdgeFunction(ctx, {
36+
functions: ['___netlify-edge-handler-middleware'],
37+
origin,
38+
url: '/test/next',
39+
})
40+
41+
expect(await response1.text()).toBe('Hello from origin!')
42+
expect(response1.status).toBe(200)
43+
expect(response1.headers.get('x-hello-from-middleware-res'), 'added a response header').toEqual(
44+
'hello',
45+
)
46+
expect(origin.calls).toBe(1)
47+
})
48+
49+
test<FixtureTestContext>('should return a redirect response', async (ctx) => {
50+
await createFixture('middleware', ctx)
51+
await runPlugin(ctx)
52+
53+
const origin = new LocalServer()
54+
const response1 = await invokeEdgeFunction(ctx, {
55+
functions: ['___netlify-edge-handler-middleware'],
56+
origin,
57+
redirect: 'manual',
58+
url: '/test/redirect',
59+
})
60+
61+
ctx.cleanup?.push(() => origin.stop())
62+
63+
expect(response1.headers.get('location'), 'added a location header').toBeTypeOf('string')
64+
expect(
65+
new URL(response1.headers.get('location') as string).pathname,
66+
'redirected to the correct path',
67+
).toEqual('/other')
68+
expect(origin.calls).toBe(0)
69+
})
70+
71+
test<FixtureTestContext>('should rewrite to an external URL', async (ctx) => {
72+
await createFixture('middleware', ctx)
73+
await runPlugin(ctx)
74+
75+
const external = await LocalServer.run(async (req, res) => {
76+
expect(req.url).toBe('/some-path')
77+
78+
res.write('Hello from external host!')
79+
res.end()
80+
})
81+
ctx.cleanup?.push(() => external.stop())
82+
83+
const origin = new LocalServer()
84+
ctx.cleanup?.push(() => origin.stop())
85+
86+
const response1 = await invokeEdgeFunction(ctx, {
87+
functions: ['___netlify-edge-handler-middleware'],
88+
origin,
89+
url: `/test/rewrite-external?external-url=http://localhost:${external.port}/some-path`,
90+
})
91+
92+
expect(await response1.text()).toBe('Hello from external host!')
2593
expect(response1.status).toBe(200)
26-
expect(await response1.json()).toEqual({ success: true })
94+
expect(external.calls).toBe(1)
95+
expect(origin.calls).toBe(0)
2796
})

‎tests/prepare.mjs

+31-28
Original file line numberDiff line numberDiff line change
@@ -14,37 +14,40 @@ const fixturesDir = fileURLToPath(new URL(`./fixtures`, import.meta.url))
1414

1515
const limit = pLimit(Math.max(2, cpus().length))
1616
await Promise.all(
17-
readdirSync(fixturesDir).map((fixture) =>
18-
limit(async () => {
19-
console.log(`[${fixture}] Preparing fixture`)
20-
await rm(join(fixturesDir, fixture, '.next'), { recursive: true, force: true })
21-
const cwd = join(fixturesDir, fixture)
17+
readdirSync(fixturesDir)
18+
// Ignoring things like `.DS_Store`.
19+
.filter((fixture) => !fixture.startsWith('.'))
20+
.map((fixture) =>
21+
limit(async () => {
22+
console.log(`[${fixture}] Preparing fixture`)
23+
await rm(join(fixturesDir, fixture, '.next'), { recursive: true, force: true })
24+
const cwd = join(fixturesDir, fixture)
2225

23-
// npm is the default
24-
let cmd = `npm install --no-audit --progress=false --prefer-offline`
26+
// npm is the default
27+
let cmd = `npm install --no-audit --progress=false --prefer-offline`
2528

26-
if (existsSync(join(cwd, 'pnpm-lock.yaml'))) {
27-
cmd = `pnpm install --reporter=silent`
28-
}
29+
if (existsSync(join(cwd, 'pnpm-lock.yaml'))) {
30+
cmd = `pnpm install --reporter=silent`
31+
}
2932

30-
const addPrefix = new Transform({
31-
transform(chunk, encoding, callback) {
32-
this.push(chunk.toString().replace(/\n/gm, `\n[${fixture}] `))
33-
callback()
34-
},
35-
})
33+
const addPrefix = new Transform({
34+
transform(chunk, encoding, callback) {
35+
this.push(chunk.toString().replace(/\n/gm, `\n[${fixture}] `))
36+
callback()
37+
},
38+
})
3639

37-
const output = execaCommand(cmd, {
38-
cwd,
39-
stdio: 'pipe',
40-
env: { ...process.env, FORCE_COLOR: '1' },
41-
})
42-
if (process.env.DEBUG) {
43-
output.stdout?.pipe(addPrefix).pipe(process.stdout)
44-
}
45-
output.stderr?.pipe(addPrefix).pipe(process.stderr)
40+
const output = execaCommand(cmd, {
41+
cwd,
42+
stdio: 'pipe',
43+
env: { ...process.env, FORCE_COLOR: '1' },
44+
})
45+
if (process.env.DEBUG) {
46+
output.stdout?.pipe(addPrefix).pipe(process.stdout)
47+
}
48+
output.stderr?.pipe(addPrefix).pipe(process.stderr)
4649

47-
return output
48-
}),
49-
),
50+
return output
51+
}),
52+
),
5053
)

‎tests/test-setup.ts

+4-5
Original file line numberDiff line numberDiff line change
@@ -1,10 +1,9 @@
1-
import { afterEach, vi } from 'vitest'
1+
import { afterEach } from 'vitest'
22
import { FixtureTestContext } from './utils/fixture'
3-
import { fsCpHelper, rmHelper } from './utils/fs-helper.js'
43

54
// cleanup after each test as a fallback if someone forgot to call it
65
afterEach<FixtureTestContext>(async ({ cleanup }) => {
7-
if (typeof cleanup === 'function') {
8-
await cleanup()
9-
}
6+
const jobs = (cleanup ?? []).map((job) => job())
7+
8+
await Promise.all(jobs)
109
})

‎tests/utils/create-e2e-fixture.ts

+32-17
Original file line numberDiff line numberDiff line change
@@ -4,6 +4,7 @@ import { exec } from 'node:child_process'
44
import { copyFile, mkdir, mkdtemp, readFile, rm, writeFile } from 'node:fs/promises'
55
import { tmpdir } from 'node:os'
66
import { dirname, join } from 'node:path'
7+
import { env } from 'node:process'
78
import { fileURLToPath } from 'node:url'
89
import { cpus } from 'os'
910
import pLimit from 'p-limit'
@@ -33,33 +34,41 @@ export const createE2EFixture = async (
3334
let deployID: string
3435
let logs: string
3536
const _cleanup = (failure: boolean = false) => {
37+
if (env.E2E_PERSIST) {
38+
console.log(
39+
`💾 Fixture and deployed site have been persisted. To clean up automatically, run tests without the 'E2E_PERSIST' environment variable.`,
40+
)
41+
42+
return
43+
}
44+
3645
if (!failure) {
3746
return cleanup(cwd, deployID)
3847
}
39-
console.log('\n\n\n🪵 Deploy Logs:')
48+
console.log('\n\n\n🪵 Deploy logs:')
4049
console.log(logs)
4150
// on failures we don't delete the deploy
4251
}
4352
try {
4453
const [packageName] = await Promise.all([buildAndPackRuntime(cwd), copyFixture(fixture, cwd)])
4554
await installRuntime(packageName, cwd, config.packageManger || 'npm')
4655
const result = await deploySite(cwd)
47-
console.log(`🌍 Deployed Site is live under: ${result.url}`)
56+
console.log(`🌍 Deployed site is live: ${result.url}`)
4857
deployID = result.deployID
4958
logs = result.logs
5059
return { cwd, cleanup: _cleanup, deployID: result.deployID, url: result.url }
5160
} catch (error) {
52-
await _cleanup()
61+
await _cleanup(true)
5362
throw error
5463
}
5564
}
5665

5766
/** Copies a fixture folder to a destination */
5867
async function copyFixture(fixtureName: string, dest: string): Promise<void> {
59-
console.log(`🔨 Build Runtime...`)
68+
console.log(`🔨 Building runtime...`)
6069
await execaCommand('npm run build')
6170

62-
console.log(`📂 Copy Fixture to temp directory...`)
71+
console.log(`📂 Copying fixture to '${dest}'...`)
6372
const src = fileURLToPath(new URL(`../fixtures/${fixtureName}`, import.meta.url))
6473
const files = await fg.glob('**/*', {
6574
ignore: ['node_modules'],
@@ -80,7 +89,8 @@ async function copyFixture(fixtureName: string, dest: string): Promise<void> {
8089

8190
/** Creates a tarball of the packed npm package at the provided destination */
8291
async function buildAndPackRuntime(dest: string): Promise<string> {
83-
console.log(`📦 Creating tarball with 'npm pack'...`)
92+
console.log(`📦 Creating tarball with 'npm pack'...`)
93+
8494
const { stdout } = await execaCommand(
8595
// for the e2e tests we don't need to clean up the package.json. That just creates issues with concurrency
8696
`npm pack --json --ignore-scripts --pack-destination ${dest}`,
@@ -106,7 +116,8 @@ async function installRuntime(
106116
cwd: string,
107117
packageManger: PackageManager,
108118
): Promise<void> {
109-
console.log(`⚙️ Installing runtime ${packageName}...`)
119+
console.log(`🐣 Installing runtime from '${packageName}'...`)
120+
110121
let command: string = `npm install --ignore-scripts --no-audit --progress=false ${packageName}`
111122

112123
switch (packageManger) {
@@ -129,7 +140,8 @@ async function installRuntime(
129140
}
130141

131142
async function deploySite(cwd: string): Promise<DeployResult> {
132-
console.log(`🚀 Building and Deploying Site...`)
143+
console.log(`🚀 Building and deploying site...`)
144+
133145
const outputFile = 'deploy-output.txt'
134146
const cmd = `ntl deploy --build --site ${SITE_ID}`
135147

@@ -144,18 +156,21 @@ async function deploySite(cwd: string): Promise<DeployResult> {
144156
return { url, deployID, logs: output }
145157
}
146158

147-
export async function deleteDeploy(deploy_id?: string): Promise<void> {
148-
if (deploy_id) {
149-
console.log(`♻️ Delete Deploy ${deploy_id}...`)
150-
const cmd = `ntl api deleteDeploy --data='{"deploy_id":"${deploy_id}"}'`
151-
// execa mangles around with the json so let's use exec here
152-
return new Promise<void>((resolve, reject) =>
153-
exec(cmd, (err) => (err ? reject(err) : resolve())),
154-
)
159+
export async function deleteDeploy(deployID?: string): Promise<void> {
160+
if (!deployID) {
161+
return
155162
}
163+
164+
const cmd = `ntl api deleteDeploy --data='{"deploy_id":"${deployID}"}'`
165+
// execa mangles around with the json so let's use exec here
166+
return new Promise<void>((resolve, reject) => exec(cmd, (err) => (err ? reject(err) : resolve())))
156167
}
157168

158169
async function cleanup(dest: string, deployId?: string): Promise<void> {
159-
console.log(`🗑️ Starting Cleanup...`)
170+
console.log(`🧹 Cleaning up fixture and deployed site...`)
171+
console.log(
172+
` - To persist them for further inspection, run the tests with the 'E2E_PERSIST' environment variable`,
173+
)
174+
160175
await Promise.allSettled([deleteDeploy(deployId), rm(dest, { recursive: true, force: true })])
161176
}

‎tests/utils/fixture.ts

+51-31
Original file line numberDiff line numberDiff line change
@@ -1,33 +1,29 @@
11
import { BlobsServer, type getStore } from '@netlify/blobs'
2-
import { TestContext, assert, expect, vi } from 'vitest'
2+
import { TestContext, assert, vi } from 'vitest'
33

4-
import {
5-
runCoreSteps,
6-
type NetlifyPluginConstants,
7-
type NetlifyPluginOptions,
8-
} from '@netlify/build'
4+
import { type NetlifyPluginConstants, type NetlifyPluginOptions } from '@netlify/build'
95
import { bundle, serve } from '@netlify/edge-bundler'
106
import type { LambdaResponse } from '@netlify/serverless-functions-api/dist/lambda/response.js'
117
import { zipFunctions } from '@netlify/zip-it-and-ship-it'
128
import { execaCommand } from 'execa'
9+
import { glob } from 'fast-glob'
1310
import getPort from 'get-port'
1411
import { execute } from 'lambda-local'
1512
import { existsSync } from 'node:fs'
16-
import { cp, mkdir, mkdtemp, readFile, readdir, rm, writeFile } from 'node:fs/promises'
13+
import { cp, mkdir, mkdtemp, readFile, rm, writeFile } from 'node:fs/promises'
1714
import { tmpdir } from 'node:os'
1815
import { basename, dirname, join, parse, relative, resolve } from 'node:path'
1916
import { fileURLToPath } from 'node:url'
17+
import { v4 } from 'uuid'
2018
import {
2119
BLOB_DIR,
2220
EDGE_FUNCTIONS_DIR,
2321
EDGE_HANDLER_NAME,
2422
SERVER_FUNCTIONS_DIR,
2523
SERVER_HANDLER_NAME,
2624
} from '../../src/build/constants.js'
25+
import { LocalServer } from './local-server.js'
2726
import { streamToString } from './stream-to-string.js'
28-
import { inspect } from 'node:util'
29-
import { v4 } from 'uuid'
30-
import { glob } from 'fast-glob'
3127

3228
export interface FixtureTestContext extends TestContext {
3329
cwd: string
@@ -38,7 +34,7 @@ export interface FixtureTestContext extends TestContext {
3834
blobStore: ReturnType<typeof getStore>
3935
functionDist: string
4036
edgeFunctionPort: number
41-
cleanup?: () => Promise<void>
37+
cleanup?: (() => Promise<void>)[]
4238
}
4339

4440
export const BLOB_TOKEN = 'secret-token'
@@ -63,13 +59,15 @@ function installDependencies(cwd: string) {
6359
export const createFixture = async (fixture: string, ctx: FixtureTestContext) => {
6460
ctx.cwd = await mkdtemp(join(tmpdir(), 'netlify-next-runtime-'))
6561
vi.spyOn(process, 'cwd').mockReturnValue(ctx.cwd)
66-
ctx.cleanup = async () => {
67-
try {
68-
await rm(ctx.cwd, { recursive: true, force: true })
69-
} catch {
70-
// noop
71-
}
72-
}
62+
ctx.cleanup = [
63+
async () => {
64+
try {
65+
await rm(ctx.cwd, { recursive: true, force: true })
66+
} catch {
67+
// noop
68+
}
69+
},
70+
]
7371

7472
try {
7573
const src = fileURLToPath(new URL(`../fixtures/${fixture}`, import.meta.url))
@@ -94,13 +92,15 @@ export const createFixture = async (fixture: string, ctx: FixtureTestContext) =>
9492
export const createFsFixture = async (fixture: Record<string, string>, ctx: FixtureTestContext) => {
9593
ctx.cwd = await mkdtemp(join(tmpdir(), 'netlify-next-runtime-'))
9694
vi.spyOn(process, 'cwd').mockReturnValue(ctx.cwd)
97-
ctx.cleanup = async () => {
98-
try {
99-
await rm(ctx.cwd, { recursive: true, force: true })
100-
} catch {
101-
// noop
102-
}
103-
}
95+
ctx.cleanup = [
96+
async () => {
97+
try {
98+
await rm(ctx.cwd, { recursive: true, force: true })
99+
} catch {
100+
// noop
101+
}
102+
},
103+
]
104104

105105
try {
106106
await Promise.all(
@@ -225,7 +225,6 @@ export async function runPlugin(
225225
path: join(dist, 'source/root', relative(ctx.cwd, fn.path)),
226226
})),
227227
)
228-
expect(success).toBe(true)
229228
}
230229

231230
await Promise.all([bundleEdgeFunctions(), bundleFunctions(), uploadBlobs(ctx)])
@@ -327,25 +326,46 @@ export async function invokeFunction(
327326
export async function invokeEdgeFunction(
328327
ctx: FixtureTestContext,
329328
options: {
329+
/**
330+
* The local server to use as the mock origin
331+
*/
332+
origin?: LocalServer
333+
334+
/**
335+
* The relative path for the request
336+
* @default '/'
337+
*/
338+
url?: string
339+
340+
/**
341+
* Whether to follow redirects
342+
*/
343+
redirect?: RequestInit['redirect']
344+
330345
/** Array of functions to invoke */
331346
functions?: string[]
332347
} = {},
333348
): Promise<Response> {
349+
const passthroughHost = options.origin ? `localhost:${options.origin.port}` : ''
334350
const functionsToInvoke = options.functions || [EDGE_HANDLER_NAME]
335-
return await fetch(`http://0.0.0.0:${ctx.edgeFunctionPort}/`, {
351+
352+
return await fetch(`http://0.0.0.0:${ctx.edgeFunctionPort}${options.url ?? '/'}`, {
353+
redirect: options.redirect,
354+
336355
// Checkout the stargate headers: https://github.com/netlify/stargate/blob/dc8adfb6e91fa0a2fb00c0cba06e4e2f9e5d4e4d/proxy/deno/edge.go#L1142-L1170
337356
headers: {
338357
'x-nf-edge-functions': functionsToInvoke.join(','),
339358
'x-nf-deploy-id': ctx.deployID,
340-
'X-NF-Site-Info': Buffer.from(
359+
'x-nf-site-info': Buffer.from(
341360
JSON.stringify({ id: ctx.siteID, name: 'Test Site', url: 'https://example.com' }),
342361
).toString('base64'),
343362
'x-nf-blobs-info': Buffer.from(
344363
JSON.stringify({ url: `http://${ctx.blobStoreHost}`, token: BLOB_TOKEN }),
345364
).toString('base64'),
346-
'x-NF-passthrough': 'passthrough',
347-
// 'x-NF-passthrough-host': 'passthrough', // TODO: add lambda local url
348-
'X-NF-Request-ID': v4(),
365+
'x-nf-passthrough': 'passthrough',
366+
'x-nf-passthrough-host': passthroughHost,
367+
'x-nf-passthrough-proto': 'http:',
368+
'x-nf-request-id': v4(),
349369
},
350370
})
351371
}

‎tests/utils/local-server.ts

+77
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,77 @@
1+
import http from 'node:http'
2+
import { AddressInfo } from 'node:net'
3+
4+
export type LocalServerHandler = (
5+
req: http.IncomingMessage,
6+
res: http.ServerResponse,
7+
) => Promise<void>
8+
9+
/**
10+
* A basic HTTP server to use in tests. It accepts a handler that responds to
11+
* all requests and keeps track of how many times it's called.
12+
*/
13+
export class LocalServer {
14+
calls: number
15+
port: number
16+
running: boolean
17+
server: http.Server
18+
19+
constructor(handler?: LocalServerHandler, port?: number) {
20+
this.calls = 0
21+
this.port = port ?? 0
22+
this.running = false
23+
this.server = http.createServer(async (req: http.IncomingMessage, res: http.ServerResponse) => {
24+
this.calls++
25+
26+
if (handler !== undefined) {
27+
await handler(req, res)
28+
}
29+
})
30+
}
31+
32+
static async run(handler?: LocalServerHandler, port?: number) {
33+
const server = new LocalServer(handler, port)
34+
35+
await server.start()
36+
37+
return server
38+
}
39+
40+
async start() {
41+
return new Promise<AddressInfo>((resolve, reject) => {
42+
this.server.listen(this.port, () => {
43+
this.running = true
44+
45+
const address = this.server.address()
46+
47+
if (!address || typeof address === 'string') {
48+
return reject(new Error('Server cannot be started on a pipe or Unix socket'))
49+
}
50+
51+
this.port = address.port
52+
53+
resolve(address)
54+
})
55+
})
56+
}
57+
58+
async stop() {
59+
if (!this.running) {
60+
return
61+
}
62+
63+
return new Promise<void>((resolve, reject) => {
64+
this.server.close((error?: NodeJS.ErrnoException) => {
65+
if (error) {
66+
return reject(error)
67+
}
68+
69+
resolve()
70+
})
71+
})
72+
}
73+
74+
get url() {
75+
return `http://0.0.0.0:${this.port}`
76+
}
77+
}

‎tools/build.js

+22
Original file line numberDiff line numberDiff line change
@@ -1,4 +1,6 @@
1+
import { resolve } from 'node:path'
12
import { build, context } from 'esbuild'
3+
import { execaCommand } from 'execa'
24
import glob from 'fast-glob'
35
import { rm } from 'node:fs/promises'
46

@@ -58,10 +60,30 @@ async function bundle(entryPoints, format, watch) {
5860
})
5961
}
6062

63+
async function vendorDeno() {
64+
const vendorSource = resolve('edge-runtime/vendor.ts')
65+
const vendorDest = resolve('edge-runtime/vendor')
66+
67+
try {
68+
await execaCommand('deno --version')
69+
} catch {
70+
throw new Error('Could not check the version of Deno. Is it installed on your system?')
71+
}
72+
73+
console.log(`🧹 Deleting '${vendorDest}'...`)
74+
75+
await rm(vendorDest, { force: true, recursive: true })
76+
77+
console.log(`📦 Vendoring Deno modules into '${vendorDest}'...`)
78+
79+
await execaCommand(`deno vendor ${vendorSource} --output=${vendorDest}`)
80+
}
81+
6182
const args = new Set(process.argv.slice(2))
6283
const watch = args.has('--watch') || args.has('-w')
6384

6485
await Promise.all([
86+
vendorDeno(),
6587
bundle(entryPointsESM, 'esm', watch),
6688
...entryPointsCJS.map((entry) => bundle([entry], 'cjs', watch)),
6789
])

0 commit comments

Comments
 (0)
Please sign in to comment.