Skip to content

Commit aca7cdd

Browse files
committed
feat: make CDN SWR background revalidation discard stale cache content in order to produce fresh responses
1 parent f4b59b6 commit aca7cdd

File tree

7 files changed

+110
-34
lines changed

7 files changed

+110
-34
lines changed

src/build/templates/handler-monorepo.tmpl.js

+2-1
Original file line numberDiff line numberDiff line change
@@ -28,14 +28,15 @@ export default async function (req, context) {
2828
'site.id': context.site.id,
2929
'http.method': req.method,
3030
'http.target': req.url,
31+
isBackgroundRevalidation: requestContext.isBackgroundRevalidation,
3132
monorepo: true,
3233
cwd: '{{cwd}}',
3334
})
3435
if (!cachedHandler) {
3536
const { default: handler } = await import('{{nextServerHandler}}')
3637
cachedHandler = handler
3738
}
38-
const response = await cachedHandler(req, context)
39+
const response = await cachedHandler(req, context, span, requestContext)
3940
span.setAttributes({
4041
'http.status_code': response.status,
4142
})

src/build/templates/handler.tmpl.js

+2-1
Original file line numberDiff line numberDiff line change
@@ -25,10 +25,11 @@ export default async function handler(req, context) {
2525
'site.id': context.site.id,
2626
'http.method': req.method,
2727
'http.target': req.url,
28+
isBackgroundRevalidation: requestContext.isBackgroundRevalidation,
2829
monorepo: false,
2930
cwd: process.cwd(),
3031
})
31-
const response = await serverHandler(req, context)
32+
const response = await serverHandler(req, context, span, requestContext)
3233
span.setAttributes({
3334
'http.status_code': response.status,
3435
})

src/run/handlers/cache.cts

+54-6
Original file line numberDiff line numberDiff line change
@@ -52,6 +52,27 @@ export class NetlifyCacheHandler implements CacheHandlerForMultipleVersions {
5252
return await encodeBlobKey(key)
5353
}
5454

