Skip to content

Commit f4c588c

Browse files
authored
feat: add cdn-cache-control headers to cacheable route handler responses (#399)
* test: add test cases for cacheable route handlers * refactor: add cache related types modules and adjust ROUTE variant to match our current usage * feat: add cdn-cache-control headers to cacheable route handler responses * fix: set revalidate setting on request context for Route responses and set cdn-cache-control header based on that * chore: format with prettier * chore: pass just revalidate time not entire meta --------- Co-authored-by: pieh <[email protected]>
1 parent 3578bf1 commit f4c588c

File tree

8 files changed

+166
-30
lines changed

8 files changed

+166
-30
lines changed

src/build/content/prerendered.ts

+19-11
Original file line numberDiff line numberDiff line change
@@ -5,33 +5,34 @@ import { join } from 'node:path'
55
import { trace } from '@opentelemetry/api'
66
import { wrapTracer } from '@opentelemetry/api/experimental'
77
import { glob } from 'fast-glob'
8-
import type { CacheHandlerValue } from 'next/dist/server/lib/incremental-cache/index.js'
9-
import type { IncrementalCacheValue } from 'next/dist/server/response-cache/types.js'
108
import pLimit from 'p-limit'
119

1210
import { encodeBlobKey } from '../../shared/blobkey.js'
11+
import type {
12+
CachedFetchValue,
13+
CachedPageValue,
14+
NetlifyCacheHandlerValue,
15+
NetlifyCachedRouteValue,
16+
NetlifyIncrementalCacheValue,
17+
} from '../../shared/cache-types.cjs'
1318
import type { PluginContext } from '../plugin-context.js'
1419

15-
type CachedPageValue = Extract<IncrementalCacheValue, { kind: 'PAGE' }>
16-
type CachedRouteValue = Extract<IncrementalCacheValue, { kind: 'ROUTE' }>
17-
type CachedFetchValue = Extract<IncrementalCacheValue, { kind: 'FETCH' }>
18-
1920
const tracer = wrapTracer(trace.getTracer('Next runtime'))
2021

2122
/**
2223
* Write a cache entry to the blob upload directory.
2324
*/
2425
const writeCacheEntry = async (
2526
route: string,
26-
value: IncrementalCacheValue,
27+
value: NetlifyIncrementalCacheValue,
2728
lastModified: number,
2829
ctx: PluginContext,
2930
): Promise<void> => {
3031
const path = join(ctx.blobDir, await encodeBlobKey(route))
3132
const entry = JSON.stringify({
3233
lastModified,
3334
value,
34-
} satisfies CacheHandlerValue)
35+
} satisfies NetlifyCacheHandlerValue)
3536

3637
await writeFile(path, entry, 'utf-8')
3738
}
@@ -68,10 +69,14 @@ const buildAppCacheValue = async (path: string): Promise<CachedPageValue> => {
6869
}
6970
}
7071

