Skip to content

Commit c91e257

Browse files
piehserhalp
andauthored
fix: update in-memory prerender manifest with information from full route cache (#579)
* test: nonprerendered page and sanboxed lambda invocations * fix: update prerender manifest with information from full route cache * fix: use serverDistDir from options passed to CacheHandler to figure out prerender-manifest.json path * chore: fix windows specific things --------- Co-authored-by: Philippe Serhal <[email protected]>
1 parent 9727c6b commit c91e257

File tree

6 files changed

+258
-18
lines changed

6 files changed

+258
-18
lines changed

src/build/content/prerendered.ts

+3-3
Original file line numberDiff line numberDiff line change
@@ -10,7 +10,7 @@ import pLimit from 'p-limit'
1010
import { encodeBlobKey } from '../../shared/blobkey.js'
1111
import type {
1212
CachedFetchValue,
13-
CachedPageValue,
13+
NetlifyCachedPageValue,
1414
NetlifyCachedRouteValue,
1515
NetlifyCacheHandlerValue,
1616
NetlifyIncrementalCacheValue,
@@ -42,7 +42,7 @@ const writeCacheEntry = async (
4242
*/
4343
const routeToFilePath = (path: string) => (path === '/' ? '/index' : path)
4444

45-
const buildPagesCacheValue = async (path: string): Promise<CachedPageValue> => ({
45+
const buildPagesCacheValue = async (path: string): Promise<NetlifyCachedPageValue> => ({
4646
kind: 'PAGE',
4747
html: await readFile(`${path}.html`, 'utf-8'),
4848
pageData: JSON.parse(await readFile(`${path}.json`, 'utf-8')),
@@ -51,7 +51,7 @@ const buildPagesCacheValue = async (path: string): Promise<CachedPageValue> => (
5151
status: undefined,
5252
})
5353

54-
const buildAppCacheValue = async (path: string): Promise<CachedPageValue> => {
54+
const buildAppCacheValue = async (path: string): Promise<NetlifyCachedPageValue> => {
5555
const meta = JSON.parse(await readFile(`${path}.meta`, 'utf-8'))
5656
const rsc = await readFile(`${path}.rsc`, 'utf-8').catch(() =>
5757
readFile(`${path}.prefetch.rsc`, 'utf-8'),

src/run/handlers/cache.cts

+57-11
Original file line numberDiff line numberDiff line change
@@ -2,16 +2,22 @@
22
// (CJS format because Next.js doesn't support ESM yet)
33
//
44
import { Buffer } from 'node:buffer'
5+
import { join } from 'node:path'
6+
import { join as posixJoin } from 'node:path/posix'
57

68
import { Store } from '@netlify/blobs'
79
import { purgeCache } from '@netlify/functions'
810
import { type Span } from '@opentelemetry/api'
11+
import type { PrerenderManifest } from 'next/dist/build/index.js'
912
import { NEXT_CACHE_TAGS_HEADER } from 'next/dist/lib/constants.js'
13+
import { loadManifest } from 'next/dist/server/load-manifest.js'
14+
import { normalizePagePath } from 'next/dist/shared/lib/page-path/normalize-page-path.js'
1015

1116
import type {
1217
CacheHandler,
1318
CacheHandlerContext,
1419
IncrementalCache,
20+
NetlifyCachedPageValue,
1521
NetlifyCachedRouteValue,
1622
NetlifyCacheHandlerValue,
1723
NetlifyIncrementalCacheValue,
@@ -105,6 +111,26 @@ export class NetlifyCacheHandler implements CacheHandler {
105111
return restOfRouteValue
106112
}
107113

114+
private injectEntryToPrerenderManifest(
115+
key: string,
116+
revalidate: NetlifyCachedPageValue['revalidate'],
117+
) {
118+
if (this.options.serverDistDir && (typeof revalidate === 'number' || revalidate === false)) {
119+
const prerenderManifest = loadManifest(
120+
join(this.options.serverDistDir, '..', 'prerender-manifest.json'),
121+
) as PrerenderManifest
122+
123+
prerenderManifest.routes[key] = {
124+
experimentalPPR: undefined,
125+
dataRoute: posixJoin('/_next/data', `${normalizePagePath(key)}.json`),
126+
srcRoute: null, // FIXME: provide actual source route, however, when dynamically appending it doesn't really matter
127+
initialRevalidateSeconds: revalidate,
128+
// Pages routes do not have a prefetch data route.
129+
prefetchDataRoute: undefined,
130+
}
131+
}
132+
}
133+
108134
async get(...args: Parameters<CacheHandler['get']>): ReturnType<CacheHandler['get']> {
109135
return this.tracer.withActiveSpan('get cache key', async (span) => {
110136
const [key, ctx = {}] = args
@@ -156,19 +182,47 @@ export class NetlifyCacheHandler implements CacheHandler {
156182
},
157183
}
158184
}
159-
case 'PAGE':
185+
case 'PAGE': {
160186
span.addEvent('PAGE', { lastModified: blob.lastModified })
187+
188+
const { revalidate, ...restOfPageValue } = blob.value
189+
190+
this.injectEntryToPrerenderManifest(key, revalidate)
191+
161192
return {
162193
lastModified: blob.lastModified,
163-
value: blob.value,
194+
value: restOfPageValue,
164195
}
196+
}
165197
default:
166198
span.recordException(new Error(`Unknown cache entry kind: ${blob.value?.kind}`))
167199
}
168200
return null
169201
})
170202
}
171203

204+
private transformToStorableObject(
205+
data: Parameters<IncrementalCache['set']>[1],
206+
context: Parameters<IncrementalCache['set']>[2],
207+
): NetlifyIncrementalCacheValue | null {
208+
if (data?.kind === 'ROUTE') {
209+
return {
210+
...data,
211+
revalidate: context.revalidate,
212+
body: data.body.toString('base64'),
213+
}
214+
}
215+
216+
if (data?.kind === 'PAGE') {
217+
return {
218+
...data,
219+
revalidate: context.revalidate,
220+
}
221+
}
222+
223+
return data
224+
}
225+
172226
async set(...args: Parameters<IncrementalCache['set']>) {
173227
return this.tracer.withActiveSpan('set cache key', async (span) => {
174228
const [key, data, context] = args
@@ -178,15 +232,7 @@ export class NetlifyCacheHandler implements CacheHandler {
178232

179233
getLogger().debug(`[NetlifyCacheHandler.set]: ${key}`)
180234

181-
const value: NetlifyIncrementalCacheValue | null =
182-
data?.kind === 'ROUTE'
183-
? // don't mutate data, as it's used for the initial response - instead create a new object
184-
{
185-
...data,
186-
revalidate: context.revalidate,
187-
body: data.body.toString('base64'),
188-
}
189-
: data
235+
const value = this.transformToStorableObject(data, context)
190236

191237
await this.blobStore.setJSON(blobKey, {
192238
lastModified,

src/shared/cache-types.cts

+13-3
Original file line numberDiff line numberDiff line change
@@ -21,14 +21,24 @@ export type NetlifyCachedRouteValue = Omit<CachedRouteValue, 'body'> & {
2121
revalidate: Parameters<IncrementalCache['set']>[2]['revalidate']
2222
}
2323

24-
export type CachedPageValue = Extract<IncrementalCacheValue, { kind: 'PAGE' }>
24+
type CachedPageValue = Extract<IncrementalCacheValue, { kind: 'PAGE' }>
25+
26+
export type NetlifyCachedPageValue = CachedPageValue & {
27+
revalidate?: Parameters<IncrementalCache['set']>[2]['revalidate']
28+
}
29+
2530
export type CachedFetchValue = Extract<IncrementalCacheValue, { kind: 'FETCH' }>
2631

2732
export type NetlifyIncrementalCacheValue =
28-
| Exclude<IncrementalCacheValue, CachedRouteValue>
33+
| Exclude<IncrementalCacheValue, CachedRouteValue | CachedPageValue>
2934
| NetlifyCachedRouteValue
35+
| NetlifyCachedPageValue
3036

31-
type CachedRouteValueToNetlify<T> = T extends CachedRouteValue ? NetlifyCachedRouteValue : T
37+
type CachedRouteValueToNetlify<T> = T extends CachedRouteValue
38+
? NetlifyCachedRouteValue
39+
: T extends CachedPageValue
40+
? NetlifyCachedPageValue
41+
: T
3242
type MapCachedRouteValueToNetlify<T> = { [K in keyof T]: CachedRouteValueToNetlify<T[K]> }
3343

3444
export type NetlifyCacheHandlerValue = MapCachedRouteValueToNetlify<CacheHandlerValue>

tests/integration/cache-handler.test.ts

+46-1
Original file line numberDiff line numberDiff line change
@@ -3,7 +3,12 @@ import { getLogger } from 'lambda-local'
33
import { v4 } from 'uuid'
44
import { beforeEach, describe, expect, test, vi } from 'vitest'
55
import { type FixtureTestContext } from '../utils/contexts.js'
6-
import { createFixture, invokeFunction, runPlugin } from '../utils/fixture.js'
6+
import {
7+
createFixture,
8+
invokeFunction,
9+
invokeSandboxedFunction,
10+
runPlugin,
11+
} from '../utils/fixture.js'
712
import {
813
countOfBlobServerGetsForKey,
914
decodeBlobKey,
@@ -299,6 +304,46 @@ describe('app router', () => {
299304
).toBe(1)
300305
ctx.blobServerGetSpy.mockClear()
301306
})
307+
308+
test<FixtureTestContext>("not-prerendered pages should be permanently cached when produced by sandboxed invocations that don't share memory", async (ctx) => {
309+
await createFixture('server-components', ctx)
310+
await runPlugin(ctx)
311+
312+
const blobEntries = await getBlobEntries(ctx)
313+
// dynamic route that is not pre-rendered should NOT be in the blob store (this is to ensure that test setup is correct)
314+
expect(blobEntries.map(({ key }) => decodeBlobKey(key))).not.toContain('/static-fetch/3')
315+
316+
// there is no pre-rendered page for this route, so it should result in a cache miss and blocking render
317+
const call1 = await invokeSandboxedFunction(ctx, { url: '/static-fetch/3' })
318+
expect(
319+
call1.headers['cache-status'],
320+
'Page should not be in cache yet as this is first time it is being generated',
321+
).toBe('"Next.js"; fwd=miss')
322+
323+
const call1Date = load(call1.body)('[data-testid="date-now"]').text()
324+
325+
await new Promise((res) => setTimeout(res, 5000))
326+
327+
const call2 = await invokeSandboxedFunction(ctx, { url: '/static-fetch/3' })
328+
expect(
329+
call2.headers['cache-status'],
330+
'Page should be permanently cached after initial render',
331+
).toBe('"Next.js"; hit')
332+
333+
const call2Date = load(call2.body)('[data-testid="date-now"]').text()
334+
expect(call2Date, 'Content of response should match').toBe(call1Date)
335+
336+
await new Promise((res) => setTimeout(res, 5000))
337+
338+
const call3 = await invokeSandboxedFunction(ctx, { url: '/static-fetch/3' })
339+
expect(
340+
call3.headers['cache-status'],
341+
'Page should be permanently cached after initial render',
342+
).toBe('"Next.js"; hit')
343+
const call3Date = load(call3.body)('[data-testid="date-now"]').text()
344+
345+
expect(call3Date, 'Content of response should match').toBe(call2Date)
346+
})
302347
})
303348

304349
describe('plugin', () => {

tests/utils/fixture.ts

+47
Original file line numberDiff line numberDiff line change
@@ -7,6 +7,7 @@ import { zipFunctions } from '@netlify/zip-it-and-ship-it'
77
import { execaCommand } from 'execa'
88
import getPort from 'get-port'
99
import { execute } from 'lambda-local'
10+
import { spawn } from 'node:child_process'
1011
import { createWriteStream, existsSync } from 'node:fs'
1112
import { cp, mkdir, mkdtemp, readFile, rm, writeFile } from 'node:fs/promises'
1213
import { tmpdir } from 'node:os'
@@ -449,3 +450,49 @@ export async function invokeEdgeFunction(
449450
},
450451
})
451452
}
453+
454+
export async function invokeSandboxedFunction(
455+
ctx: FixtureTestContext,
456+
options: Parameters<typeof invokeFunction>[1] = {},
457+
) {
458+
return new Promise<ReturnType<typeof invokeFunction>>((resolve, reject) => {
459+
const childProcess = spawn(process.execPath, [import.meta.dirname + '/sandbox-child.mjs'], {
460+
stdio: ['pipe', 'pipe', 'pipe', 'ipc'],
461+
cwd: process.cwd(),
462+
})
463+
464+
childProcess.stdout?.on('data', (data) => {
465+
console.log(data.toString())
466+
})
467+
468+
childProcess.stderr?.on('data', (data) => {
469+
console.error(data.toString())
470+
})
471+
472+
childProcess.on('message', (msg: any) => {
473+
if (msg?.action === 'invokeFunctionResult') {
474+
resolve(msg.result)
475+
childProcess.send({ action: 'exit' })
476+
}
477+
})
478+
479+
childProcess.on('exit', () => {
480+
reject(new Error('worker exited before returning result'))
481+
})
482+
483+
childProcess.send({
484+
action: 'invokeFunction',
485+
args: [
486+
// context object is not serializable so we create serializable object
487+
// containing required properties to invoke lambda
488+
{
489+
functionDist: ctx.functionDist,
490+
blobStoreHost: ctx.blobStoreHost,
491+
siteID: ctx.siteID,
492+
deployID: ctx.deployID,
493+
},
494+
options,
495+
],
496+
})
497+
})
498+
}

tests/utils/sandbox-child.mjs

+92
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,92 @@
1+
import { Buffer } from 'node:buffer'
2+
import { join } from 'node:path'
3+
4+
import { execute, getLogger } from 'lambda-local'
5+
6+
const SERVER_HANDLER_NAME = '___netlify-server-handler'
7+
const BLOB_TOKEN = 'secret-token'
8+
9+
getLogger().level = 'alert'
10+
11+
const createBlobContext = (ctx) =>
12+
Buffer.from(
13+
JSON.stringify({
14+
edgeURL: `http://${ctx.blobStoreHost}`,
15+
uncachedEdgeURL: `http://${ctx.blobStoreHost}`,
16+
token: BLOB_TOKEN,
17+
siteID: ctx.siteID,
18+
deployID: ctx.deployID,
19+
primaryRegion: 'us-test-1',
20+
}),
21+
).toString('base64')
22+
23+
function streamToBuffer(stream) {
24+
const chunks = []
25+
26+
return new Promise((resolve, reject) => {
27+
stream.on('data', (chunk) => chunks.push(Buffer.from(chunk)))
28+
stream.on('error', (err) => reject(err))
29+
stream.on('end', () => resolve(Buffer.concat(chunks)))
30+
})
31+
}
32+
33+
process.on('message', async (msg) => {
34+
if (msg?.action === 'exit') {
35+
process.exit(0)
36+
} else if (msg?.action === 'invokeFunction') {
37+
try {
38+
const [ctx, options] = msg.args
39+
const { httpMethod, headers, body, url, env } = options
40+
41+
const { handler } = await import(
42+
'file:///' + join(ctx.functionDist, SERVER_HANDLER_NAME, '___netlify-entry-point.mjs')
43+
)
44+
45+
const environment = {
46+
NODE_ENV: 'production',
47+
NETLIFY_BLOBS_CONTEXT: createBlobContext(ctx),
48+
...(env || {}),
49+
}
50+
51+
const response = await execute({
52+
event: {
53+
headers: headers || {},
54+
httpMethod: httpMethod || 'GET',
55+
rawUrl: new URL(url || '/', 'https://example.netlify').href,
56+
},
57+
environment,
58+
envdestroy: true,
59+
lambdaFunc: { handler },
60+
timeoutMs: 4_000,
61+
})
62+
63+
const responseHeaders = Object.entries(response.multiValueHeaders || {}).reduce(
64+
(prev, [key, value]) => ({
65+
...prev,
66+
[key]: value.length === 1 ? `${value}` : value.join(', '),
67+
}),
68+
response.headers || {},
69+
)
70+
71+
const bodyBuffer = await streamToBuffer(response.body)
72+
73+
const result = {
74+
statusCode: response.statusCode,
75+
bodyBuffer,
76+
body: bodyBuffer.toString('utf-8'),
77+
headers: responseHeaders,
78+
isBase64Encoded: response.isBase64Encoded,
79+
}
80+
81+
if (process.send) {
82+
process.send({
83+
action: 'invokeFunctionResult',
84+
result,
85+
})
86+
}
87+
} catch (e) {
88+
console.log('error', e)
89+
process.exit(1)
90+
}
91+
}
92+
})

0 commit comments

Comments
 (0)