Skip to content

Commit 4a0c285

Browse files
authored
fix: cache freshness for ISR content (#235)
* Revert mtime fix and amend cache entry freshness fix: revert commit 4e5d5fc fix: exclude fetch responses from build cache fix: stop uploading fetch cache entries to blob store fix: upload prerendered content to blob store as stale fix: only upload content as stale for revalidate * chore: use next types for cache values * fix: use a truthy lastModified value in the past * test: update tests * chore: remove only on test * feat: reinstate fetch cache but stale * chore: fix types to use Next.js types * fix: delete fetch-cache files before saving to cache * fix: add cache restore to utils mock
1 parent 30b091c commit 4a0c285

File tree

9 files changed

+99
-172
lines changed

9 files changed

+99
-172
lines changed

src/build/cache.ts

+17-8
Original file line numberDiff line numberDiff line change
@@ -1,24 +1,33 @@
11
import { existsSync } from 'node:fs'
2+
import { rm } from 'node:fs/promises'
23
import { join } from 'node:path'
34

45
import type { PluginContext } from './plugin-context.js'
56

67
export const saveBuildCache = async (ctx: PluginContext) => {
7-
if (await ctx.utils.cache.save(join(ctx.publishDir, 'cache'))) {
8-
console.log('Next.js cache saved.')
8+
const { cache } = ctx.utils
9+
const cacheDir = join(ctx.publishDir, 'cache')
10+
11+
if (existsSync(cacheDir)) {
12+
// remove the fetch responses because they are never updated once
13+
// created at build time and would always be stale if saved
14+
await rm(join(cacheDir, 'fetch-cache'), { recursive: true, force: true })
15+
16+
await cache.save(cacheDir)
17+
18+
console.log('Next.js cache saved')
919
} else {
10-
console.log('No Next.js cache to save.')
20+
console.log('No Next.js cache to save')
1121
}
1222
}
1323

1424
export const restoreBuildCache = async (ctx: PluginContext) => {
1525
const { cache } = ctx.utils
26+
const cacheDir = join(ctx.publishDir, 'cache')
1627

17-
if (existsSync(join(ctx.publishDir, 'cache'))) {
18-
console.log('Next.js cache found.')
19-
} else if (await cache.restore(join(ctx.publishDir, 'cache'))) {
20-
console.log('Next.js cache restored.')
28+
if (await cache.restore(cacheDir)) {
29+
console.log('Next.js cache restored')
2130
} else {
22-
console.log('No Next.js cache to restore.')
31+
console.log('No Next.js cache to restore')
2332
}
2433
}

src/build/content/prerendered.ts

+48-31
Original file line numberDiff line numberDiff line change
@@ -1,42 +1,65 @@
11
import { existsSync } from 'node:fs'
2-
import { readFile } from 'node:fs/promises'
3-
import { join } from 'node:path'
2+
import { mkdir, readFile, writeFile } from 'node:fs/promises'
3+
import { dirname, join } from 'node:path'
44

5-
import glob from 'fast-glob'
5+
import { glob } from 'fast-glob'
6+
import type { CacheHandlerValue } from 'next/dist/server/lib/incremental-cache/index.js'
7+
import type { IncrementalCacheValue } from 'next/dist/server/response-cache/types.js'
68

7-
import type {
8-
CacheValue,
9-
FetchCacheValue,
10-
PageCacheValue,
11-
PluginContext,
12-
RouteCacheValue,
13-
} from '../plugin-context.js'
9+
import { encodeBlobKey } from '../../shared/blobkey.js'
10+
import type { PluginContext } from '../plugin-context.js'
11+
12+
type CachedPageValue = Extract<IncrementalCacheValue, { kind: 'PAGE' }>
13+
type CachedRouteValue = Extract<IncrementalCacheValue, { kind: 'ROUTE' }>
14+
type CachedFetchValue = Extract<IncrementalCacheValue, { kind: 'FETCH' }>
15+
16+
/**
17+
* Write a cache entry to the blob upload directory.
18+
*/
19+
const writeCacheEntry = async (
20+
route: string,
21+
value: IncrementalCacheValue,
22+
lastModified: number,
23+
ctx: PluginContext,
24+
): Promise<void> => {
25+
const path = join(ctx.blobDir, await encodeBlobKey(route))
26+
const entry = JSON.stringify({
27+
lastModified,
28+
value,
29+
} satisfies CacheHandlerValue)
30+
31+
await mkdir(dirname(path), { recursive: true })
32+
await writeFile(path, entry, 'utf-8')
33+
}
1434

1535
/**
1636
* Normalize routes by stripping leading slashes and ensuring root path is index
1737
*/
1838
const routeToFilePath = (path: string) => (path === '/' ? '/index' : path)
1939

20-
const buildPagesCacheValue = async (path: string): Promise<PageCacheValue> => ({
40+
const buildPagesCacheValue = async (path: string): Promise<CachedPageValue> => ({
2141
kind: 'PAGE',
2242
html: await readFile(`${path}.html`, 'utf-8'),
2343
pageData: JSON.parse(await readFile(`${path}.json`, 'utf-8')),
44+
postponed: undefined,
45+
headers: undefined,
46+
status: undefined,
2447
})
2548

26-
const buildAppCacheValue = async (path: string): Promise<PageCacheValue> => ({
49+
const buildAppCacheValue = async (path: string): Promise<CachedPageValue> => ({
2750
kind: 'PAGE',
2851
html: await readFile(`${path}.html`, 'utf-8'),
2952
pageData: await readFile(`${path}.rsc`, 'utf-8'),
3053
...JSON.parse(await readFile(`${path}.meta`, 'utf-8')),
3154
})
3255

33-
const buildRouteCacheValue = async (path: string): Promise<RouteCacheValue> => ({
56+
const buildRouteCacheValue = async (path: string): Promise<CachedRouteValue> => ({
3457
kind: 'ROUTE',
3558
body: await readFile(`${path}.body`, 'base64'),
3659
...JSON.parse(await readFile(`${path}.meta`, 'utf-8')),
3760
})
3861

39-
const buildFetchCacheValue = async (path: string): Promise<FetchCacheValue> => ({
62+
const buildFetchCacheValue = async (path: string): Promise<CachedFetchValue> => ({
4063
kind: 'FETCH',
4164
...JSON.parse(await readFile(path, 'utf-8')),
4265
})
@@ -51,45 +74,38 @@ export const copyPrerenderedContent = async (ctx: PluginContext): Promise<void>
5174

5275
await Promise.all(
5376
Object.entries(manifest.routes).map(async ([route, meta]): Promise<void> => {
77+
const lastModified = meta.initialRevalidateSeconds ? 1 : Date.now()
5478
const key = routeToFilePath(route)
55-
let value: CacheValue
56-
let path: string
79+
let value: IncrementalCacheValue
5780
switch (true) {
5881
// Parallel route default layout has no prerendered page
5982
case meta.dataRoute?.endsWith('/default.rsc') &&
6083
!existsSync(join(ctx.publishDir, 'server/app', `${key}.html`)):
6184
return
6285
case meta.dataRoute?.endsWith('.json'):
63-
path = join(ctx.publishDir, 'server/pages', key)
64-
value = await buildPagesCacheValue(path)
86+
value = await buildPagesCacheValue(join(ctx.publishDir, 'server/pages', key))
6587
break
6688
case meta.dataRoute?.endsWith('.rsc'):
67-
path = join(ctx.publishDir, 'server/app', key)
68-
value = await buildAppCacheValue(path)
89+
value = await buildAppCacheValue(join(ctx.publishDir, 'server/app', key))
6990
break
7091
case meta.dataRoute === null:
71-
path = join(ctx.publishDir, 'server/app', key)
72-
value = await buildRouteCacheValue(path)
92+
value = await buildRouteCacheValue(join(ctx.publishDir, 'server/app', key))
7393
break
7494
default:
7595
throw new Error(`Unrecognized content: ${route}`)
7696
}
7797

78-
await ctx.writeCacheEntry(
79-
key,
80-
value,
81-
meta.dataRoute === null ? `${path}.body` : `${path}.html`,
82-
)
98+
await writeCacheEntry(key, value, lastModified, ctx)
8399
}),
84100
)
85101

86102
// app router 404 pages are not in the prerender manifest
87103
// so we need to check for them manually
88104
if (existsSync(join(ctx.publishDir, `server/app/_not-found.html`))) {
105+
const lastModified = Date.now()
89106
const key = '/404'
90-
const path = join(ctx.publishDir, 'server/app/_not-found')
91-
const value = await buildAppCacheValue(path)
92-
await ctx.writeCacheEntry(key, value, `${path}.html`)
107+
const value = await buildAppCacheValue(join(ctx.publishDir, 'server/app/_not-found'))
108+
await writeCacheEntry(key, value, lastModified, ctx)
93109
}
94110
} catch (error) {
95111
ctx.failBuild('Failed assembling prerendered content for upload', error)
@@ -108,9 +124,10 @@ export const copyFetchContent = async (ctx: PluginContext): Promise<void> => {
108124

109125
await Promise.all(
110126
paths.map(async (key): Promise<void> => {
127+
const lastModified = 1
111128
const path = join(ctx.publishDir, 'cache/fetch-cache', key)
112129
const value = await buildFetchCacheValue(path)
113-
await ctx.writeCacheEntry(key, value, path)
130+
await writeCacheEntry(key, value, lastModified, ctx)
114131
}),
115132
)
116133
} catch (error) {

src/build/plugin-context.ts

+2-51
Original file line numberDiff line numberDiff line change
@@ -1,8 +1,8 @@
11
import { readFileSync } from 'node:fs'
2-
import { mkdir, readFile, writeFile, stat } from 'node:fs/promises'
2+
import { readFile } from 'node:fs/promises'
33
// Here we need to actually import `resolve` from node:path as we want to resolve the paths
44
// eslint-disable-next-line no-restricted-imports
5-
import { dirname, join, resolve } from 'node:path'
5+
import { join, resolve } from 'node:path'
66
import { fileURLToPath } from 'node:url'
77

88
import type {
@@ -14,45 +14,12 @@ import type { PrerenderManifest, RoutesManifest } from 'next/dist/build/index.js
1414
import type { MiddlewareManifest } from 'next/dist/build/webpack/plugins/middleware-plugin.js'
1515
import type { NextConfigComplete } from 'next/dist/server/config-shared.js'
1616

17-
import { encodeBlobKey } from '../shared/blobkey.js'
18-
1917
const MODULE_DIR = fileURLToPath(new URL('.', import.meta.url))
2018
const PLUGIN_DIR = join(MODULE_DIR, '../..')
2119

2220
export const SERVER_HANDLER_NAME = '___netlify-server-handler'
2321
export const EDGE_HANDLER_NAME = '___netlify-edge-handler'
2422

25-
export type PageCacheValue = {
26-
kind: 'PAGE'
27-
html: string
28-
pageData: string
29-
headers?: { [k: string]: string }
30-
status?: number
31-
}
32-
33-
export type RouteCacheValue = {
34-
kind: 'ROUTE'
35-
body: string
36-
headers: { [k: string]: string }
37-
status: number
38-
}
39-
40-
export type FetchCacheValue = {
41-
kind: 'FETCH'
42-
data: {
43-
headers: { [k: string]: string }
44-
body: string
45-
url: string
46-
status?: number
47-
tags?: string[]
48-
}
49-
}
50-
export type CacheValue = PageCacheValue | RouteCacheValue | FetchCacheValue
51-
export type CacheEntry = {
52-
lastModified: number
53-
value: CacheValue
54-
}
55-
5623
export class PluginContext {
5724
utils: NetlifyPluginUtils
5825
netlifyConfig: NetlifyPluginOptions['netlifyConfig']
@@ -204,22 +171,6 @@ export class PluginContext {
204171
return JSON.parse(await readFile(join(this.publishDir, 'routes-manifest.json'), 'utf-8'))
205172
}
206173

207-
/**
208-
* Write a cache entry to the blob upload directory.
209-
*/
210-
async writeCacheEntry(route: string, value: CacheValue, filePath: string): Promise<void> {
211-
// Getting modified file date from prerendered content
212-
const { mtime } = await stat(filePath)
213-
const path = join(this.blobDir, await encodeBlobKey(route))
214-
const entry = JSON.stringify({
215-
lastModified: mtime.getTime(),
216-
value,
217-
} satisfies CacheEntry)
218-
219-
await mkdir(dirname(path), { recursive: true })
220-
await writeFile(path, entry, 'utf-8')
221-
}
222-
223174
/** Fails a build with a message and an optional error */
224175
failBuild(message: string, error?: unknown): never {
225176
return this.utils.build.failBuild(message, error instanceof Error ? { error } : undefined)

src/index.ts

+1-2
Original file line numberDiff line numberDiff line change
@@ -3,7 +3,7 @@ import { existsSync } from 'node:fs'
33
import type { NetlifyPluginOptions } from '@netlify/build'
44

55
import { restoreBuildCache, saveBuildCache } from './build/cache.js'
6-
import { copyFetchContent, copyPrerenderedContent } from './build/content/prerendered.js'
6+
import { copyPrerenderedContent } from './build/content/prerendered.js'
77
import {
88
copyStaticAssets,
99
copyStaticContent,
@@ -41,7 +41,6 @@ export const onBuild = async (options: NetlifyPluginOptions) => {
4141
copyStaticAssets(ctx),
4242
copyStaticContent(ctx),
4343
copyPrerenderedContent(ctx),
44-
copyFetchContent(ctx),
4544
createServerHandler(ctx),
4645
createEdgeHandlers(ctx),
4746
])

src/run/handlers/cache.cts

+15-20
Original file line numberDiff line numberDiff line change
@@ -10,6 +10,7 @@ import { NEXT_CACHE_TAGS_HEADER } from 'next/dist/lib/constants.js'
1010
import type {
1111
CacheHandler,
1212
CacheHandlerContext,
13+
CacheHandlerValue,
1314
IncrementalCache,
1415
} from 'next/dist/server/lib/incremental-cache/index.js'
1516

@@ -43,7 +44,7 @@ export class NetlifyCacheHandler implements CacheHandler {
4344
span.setAttributes({ key, blobKey })
4445
const blob = (await this.blobStore.get(blobKey, {
4546
type: 'json',
46-
})) as CacheEntry | null
47+
})) as CacheHandlerValue | null
4748

4849
// if blob is null then we don't have a cache entry
4950
if (!blob) {
@@ -60,33 +61,23 @@ export class NetlifyCacheHandler implements CacheHandler {
6061
return null
6162
}
6263

63-
switch (blob.value.kind) {
64+
switch (blob.value?.kind) {
6465
case 'FETCH':
6566
span.addEvent('FETCH', { lastModified: blob.lastModified, revalidate: ctx.revalidate })
6667
span.end()
6768
return {
6869
lastModified: blob.lastModified,
69-
value: {
70-
kind: blob.value.kind,
71-
data: blob.value.data,
72-
revalidate: blob.value.revalidate,
73-
},
70+
value: blob.value,
7471
}
7572

7673
case 'ROUTE':
77-
span.addEvent('ROUTE', {
78-
lastModified: blob.lastModified,
79-
kind: blob.value.kind,
80-
status: blob.value.status,
81-
})
74+
span.addEvent('ROUTE', { lastModified: blob.lastModified, status: blob.value.status })
8275
span.end()
8376
return {
8477
lastModified: blob.lastModified,
8578
value: {
86-
body: Buffer.from(blob.value.body, 'base64'),
87-
kind: blob.value.kind,
88-
status: blob.value.status,
89-
headers: blob.value.headers,
79+
...blob.value,
80+
body: Buffer.from(blob.value.body as unknown as string, 'base64'),
9081
},
9182
}
9283
case 'PAGE':
@@ -97,7 +88,7 @@ export class NetlifyCacheHandler implements CacheHandler {
9788
value: blob.value,
9889
}
9990
default:
100-
span.recordException(new Error(`Unknown cache entry kind: ${blob.value.kind}`))
91+
span.recordException(new Error(`Unknown cache entry kind: ${blob.value?.kind}`))
10192
// TODO: system level logging not implemented
10293
}
10394
span.end()
@@ -147,13 +138,17 @@ export class NetlifyCacheHandler implements CacheHandler {
147138
})
148139
}
149140

141+
/* Not used, but required by the interface */
142+
// eslint-disable-next-line @typescript-eslint/no-empty-function
143+
resetRequestCache() {}
144+
150145
/**
151146
* Checks if a page is stale through on demand revalidated tags
152147
*/
153-
private async checkCacheEntryStaleByTags(cacheEntry: CacheEntry, softTags: string[] = []) {
148+
private async checkCacheEntryStaleByTags(cacheEntry: CacheHandlerValue, softTags: string[] = []) {
154149
const tags =
155-
'headers' in cacheEntry.value
156-
? cacheEntry.value.headers?.[NEXT_CACHE_TAGS_HEADER]?.split(',') || []
150+
cacheEntry.value && 'headers' in cacheEntry.value
151+
? (cacheEntry.value.headers?.[NEXT_CACHE_TAGS_HEADER] as string)?.split(',') || []
157152
: []
158153

159154
const cacheTags = [...tags, ...softTags]

0 commit comments

Comments
 (0)