55+
private getTTL(blob: NetlifyCacheHandlerValue) {
56+
if (
57+
blob.value?.kind === 'FETCH' ||
58+
blob.value?.kind === 'ROUTE' ||
59+
blob.value?.kind === 'APP_ROUTE' ||
60+
blob.value?.kind === 'PAGE' ||
61+
blob.value?.kind === 'PAGES' ||
62+
blob.value?.kind === 'APP_PAGE'
63+
) {
64+
const { revalidate } = blob.value
65+
66+
if (typeof revalidate === 'number') {
67+
const revalidateAfter = revalidate * 1_000 + blob.lastModified
68+
return (revalidateAfter - Date.now()) / 1_000
69+
}
70+
return revalidate === false ? 'PERMANENT' : 'NOT SET'
71+
}
72+
73+
return 'NOT SET'
74+
}
75+
5576
private captureResponseCacheLastModified(
5677
cacheValue: NetlifyCacheHandlerValue,
5778
key: string,
@@ -219,10 +240,31 @@ export class NetlifyCacheHandler implements CacheHandlerForMultipleVersions {
219240
return null
220241
}
221242

243+
const ttl = this.getTTL(blob)
244+
245+
if (getRequestContext()?.isBackgroundRevalidation && typeof ttl === 'number' && ttl < 0) {
246+
// background revalidation request should allow data that is not yet stale,
247+
// but opt to discard STALE data, so that Next.js generate fresh response
248+
span.addEvent('Discarding stale entry due to SWR background revalidation request', {
249+
key,
250+
blobKey,
251+
ttl,
252+
})
253+
getLogger()
254+
.withFields({
255+
ttl,
256+
key,
257+
})
258+
.debug(
259+
`[NetlifyCacheHandler.get] Discarding stale entry due to SWR background revalidation request: ${key}`,
260+
)
261+
return null
262+
}
263+
222264
const staleByTags = await this.checkCacheEntryStaleByTags(blob, ctx.tags, ctx.softTags)
223265

224266
if (staleByTags) {
225-
span.addEvent('Stale', { staleByTags })
267+
span.addEvent('Stale', { staleByTags, key, blobKey, ttl })
226268
return null
227269
}
228270

@@ -231,7 +273,11 @@ export class NetlifyCacheHandler implements CacheHandlerForMultipleVersions {
231273

232274
switch (blob.value?.kind) {
233275
case 'FETCH':
234-
span.addEvent('FETCH', { lastModified: blob.lastModified, revalidate: ctx.revalidate })
276+
span.addEvent('FETCH', {
277+
lastModified: blob.lastModified,
278+
revalidate: ctx.revalidate,
279+
ttl,
280+
})
235281
return {
236282
lastModified: blob.lastModified,
237283
value: blob.value,
@@ -242,6 +288,8 @@ export class NetlifyCacheHandler implements CacheHandlerForMultipleVersions {
242288
span.addEvent(blob.value?.kind, {
243289
lastModified: blob.lastModified,
244290
status: blob.value.status,
291+
revalidate: blob.value.revalidate,
292+
ttl,
245293
})
246294

247295
const valueWithoutRevalidate = this.captureRouteRevalidateAndRemoveFromObject(blob.value)
@@ -256,10 +304,10 @@ export class NetlifyCacheHandler implements CacheHandlerForMultipleVersions {
256304
}
257305
case 'PAGE':
258306
case 'PAGES': {
259-
span.addEvent(blob.value?.kind, { lastModified: blob.lastModified })
260-
261307
const { revalidate, ...restOfPageValue } = blob.value
262308

309+
span.addEvent(blob.value?.kind, { lastModified: blob.lastModified, revalidate, ttl })
310+
263311
await this.injectEntryToPrerenderManifest(key, revalidate)
264312

265313
return {
@@ -268,10 +316,10 @@ export class NetlifyCacheHandler implements CacheHandlerForMultipleVersions {
268316
}
269317
}
270318
case 'APP_PAGE': {
271-
span.addEvent(blob.value?.kind, { lastModified: blob.lastModified })
272-
273319
const { revalidate, rscData, ...restOfPageValue } = blob.value
274320

321+
span.addEvent(blob.value?.kind, { lastModified: blob.lastModified, revalidate, ttl })
322+
275323
await this.injectEntryToPrerenderManifest(key, revalidate)
276324

277325
return {

src/run/handlers/request-context.cts

+20-5
Original file line numberDiff line numberDiff line change
@@ -13,6 +13,10 @@ export interface FutureContext extends Context {
1313
}
1414

1515
export type RequestContext = {
16+
/**
17+
* Determine if this request is for CDN SWR background revalidation
18+
*/
19+
isBackgroundRevalidation: boolean
1620
captureServerTiming: boolean
1721
responseCacheGetLastModified?: number
1822
responseCacheKey?: string
@@ -36,12 +40,27 @@ export type RequestContext = {
3640
logger: SystemLogger
3741
}
3842

43+
// this is theoretical header that doesn't yet exist
44+
export const BACKGROUND_REVALIDATION_HEADER = 'x-background-revalidation'
45+
3946
type RequestContextAsyncLocalStorage = AsyncLocalStorage<RequestContext>
4047

4148
export function createRequestContext(request?: Request, context?: FutureContext): RequestContext {
4249
const backgroundWorkPromises: Promise<unknown>[] = []
4350

51+
const isDebugRequest =
52+
request?.headers.has('x-nf-debug-logging') || request?.headers.has('x-next-debug-logging')
53+
54+
const logger = systemLogger.withLogLevel(isDebugRequest ? LogLevel.Debug : LogLevel.Log)
55+
56+
const isBackgroundRevalidation = request?.headers.has(BACKGROUND_REVALIDATION_HEADER) ?? false
57+
58+
if (isBackgroundRevalidation) {
59+
logger.debug('[NetlifyNextRuntime] Background revalidation request')
60+
}
61+
4462
return {
63+
isBackgroundRevalidation,
4564
captureServerTiming: request?.headers.has('x-next-debug-logging') ?? false,
4665
trackBackgroundWork: (promise) => {
4766
if (context?.waitUntil) {
@@ -53,11 +72,7 @@ export function createRequestContext(request?: Request, context?: FutureContext)
5372
get backgroundWorkPromise() {
5473
return Promise.allSettled(backgroundWorkPromises)
5574
},
56-
logger: systemLogger.withLogLevel(
57-
request?.headers.has('x-nf-debug-logging') || request?.headers.has('x-next-debug-logging')
58-
? LogLevel.Debug
59-
: LogLevel.Log,
60-
),
75+
logger,
6176
}
6277
}
6378

src/run/handlers/server.ts

+28-7
Original file line numberDiff line numberDiff line change
@@ -1,6 +1,8 @@
11
import type { OutgoingHttpHeaders } from 'http'
22

33
import { ComputeJsOutgoingMessage, toComputeResponse, toReqRes } from '@fastly/http-compute-js'
4+
import type { Context } from '@netlify/functions'
5+
import { Span } from '@opentelemetry/api'
46
import type { NextConfigComplete } from 'next/dist/server/config-shared.js'
57
import type { WorkerRequestHandler } from 'next/dist/server/lib/types.js'
68

@@ -13,7 +15,7 @@ import {
1315
} from '../headers.js'
1416
import { nextResponseProxy } from '../revalidate.js'
1517

16-
import { createRequestContext, getLogger, getRequestContext } from './request-context.cjs'
18+
import { getLogger, type RequestContext } from './request-context.cjs'
1719
import { getTracer } from './tracer.cjs'
1820
import { setupWaitUntil } from './wait-until.cjs'
1921

@@ -46,7 +48,12 @@ const disableFaultyTransferEncodingHandling = (res: ComputeJsOutgoingMessage) =>
4648
}
4749
}
4850

49-
export default async (request: Request) => {
51+
export default async (
52+
request: Request,
53+
_context: Context,
54+
topLevelSpan: Span,
55+
requestContext: RequestContext,
56+
) => {
5057
const tracer = getTracer()
5158

5259
if (!nextHandler) {
@@ -85,8 +92,6 @@ export default async (request: Request) => {
8592

8693
disableFaultyTransferEncodingHandling(res as unknown as ComputeJsOutgoingMessage)
8794

88-
const requestContext = getRequestContext() ?? createRequestContext()
89-
9095
const resProxy = nextResponseProxy(res, requestContext)
9196

9297
// We don't await this here, because it won't resolve until the response is finished.
@@ -103,15 +108,31 @@ export default async (request: Request) => {
103108
const response = await toComputeResponse(resProxy)
104109

105110
if (requestContext.responseCacheKey) {
106-
span.setAttribute('responseCacheKey', requestContext.responseCacheKey)
111+
topLevelSpan.setAttribute('responseCacheKey', requestContext.responseCacheKey)
107112
}
108113

109-
await adjustDateHeader({ headers: response.headers, request, span, tracer, requestContext })
114+
const nextCache = response.headers.get('x-nextjs-cache')
115+
const isServedFromCache = nextCache === 'HIT' || nextCache === 'STALE'
116+
117+
topLevelSpan.setAttributes({
118+
'x-nextjs-cache': nextCache ?? undefined,
119+
isServedFromCache,
120+
})
121+
122+
if (isServedFromCache) {
123+
await adjustDateHeader({
124+
headers: response.headers,
125+
request,
126+
span,
127+
tracer,
128+
requestContext,
129+
})
130+
}
110131

111132
setCacheControlHeaders(response, request, requestContext, nextConfig)
112133
setCacheTagsHeaders(response.headers, requestContext)
113134
setVaryHeaders(response.headers, request, nextConfig)
114-
setCacheStatusHeader(response.headers)
135+
setCacheStatusHeader(response.headers, nextCache)
115136

116137
async function waitForBackgroundWork() {
117138
// it's important to keep the stream open until the next handler has finished

src/run/headers.ts

+1-13
Original file line numberDiff line numberDiff line change
@@ -137,17 +137,6 @@ export const adjustDateHeader = async ({
137137
tracer: RuntimeTracer
138138
requestContext: RequestContext
139139
}) => {
140-
const cacheState = headers.get('x-nextjs-cache')
141-
const isServedFromCache = cacheState === 'HIT' || cacheState === 'STALE'
142-
143-
span.setAttributes({
144-
'x-nextjs-cache': cacheState ?? undefined,
145-
isServedFromCache,
146-
})
147-
148-
if (!isServedFromCache) {
149-
return
150-
}
151140
const key = new URL(request.url).pathname
152141

153142
let lastModified: number | undefined
@@ -316,8 +305,7 @@ const NEXT_CACHE_TO_CACHE_STATUS: Record<string, string> = {
316305
* a Cache-Status header for Next cache so users inspect that together with CDN cache status
317306
* and not on its own.
318307
*/
319-
export const setCacheStatusHeader = (headers: Headers) => {
320-
const nextCache = headers.get('x-nextjs-cache')
308+
export const setCacheStatusHeader = (headers: Headers, nextCache: string | null) => {
321309
if (typeof nextCache === 'string') {
322310
if (nextCache in NEXT_CACHE_TO_CACHE_STATUS) {
323311
const cacheStatus = NEXT_CACHE_TO_CACHE_STATUS[nextCache]

src/shared/cache-types.cts

+3-1
Original file line numberDiff line numberDiff line change
@@ -78,7 +78,9 @@ type CachedRouteValueToNetlify<T> = T extends CachedRouteValue
7878
? NetlifyCachedAppPageValue
7979
: T
8080

81-
type MapCachedRouteValueToNetlify<T> = { [K in keyof T]: CachedRouteValueToNetlify<T[K]> }
81+
type MapCachedRouteValueToNetlify<T> = { [K in keyof T]: CachedRouteValueToNetlify<T[K]> } & {
82+
lastModified: number
83+
}
8284

8385
/**
8486
* Used for storing in blobs and reading from blobs

0 commit comments

Comments
 (0)