71-
const buildRouteCacheValue = async (path: string): Promise<CachedRouteValue> => ({
72+
const buildRouteCacheValue = async (
73+
path: string,
74+
initialRevalidateSeconds: number | false,
75+
): Promise<NetlifyCachedRouteValue> => ({
7276
kind: 'ROUTE',
7377
body: await readFile(`${path}.body`, 'base64'),
7478
...JSON.parse(await readFile(`${path}.meta`, 'utf-8')),
79+
revalidate: initialRevalidateSeconds,
7580
})
7681

7782
const buildFetchCacheValue = async (path: string): Promise<CachedFetchValue> => ({
@@ -100,7 +105,7 @@ export const copyPrerenderedContent = async (ctx: PluginContext): Promise<void>
100105
? Date.now() - 31536000000
101106
: Date.now()
102107
const key = routeToFilePath(route)
103-
let value: IncrementalCacheValue
108+
let value: NetlifyIncrementalCacheValue
104109
switch (true) {
105110
// Parallel route default layout has no prerendered page
106111
case meta.dataRoute?.endsWith('/default.rsc') &&
@@ -117,7 +122,10 @@ export const copyPrerenderedContent = async (ctx: PluginContext): Promise<void>
117122
value = await buildAppCacheValue(join(ctx.publishDir, 'server/app', key))
118123
break
119124
case meta.dataRoute === null:
120-
value = await buildRouteCacheValue(join(ctx.publishDir, 'server/app', key))
125+
value = await buildRouteCacheValue(
126+
join(ctx.publishDir, 'server/app', key),
127+
meta.initialRevalidateSeconds,
128+
)
121129
break
122130
default:
123131
throw new Error(`Unrecognized content: ${route}`)

src/run/handlers/cache.cts

+38-19
Original file line numberDiff line numberDiff line change
@@ -7,12 +7,15 @@ import { getDeployStore, Store } from '@netlify/blobs'
77
import { purgeCache } from '@netlify/functions'
88
import { type Span } from '@opentelemetry/api'
99
import { NEXT_CACHE_TAGS_HEADER } from 'next/dist/lib/constants.js'
10+
1011
import type {
1112
CacheHandler,
1213
CacheHandlerContext,
13-
CacheHandlerValue,
1414
IncrementalCache,
15-
} from 'next/dist/server/lib/incremental-cache/index.js'
15+
NetlifyCachedRouteValue,
16+
NetlifyCacheHandlerValue,
17+
NetlifyIncrementalCacheValue,
18+
} from '../../shared/cache-types.cjs'
1619

1720
import { getRequestContext } from './request-context.cjs'
1821
import { getTracer } from './tracer.cjs'
@@ -43,7 +46,7 @@ export class NetlifyCacheHandler implements CacheHandler {
4346
}
4447

4548
private captureResponseCacheLastModified(
46-
cacheValue: CacheHandlerValue,
49+
cacheValue: NetlifyCacheHandlerValue,
4750
key: string,
4851
getCacheKeySpan: Span,
4952
) {
@@ -90,6 +93,19 @@ export class NetlifyCacheHandler implements CacheHandler {
9093
}
9194
}
9295

96+
private captureRouteRevalidateAndRemoveFromObject(
97+
cacheValue: NetlifyCachedRouteValue,
98+
): Omit<NetlifyCachedRouteValue, 'revalidate'> {
99+
const { revalidate, ...restOfRouteValue } = cacheValue
100+
101+
const requestContext = getRequestContext()
102+
if (requestContext) {
103+
requestContext.routeHandlerRevalidate = revalidate
104+
}
105+
106+
return restOfRouteValue
107+
}
108+
93109
async get(...args: Parameters<CacheHandler['get']>): ReturnType<CacheHandler['get']> {
94110
return this.tracer.withActiveSpan('get cache key', async (span) => {
95111
const [key, ctx = {}] = args
@@ -103,7 +119,7 @@ export class NetlifyCacheHandler implements CacheHandler {
103119
return await this.blobStore.get(blobKey, {
104120
type: 'json',
105121
})
106-
})) as CacheHandlerValue | null
122+
})) as NetlifyCacheHandlerValue | null
107123

108124
// if blob is null then we don't have a cache entry
109125
if (!blob) {
@@ -128,15 +144,19 @@ export class NetlifyCacheHandler implements CacheHandler {
128144
value: blob.value,
129145
}
130146

131-
case 'ROUTE':
147+
case 'ROUTE': {
132148
span.addEvent('ROUTE', { lastModified: blob.lastModified, status: blob.value.status })
149+
150+
const valueWithoutRevalidate = this.captureRouteRevalidateAndRemoveFromObject(blob.value)
151+
133152
return {
134153
lastModified: blob.lastModified,
135154
value: {
136-
...blob.value,
137-
body: Buffer.from(blob.value.body as unknown as string, 'base64'),
155+
...valueWithoutRevalidate,
156+
body: Buffer.from(valueWithoutRevalidate.body as unknown as string, 'base64'),
138157
},
139158
}
159+
}
140160
case 'PAGE':
141161
span.addEvent('PAGE', { lastModified: blob.lastModified })
142162
return {
@@ -152,23 +172,22 @@ export class NetlifyCacheHandler implements CacheHandler {
152172

153173
async set(...args: Parameters<IncrementalCache['set']>) {
154174
return this.tracer.withActiveSpan('set cache key', async (span) => {
155-
const [key, data] = args
175+
const [key, data, context] = args
156176
const blobKey = await this.encodeBlobKey(key)
157177
const lastModified = Date.now()
158178
span.setAttributes({ key, lastModified, blobKey })
159179

160180
console.debug(`[NetlifyCacheHandler.set]: ${key}`)
161181

162-
let value = data
163-
164-
if (data?.kind === 'ROUTE') {
165-
// don't mutate data, as it's used for the initial response - instead create a new object
166-
value = {
167-
...data,
168-
// @ts-expect-error gotta find a better solution for this
169-
body: data.body.toString('base64'),
170-
}
171-
}
182+
const value: NetlifyIncrementalCacheValue | null =
183+
data?.kind === 'ROUTE'
184+
? // don't mutate data, as it's used for the initial response - instead create a new object
185+
{
186+
...data,
187+
revalidate: context.revalidate,
188+
body: data.body.toString('base64'),
189+
}
190+
: data
172191

173192
await this.blobStore.setJSON(blobKey, {
174193
lastModified,
@@ -217,7 +236,7 @@ export class NetlifyCacheHandler implements CacheHandler {
217236
* Checks if a cache entry is stale through on demand revalidated tags
218237
*/
219238
private async checkCacheEntryStaleByTags(
220-
cacheEntry: CacheHandlerValue,
239+
cacheEntry: NetlifyCacheHandlerValue,
221240
tags: string[] = [],
222241
softTags: string[] = [],
223242
) {

src/run/handlers/request-context.cts

+3
Original file line numberDiff line numberDiff line change
@@ -1,12 +1,15 @@
11
import { AsyncLocalStorage } from 'node:async_hooks'
22

3+
import type { NetlifyCachedRouteValue } from '../../shared/cache-types.cjs'
4+
35
export type RequestContext = {
46
debug: boolean
57
responseCacheGetLastModified?: number
68
responseCacheKey?: string
79
usedFsRead?: boolean
810
didPagesRouterOnDemandRevalidate?: boolean
911
serverTiming?: string
12+
routeHandlerRevalidate?: NetlifyCachedRouteValue['revalidate']
1013
}
1114

1215
type RequestContextAsyncLocalStorage = AsyncLocalStorage<RequestContext>

src/run/headers.ts

+19
Original file line numberDiff line numberDiff line change
@@ -179,13 +179,30 @@ export const setCacheControlHeaders = (
179179
request: Request,
180180
requestContext: RequestContext,
181181
) => {
182+
if (
183+
typeof requestContext.routeHandlerRevalidate !== 'undefined' &&
184+
['GET', 'HEAD'].includes(request.method) &&
185+
!headers.has('netlify-cdn-cache-control')
186+
) {
187+
// handle CDN Cache Control on Route Handler responses
188+
const cdnCacheControl =
189+
// if we are serving already stale response, instruct edge to not attempt to cache that response
190+
headers.get('x-nextjs-cache') === 'STALE'
191+
? 'public, max-age=0, must-revalidate'
192+
: `s-maxage=${requestContext.routeHandlerRevalidate === false ? 31536000 : requestContext.routeHandlerRevalidate}, stale-while-revalidate=31536000`
193+
194+
headers.set('netlify-cdn-cache-control', cdnCacheControl)
195+
return
196+
}
197+
182198
const cacheControl = headers.get('cache-control')
183199
if (
184200
cacheControl !== null &&
185201
['GET', 'HEAD'].includes(request.method) &&
186202
!headers.has('cdn-cache-control') &&
187203
!headers.has('netlify-cdn-cache-control')
188204
) {
205+
// handle CDN Cache Control on ISR and App Router page responses
189206
const browserCacheControl = omitHeaderValues(cacheControl, [
190207
's-maxage',
191208
'stale-while-revalidate',
@@ -200,6 +217,7 @@ export const setCacheControlHeaders = (
200217

201218
headers.set('cache-control', browserCacheControl || 'public, max-age=0, must-revalidate')
202219
headers.set('netlify-cdn-cache-control', cdnCacheControl)
220+
return
203221
}
204222

205223
if (
@@ -208,6 +226,7 @@ export const setCacheControlHeaders = (
208226
!headers.has('netlify-cdn-cache-control') &&
209227
requestContext.usedFsRead
210228
) {
229+
// handle CDN Cache Control on static files
211230
headers.set('cache-control', 'public, max-age=0, must-revalidate')
212231
headers.set('netlify-cdn-cache-control', `max-age=31536000`)
213232
}

src/shared/cache-types.cts

+34
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,34 @@
1+
import type {
2+
CacheHandlerValue,
3+
IncrementalCache,
4+
} from 'next/dist/server/lib/incremental-cache/index.js'
5+
import type {
6+
IncrementalCacheValue,
7+
CachedRouteValue,
8+
} from 'next/dist/server/response-cache/types.js'
9+
10+
export type {
11+
CacheHandler,
12+
CacheHandlerContext,
13+
IncrementalCache,
14+
} from 'next/dist/server/lib/incremental-cache/index.js'
15+
16+
export type NetlifyCachedRouteValue = Omit<CachedRouteValue, 'body'> & {
17+
// Next.js stores body as buffer, while we store it as base64 encoded string
18+
body: string
19+
// Next.js doesn't produce cache-control tag we use to generate cdn cache control
20+
// so store needed values as part of cached response data
21+
revalidate: Parameters<IncrementalCache['set']>[2]['revalidate']
22+
}
23+
24+
export type CachedPageValue = Extract<IncrementalCacheValue, { kind: 'PAGE' }>
25+
export type CachedFetchValue = Extract<IncrementalCacheValue, { kind: 'FETCH' }>
26+
27+
export type NetlifyIncrementalCacheValue =
28+
| Exclude<IncrementalCacheValue, CachedRouteValue>
29+
| NetlifyCachedRouteValue
30+
31+
type CachedRouteValueToNetlify<T> = T extends CachedRouteValue ? NetlifyCachedRouteValue : T
32+
type MapCachedRouteValueToNetlify<T> = { [K in keyof T]: CachedRouteValueToNetlify<T[K]> }
33+
34+
export type NetlifyCacheHandlerValue = MapCachedRouteValueToNetlify<CacheHandlerValue>
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,11 @@
1+
import { NextResponse } from 'next/server'
2+
3+
export async function GET() {
4+
return NextResponse.json({
5+
message:
6+
'Route handler not using request and using force-static dynamic strategy with permanent caching',
7+
})
8+
}
9+
export const revalidate = false
10+
11+
export const dynamic = 'force-static'
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,11 @@
1+
import { NextResponse } from 'next/server'
2+
3+
export async function GET() {
4+
return NextResponse.json({
5+
message:
6+
'Route handler not using request and using force-static dynamic strategy with 15 seconds revalidate',
7+
})
8+
}
9+
export const revalidate = 15
10+
11+
export const dynamic = 'force-static'

tests/integration/simple-app.test.ts

+31
Original file line numberDiff line numberDiff line change
@@ -57,6 +57,8 @@ test<FixtureTestContext>('Test that the simple next app is working', async (ctx)
5757
const blobEntries = await getBlobEntries(ctx)
5858
expect(blobEntries.map(({ key }) => decodeBlobKey(key)).sort()).toEqual([
5959
'/404',
60+
'/api/cached-permanent',
61+
'/api/cached-revalidate',
6062
'/image/local',
6163
'/image/migration-from-v4-runtime',
6264
'/image/remote-domain',
@@ -170,6 +172,35 @@ test<FixtureTestContext>('handlers can add cookies in route handlers with the co
170172
expect(setCookieHeader).toContain('test2=value2; Path=/handler; HttpOnly')
171173
})
172174

175+
test<FixtureTestContext>('cacheable route handler is cached on cdn (revalidate=false / permanent caching)', async (ctx) => {
176+
await createFixture('simple-next-app', ctx)
177+
await runPlugin(ctx)
178+
179+
const permanentlyCachedResponse = await invokeFunction(ctx, { url: '/api/cached-permanent' })
180+
expect(permanentlyCachedResponse.headers['netlify-cdn-cache-control']).toBe(
181+
's-maxage=31536000, stale-while-revalidate=31536000',
182+
)
183+
})
184+
185+
test<FixtureTestContext>('cacheable route handler is cached on cdn (revalidate=15)', async (ctx) => {
186+
await createFixture('simple-next-app', ctx)
187+
await runPlugin(ctx)
188+
189+
const firstTimeCachedResponse = await invokeFunction(ctx, { url: '/api/cached-revalidate' })
190+
// this will be "stale" response from build
191+
expect(firstTimeCachedResponse.headers['netlify-cdn-cache-control']).toBe(
192+
'public, max-age=0, must-revalidate',
193+
)
194+
195+
// allow server to regenerate fresh response in background
196+
await new Promise((res) => setTimeout(res, 1_000))
197+
198+
const secondTimeCachedResponse = await invokeFunction(ctx, { url: '/api/cached-revalidate' })
199+
expect(secondTimeCachedResponse.headers['netlify-cdn-cache-control']).toBe(
200+
's-maxage=15, stale-while-revalidate=31536000',
201+
)
202+
})
203+
173204
// there's a bug where requests accept-encoding header
174205
// result in corrupted bodies
175206
// while that bug stands, we want to ignore accept-encoding

0 commit comments

Comments
 (0)