Skip to content

Commit f4eeaa2

Browse files
authored
fix: update cache handler to accomodate changes in next@canary (#2480)
* fix: update cache handler to accomodate changes in next@canary * initial implementation for creating cache entry blobs from prerendered content for APP_PAGE * chore: mark config.experimental.incrementalCacheHandlerPath as TS ignored, because it no longer exist in newest major, but we still have to set it for older next versions * fix: handle APP_PAGE cache kind when checking tag staleness * fix: handle prerendered ppr rsc * do Next.js version verification earlier and make it easy to grab the version after build command finished * decide wether to use APP_PAGE or PAGE kind based on actual next version
1 parent 1a741ac commit f4eeaa2

10 files changed

+1236
-391
lines changed

package-lock.json

+1,081-338
Some generated files are not rendered by default. Learn more about customizing how changed files appear on GitHub.

package.json

+1-1
Original file line numberDiff line numberDiff line change
@@ -79,7 +79,7 @@
7979
"memfs": "^4.9.2",
8080
"mock-require": "^3.0.3",
8181
"msw": "^2.0.7",
82-
"next": "^14.0.4",
82+
"next": "^15.0.0-canary.28",
8383
"os": "^0.1.2",
8484
"outdent": "^0.8.0",
8585
"p-limit": "^5.0.0",

src/build/content/prerendered.ts

+41-6
Original file line numberDiff line numberDiff line change
@@ -6,10 +6,12 @@ import { trace } from '@opentelemetry/api'
66
import { wrapTracer } from '@opentelemetry/api/experimental'
77
import { glob } from 'fast-glob'
88
import pLimit from 'p-limit'
9+
import { satisfies } from 'semver'
910

1011
import { encodeBlobKey } from '../../shared/blobkey.js'
1112
import type {
1213
CachedFetchValue,
14+
NetlifyCachedAppPageValue,
1315
NetlifyCachedPageValue,
1416
NetlifyCachedRouteValue,
1517
NetlifyCacheHandlerValue,
@@ -46,13 +48,29 @@ const buildPagesCacheValue = async (path: string): Promise<NetlifyCachedPageValu
4648
kind: 'PAGE',
4749
html: await readFile(`${path}.html`, 'utf-8'),
4850
pageData: JSON.parse(await readFile(`${path}.json`, 'utf-8')),
49-
postponed: undefined,
5051
headers: undefined,
5152
status: undefined,
5253
})
5354

54-
const buildAppCacheValue = async (path: string): Promise<NetlifyCachedPageValue> => {
55+
const buildAppCacheValue = async (
56+
path: string,
57+
shouldUseAppPageKind: boolean,
58+
): Promise<NetlifyCachedAppPageValue | NetlifyCachedPageValue> => {
5559
const meta = JSON.parse(await readFile(`${path}.meta`, 'utf-8'))
60+
const html = await readFile(`${path}.html`, 'utf-8')
61+
62+
// supporting both old and new cache kind for App Router pages - https://github.com/vercel/next.js/pull/65988
63+
if (shouldUseAppPageKind) {
64+
return {
65+
kind: 'APP_PAGE',
66+
html,
67+
rscData: await readFile(`${path}.rsc`, 'base64').catch(() =>
68+
readFile(`${path}.prefetch.rsc`, 'base64'),
69+
),
70+
...meta,
71+
}
72+
}
73+
5674
const rsc = await readFile(`${path}.rsc`, 'utf-8').catch(() =>
5775
readFile(`${path}.prefetch.rsc`, 'utf-8'),
5876
)
@@ -66,10 +84,9 @@ const buildAppCacheValue = async (path: string): Promise<NetlifyCachedPageValue>
6684
) {
6785
meta.status = 404
6886
}
69-
7087
return {
7188
kind: 'PAGE',
72-
html: await readFile(`${path}.html`, 'utf-8'),
89+
html,
7390
pageData: rsc,
7491
...meta,
7592
}
@@ -103,6 +120,18 @@ export const copyPrerenderedContent = async (ctx: PluginContext): Promise<void>
103120

104121
const limitConcurrentPrerenderContentHandling = pLimit(10)
105122

123+
// https://github.com/vercel/next.js/pull/65988 introduced Cache kind specific to pages in App Router (`APP_PAGE`).
124+
// Before this change there was common kind for both Pages router and App router pages
125+
// so we check Next.js version to decide how to generate cache values for App Router pages.
126+
// Note: at time of writing this code, released 15@rc uses old kind for App Router pages, while [email protected] and newer canaries use new kind.
127+
// Looking at 15@rc release branch it was merging `canary` branch in, so the version constraint assumes that future 15@rc (and 15@latest) versions
128+
// will use new kind for App Router pages.
129+
const shouldUseAppPageKind = ctx.nextVersion
130+
? satisfies(ctx.nextVersion, '>=15.0.0-canary.13 <15.0.0-d || >15.0.0-rc.0', {
131+
includePrerelease: true,
132+
})
133+
: false
134+
106135
await Promise.all(
107136
Object.entries(manifest.routes).map(
108137
([route, meta]): Promise<void> =>
@@ -125,7 +154,10 @@ export const copyPrerenderedContent = async (ctx: PluginContext): Promise<void>
125154
value = await buildPagesCacheValue(join(ctx.publishDir, 'server/pages', key))
126155
break
127156
case meta.dataRoute?.endsWith('.rsc'):
128-
value = await buildAppCacheValue(join(ctx.publishDir, 'server/app', key))
157+
value = await buildAppCacheValue(
158+
join(ctx.publishDir, 'server/app', key),
159+
shouldUseAppPageKind,
160+
)
129161
break
130162
case meta.dataRoute === null:
131163
value = await buildRouteCacheValue(
@@ -147,7 +179,10 @@ export const copyPrerenderedContent = async (ctx: PluginContext): Promise<void>
147179
if (existsSync(join(ctx.publishDir, `server/app/_not-found.html`))) {
148180
const lastModified = Date.now()
149181
const key = '/404'
150-
const value = await buildAppCacheValue(join(ctx.publishDir, 'server/app/_not-found'))
182+
const value = await buildAppCacheValue(
183+
join(ctx.publishDir, 'server/app/_not-found'),
184+
shouldUseAppPageKind,
185+
)
151186
await writeCacheEntry(key, value, lastModified, ctx)
152187
}
153188
} catch (error) {

src/build/content/server.ts

+3-17
Original file line numberDiff line numberDiff line change
@@ -20,7 +20,6 @@ import { prerelease, lt as semverLowerThan, lte as semverLowerThanOrEqual } from
2020

2121
import { RUN_CONFIG } from '../../run/constants.js'
2222
import { PluginContext } from '../plugin-context.js'
23-
import { verifyNextVersion } from '../verification.js'
2423

2524
const tracer = wrapTracer(trace.getTracer('Next runtime'))
2625

@@ -292,26 +291,13 @@ export const copyNextDependencies = async (ctx: PluginContext): Promise<void> =>
292291

293292
await Promise.all(promises)
294293

295-
// detect if it might lead to a runtime issue and throw an error upfront on build time instead of silently failing during runtime
296294
const serverHandlerRequire = createRequire(posixJoin(ctx.serverHandlerDir, ':internal:'))
297295

298-
let nextVersion: string | undefined
299-
try {
300-
const { version } = serverHandlerRequire('next/package.json')
301-
if (version) {
302-
nextVersion = version as string
303-
}
304-
} catch {
305-
// failed to resolve package.json - currently this is resolvable in all known next versions, but if next implements
306-
// exports map it still might be a problem in the future, so we are not breaking here
307-
}
308-
309-
if (nextVersion) {
310-
verifyNextVersion(ctx, nextVersion)
311-
312-
await patchNextModules(ctx, nextVersion, serverHandlerRequire.resolve)
296+
if (ctx.nextVersion) {
297+
await patchNextModules(ctx, ctx.nextVersion, serverHandlerRequire.resolve)
313298
}
314299

300+
// detect if it might lead to a runtime issue and throw an error upfront on build time instead of silently failing during runtime
315301
try {
316302
const nextEntryAbsolutePath = serverHandlerRequire.resolve('next')
317303
const nextRequire = createRequire(nextEntryAbsolutePath)

src/build/plugin-context.ts

+21
Original file line numberDiff line numberDiff line change
@@ -1,6 +1,8 @@
11
import { existsSync, readFileSync } from 'node:fs'
22
import { readFile } from 'node:fs/promises'
3+
import { createRequire } from 'node:module'
34
import { join, relative, resolve } from 'node:path'
5+
import { join as posixJoin } from 'node:path/posix'
46
import { fileURLToPath } from 'node:url'
57

68
import type {
@@ -313,6 +315,25 @@ export class PluginContext {
313315
return JSON.parse(await readFile(join(this.publishDir, 'routes-manifest.json'), 'utf-8'))
314316
}
315317

318+
#nextVersion: string | null | undefined = undefined
319+
320+
/**
321+
* Get Next.js version that was used to build the site
322+
*/
323+
get nextVersion(): string | null {
324+
if (this.#nextVersion === undefined) {
325+
try {
326+
const serverHandlerRequire = createRequire(posixJoin(this.standaloneRootDir, ':internal:'))
327+
const { version } = serverHandlerRequire('next/package.json')
328+
this.#nextVersion = version as string
329+
} catch {
330+
this.#nextVersion = null
331+
}
332+
}
333+
334+
return this.#nextVersion
335+
}
336+
316337
/** Fails a build with a message and an optional error */
317338
failBuild(message: string, error?: unknown): never {
318339
return this.utils.build.failBuild(message, error instanceof Error ? { error } : undefined)

src/build/verification.ts

+9-8
Original file line numberDiff line numberDiff line change
@@ -47,6 +47,15 @@ export function verifyPublishDir(ctx: PluginContext) {
4747
`Your publish directory does not contain expected Next.js build output. Please make sure you are using Next.js version (${SUPPORTED_NEXT_VERSIONS})`,
4848
)
4949
}
50+
51+
if (
52+
ctx.nextVersion &&
53+
!satisfies(ctx.nextVersion, SUPPORTED_NEXT_VERSIONS, { includePrerelease: true })
54+
) {
55+
ctx.failBuild(
56+
`@netlify/plugin-next@5 requires Next.js version ${SUPPORTED_NEXT_VERSIONS}, but found ${ctx.nextVersion}. Please upgrade your project's Next.js version.`,
57+
)
58+
}
5059
}
5160
if (ctx.buildConfig.output === 'export') {
5261
if (!ctx.exportDetail?.success) {
@@ -60,14 +69,6 @@ export function verifyPublishDir(ctx: PluginContext) {
6069
}
6170
}
6271

63-
export function verifyNextVersion(ctx: PluginContext, nextVersion: string): void | never {
64-
if (!satisfies(nextVersion, SUPPORTED_NEXT_VERSIONS, { includePrerelease: true })) {
65-
ctx.failBuild(
66-
`@netlify/plugin-next@5 requires Next.js version ${SUPPORTED_NEXT_VERSIONS}, but found ${nextVersion}. Please upgrade your project's Next.js version.`,
67-
)
68-
}
69-
}
70-
7172
export async function verifyNoAdvancedAPIRoutes(ctx: PluginContext) {
7273
const apiRoutesConfigs = await getAPIRoutesConfigs(ctx)
7374

src/run/config.ts

+2
Original file line numberDiff line numberDiff line change
@@ -25,6 +25,8 @@ export const setRunConfig = (config: NextConfigComplete) => {
2525
// set the path to the cache handler
2626
config.experimental = {
2727
...config.experimental,
28+
// @ts-expect-error incrementalCacheHandlerPath was removed from config type
29+
// but we still need to set it for older Next.js versions
2830
incrementalCacheHandlerPath: cacheHandler,
2931
}
3032

src/run/handlers/cache.cts

+61-18
Original file line numberDiff line numberDiff line change
@@ -10,8 +10,6 @@ import { purgeCache } from '@netlify/functions'
1010
import { type Span } from '@opentelemetry/api'
1111
import type { PrerenderManifest } from 'next/dist/build/index.js'
1212
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'
1513

1614
import type {
1715
CacheHandler,
@@ -111,23 +109,41 @@ export class NetlifyCacheHandler implements CacheHandler {
111109
return restOfRouteValue
112110
}
113111

114-
private injectEntryToPrerenderManifest(
112+
private async injectEntryToPrerenderManifest(
115113
key: string,
116114
revalidate: NetlifyCachedPageValue['revalidate'],
117115
) {
118116
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-
}
117+
try {
118+
const { loadManifest } = await import('next/dist/server/load-manifest.js')
119+
const prerenderManifest = loadManifest(
120+
join(this.options.serverDistDir, '..', 'prerender-manifest.json'),
121+
) as PrerenderManifest
122+
123+
try {
124+
const { normalizePagePath } = await import(
125+
'next/dist/shared/lib/page-path/normalize-page-path.js'
126+
)
127+
128+
prerenderManifest.routes[key] = {
129+
experimentalPPR: undefined,
130+
dataRoute: posixJoin('/_next/data', `${normalizePagePath(key)}.json`),
131+
srcRoute: null, // FIXME: provide actual source route, however, when dynamically appending it doesn't really matter
132+
initialRevalidateSeconds: revalidate,
133+
// Pages routes do not have a prefetch data route.
134+
prefetchDataRoute: undefined,
135+
}
136+
} catch {
137+
// depending on Next.js version - prerender manifest might not be mutable
138+
// https://github.com/vercel/next.js/pull/64313
139+
// if it's not mutable we will try to use SharedRevalidateTimings ( https://github.com/vercel/next.js/pull/64370) instead
140+
const { SharedRevalidateTimings } = await import(
141+
'next/dist/server/lib/incremental-cache/shared-revalidate-timings.js'
142+
)
143+
const sharedRevalidateTimings = new SharedRevalidateTimings(prerenderManifest)
144+
sharedRevalidateTimings.set(key, revalidate)
145+
}
146+
} catch {}
131147
}
132148
}
133149

@@ -178,7 +194,7 @@ export class NetlifyCacheHandler implements CacheHandler {
178194
lastModified: blob.lastModified,
179195
value: {
180196
...valueWithoutRevalidate,
181-
body: Buffer.from(valueWithoutRevalidate.body as unknown as string, 'base64'),
197+
body: Buffer.from(valueWithoutRevalidate.body, 'base64'),
182198
},
183199
}
184200
}
@@ -187,13 +203,28 @@ export class NetlifyCacheHandler implements CacheHandler {
187203

188204
const { revalidate, ...restOfPageValue } = blob.value
189205

190-
this.injectEntryToPrerenderManifest(key, revalidate)
206+
await this.injectEntryToPrerenderManifest(key, revalidate)
191207

192208
return {
193209
lastModified: blob.lastModified,
194210
value: restOfPageValue,
195211
}
196212
}
213+
case 'APP_PAGE': {
214+
span.addEvent('APP_PAGE', { lastModified: blob.lastModified })
215+
216+
const { revalidate, rscData, ...restOfPageValue } = blob.value
217+
218+
await this.injectEntryToPrerenderManifest(key, revalidate)
219+
220+
return {
221+
lastModified: blob.lastModified,
222+
value: {
223+
...restOfPageValue,
224+
rscData: rscData ? Buffer.from(rscData, 'base64') : undefined,
225+
},
226+
}
227+
}
197228
default:
198229
span.recordException(new Error(`Unknown cache entry kind: ${blob.value?.kind}`))
199230
}
@@ -220,6 +251,14 @@ export class NetlifyCacheHandler implements CacheHandler {
220251
}
221252
}
222253

254+
if (data?.kind === 'APP_PAGE') {
255+
return {
256+
...data,
257+
revalidate: context.revalidate,
258+
rscData: data.rscData?.toString('base64'),
259+
}
260+
}
261+
223262
return data
224263
}
225264

@@ -299,7 +338,11 @@ export class NetlifyCacheHandler implements CacheHandler {
299338

300339
if (cacheEntry.value?.kind === 'FETCH') {
301340
cacheTags = [...tags, ...softTags]
302-
} else if (cacheEntry.value?.kind === 'PAGE' || cacheEntry.value?.kind === 'ROUTE') {
341+
} else if (
342+
cacheEntry.value?.kind === 'PAGE' ||
343+
cacheEntry.value?.kind === 'APP_PAGE' ||
344+
cacheEntry.value?.kind === 'ROUTE'
345+
) {
303346
cacheTags = (cacheEntry.value.headers?.[NEXT_CACHE_TAGS_HEADER] as string)?.split(',') || []
304347
} else {
305348
return false

src/shared/cache-types.cts

+16-2
Original file line numberDiff line numberDiff line change
@@ -4,6 +4,7 @@ import type {
44
} from 'next/dist/server/lib/incremental-cache/index.js'
55
import type {
66
CachedRouteValue,
7+
IncrementalCachedAppPageValue,
78
IncrementalCacheValue,
89
} from 'next/dist/server/response-cache/types.js'
910

@@ -21,6 +22,12 @@ export type NetlifyCachedRouteValue = Omit<CachedRouteValue, 'body'> & {
2122
revalidate: Parameters<IncrementalCache['set']>[2]['revalidate']
2223
}
2324

25+
export type NetlifyCachedAppPageValue = Omit<IncrementalCachedAppPageValue, 'rscData'> & {
26+
// Next.js stores rscData as buffer, while we store it as base64 encoded string
27+
rscData: string | undefined
28+
revalidate?: Parameters<IncrementalCache['set']>[2]['revalidate']
29+
}
30+
2431
type CachedPageValue = Extract<IncrementalCacheValue, { kind: 'PAGE' }>
2532

2633
export type NetlifyCachedPageValue = CachedPageValue & {
@@ -30,15 +37,22 @@ export type NetlifyCachedPageValue = CachedPageValue & {
3037
export type CachedFetchValue = Extract<IncrementalCacheValue, { kind: 'FETCH' }>
3138

3239
export type NetlifyIncrementalCacheValue =
33-
| Exclude<IncrementalCacheValue, CachedRouteValue | CachedPageValue>
40+
| Exclude<
41+
IncrementalCacheValue,
42+
CachedRouteValue | CachedPageValue | IncrementalCachedAppPageValue
43+
>
3444
| NetlifyCachedRouteValue
3545
| NetlifyCachedPageValue
46+
| NetlifyCachedAppPageValue
3647

3748
type CachedRouteValueToNetlify<T> = T extends CachedRouteValue
3849
? NetlifyCachedRouteValue
3950
: T extends CachedPageValue
4051
? NetlifyCachedPageValue
41-
: T
52+
: T extends IncrementalCachedAppPageValue
53+
? NetlifyCachedAppPageValue
54+
: T
55+
4256
type MapCachedRouteValueToNetlify<T> = { [K in keyof T]: CachedRouteValueToNetlify<T[K]> }
4357

4458
export type NetlifyCacheHandlerValue = MapCachedRouteValueToNetlify<CacheHandlerValue>

0 commit comments

Comments
 (0)