Skip to content

Commit d2eeda9

Browse files
Skn0ttascorbicpieh
authored
fix: let next-server handle SWR behavior (#206)
* chore: add local repro of failing test * fix: return stale values for cache entries * fix: give blob a couple seconds to propagate back * fix: ensure lambda doesn't die before the revalidate is done * chore: turn test page into js to prevent it from installing typescript * chore: remove .only * fix: also adjust date header for stale cache serves * fix: set cache-status header for SWR * chore: update route handler test to capture SWR * similar fixes for page router with static revalidate * aaand another test * fix: another test * remove .only * fix first test * fix: route handlers are also cacheable! * test: cache-handler test for page router updated for SWR behavior * chore: remove no longer used CacheHandler helper method * chore remove unused imports and variables used in previously removed method * test: cache-handler test for route handler updated for SWR behavior * test: invoke functions in integration tests in sandboxed child process * test: move request mocking to lambda runner and mock just purge API * Revert "test: move request mocking to lambda runner and mock just purge API" This reverts commit c773508bd1fc1398711fe242e791123642cc5688. * Revert "test: invoke functions in integration tests in sandboxed child process" This reverts commit a834f622b3fd6829032c53654d3600ceeb9492e3. * chore: update msw/node setup to get rid of bunch of warnings * test: split cache-handler tests into 3 separate test suites, one for each fixture * adjust sequencer to run all 3 cache-handler tests in same shard * adjust tests * upgrade vitest * run test suites sequentially * maybe fix lock file * add delay to app router cachehandler tests * test: update fetch-handdler integration tests * Revert "add delay to app router cachehandler tests" This reverts commit b4112c4a53bf2d34086ca349944dfe3a588abbdd. * Revert "maybe fix lock file" This reverts commit db186688fd3f035176176fd76b4b7710ec46436b. * Revert "run test suites sequentially" This reverts commit 548f81d222eb5729e963a494d6a5ebf09dae68e9. * Revert "upgrade vitest" This reverts commit d65ed1a64f16dca2e328fd2fc2d9b79b9ae48448. * Revert "adjust tests" This reverts commit bc620eee8455336e98feeaea83dda5dbe250ddaf. * Revert "adjust sequencer to run all 3 cache-handler tests in same shard" This reverts commit 23f65d3797c69bff58fa24fd6b3ffd9430a31099. * Revert "test: split cache-handler tests into 3 separate test suites, one for each fixture" This reverts commit 6cb1422e5883964a7cf4bfd04b76fb0dbbb902d9. * test: readd delay after reverting setup changes * test: add some debug logs * Revert "test: add some debug logs" This reverts commit 35e92a5b3b0198de9a951aa97f7543839a72a62c. * fix: fix bad merge conflict resolution --------- Co-authored-by: Matt Kane <[email protected]> Co-authored-by: Michal Piechowiak <[email protected]>
1 parent 8b17f09 commit d2eeda9

File tree

11 files changed

+497
-163
lines changed

11 files changed

+497
-163
lines changed

src/run/handlers/cache.cts

+2-47
Original file line numberDiff line numberDiff line change
@@ -2,13 +2,10 @@
22
// (CJS format because Next.js doesn't support ESM yet)
33
//
44
import { Buffer } from 'node:buffer'
5-
import { readFileSync } from 'node:fs'
6-
import { join } from 'node:path/posix'
75

86
import { getDeployStore, Store } from '@netlify/blobs'
97
import { purgeCache } from '@netlify/functions'
108
import { trace } from '@opentelemetry/api'
11-
import type { PrerenderManifest } from 'next/dist/build/index.js'
129
import { NEXT_CACHE_TAGS_HEADER } from 'next/dist/lib/constants.js'
1310
import type {
1411
CacheHandler,
@@ -18,16 +15,6 @@ import type {
1815

1916
type TagManifest = { revalidatedAt: number }
2017

21-
// load the prerender manifest
22-
const prerenderManifest: PrerenderManifest = JSON.parse(
23-
readFileSync(join(process.cwd(), '.next/prerender-manifest.json'), 'utf-8'),
24-
)
25-
26-
/** Strips trailing slashes and normalizes the index root */
27-
function toRoute(cacheKey: string): string {
28-
return cacheKey.replace(/\/$/, '').replace(/\/index$/, '') || '/'
29-
}
30-
3118
const fetchBeforeNextPatchedIt = globalThis.fetch
3219

3320
export class NetlifyCacheHandler implements CacheHandler {
@@ -65,12 +52,10 @@ export class NetlifyCacheHandler implements CacheHandler {
6552
return null
6653
}
6754

68-
const revalidateAfter = this.calculateRevalidate(key, blob.lastModified, ctx)
69-
const isStale = revalidateAfter !== false && revalidateAfter < Date.now()
7055
const staleByTags = await this.checkCacheEntryStaleByTags(blob, ctx.softTags)
7156

72-
if (staleByTags || isStale) {
73-
span.addEvent('Stale', { staleByTags, isStale })
57+
if (staleByTags) {
58+
span.addEvent('Stale', { staleByTags })
7459
span.end()
7560
return null
7661
}
@@ -194,36 +179,6 @@ export class NetlifyCacheHandler implements CacheHandler {
194179

195180
return isStale
196181
}
197-
198-
/**
199-
* Retrieves the milliseconds since midnight, January 1, 1970 when it should revalidate for a path.
200-
*/
201-
private calculateRevalidate(
202-
cacheKey: string,
203-
fromTime: number,
204-
ctx: Parameters<CacheHandler['get']>[1],
205-
dev?: boolean,
206-
): number | false {
207-
// in development we don't have a prerender-manifest
208-
// and default to always revalidating to allow easier debugging
209-
if (dev) return Date.now() - 1_000
210-
211-
if (ctx?.revalidate && typeof ctx.revalidate === 'number') {
212-
return fromTime + ctx.revalidate * 1_000
213-
}
214-
215-
// if an entry isn't present in routes we fallback to a default
216-
const { initialRevalidateSeconds } = prerenderManifest.routes[toRoute(cacheKey)] || {
217-
initialRevalidateSeconds: 0,
218-
}
219-
// the initialRevalidate can be either set to false or to a number (representing the seconds)
220-
const revalidateAfter: number | false =
221-
typeof initialRevalidateSeconds === 'number'
222-
? initialRevalidateSeconds * 1_000 + fromTime
223-
: initialRevalidateSeconds
224-
225-
return revalidateAfter
226-
}
227182
}
228183

229184
export default NetlifyCacheHandler

src/run/handlers/server.ts

+12-6
Original file line numberDiff line numberDiff line change
@@ -53,15 +53,13 @@ export default async (request: Request) => {
5353
// temporary workaround for https://linear.app/netlify/issue/ADN-111/
5454
delete req.headers['accept-encoding']
5555

56-
try {
57-
// console.log('Next server request:', req.url)
58-
await nextHandler(req, resProxy)
59-
} catch (error) {
56+
// We don't await this here, because it won't resolve until the response is finished.
57+
const nextHandlerPromise = nextHandler(req, resProxy).catch((error) => {
6058
logger.withError(error).error('next handler error')
6159
console.error(error)
6260
resProxy.statusCode = 500
6361
resProxy.end('Internal Server Error')
64-
}
62+
})
6563

6664
// Contrary to the docs, this resolves when the headers are available, not when the stream closes.
6765
// See https://github.com/fastly/http-compute-js/blob/main/src/http-compute-js/http-server.ts#L168-L173
@@ -85,5 +83,13 @@ export default async (request: Request) => {
8583
return new Response(body || null, response)
8684
}
8785

88-
return response
86+
const keepOpenUntilNextFullyRendered = new TransformStream({
87+
flush() {
88+
// it's important to keep the stream open until the next handler has finished,
89+
// or otherwise the cache revalidates might not go through
90+
return nextHandlerPromise
91+
},
92+
})
93+
94+
return new Response(response.body?.pipeThrough(keepOpenUntilNextFullyRendered), response)
8995
}

src/run/headers.ts

+5-2
Original file line numberDiff line numberDiff line change
@@ -82,7 +82,9 @@ export const setVaryHeaders = (
8282
* from the cache, meaning that the CDN will cache it for 10 seconds, which is incorrect.
8383
*/
8484
export const adjustDateHeader = async (headers: Headers, request: Request) => {
85-
if (headers.get('x-nextjs-cache') !== 'HIT') {
85+
const cacheState = headers.get('x-nextjs-cache')
86+
const isServedFromCache = cacheState === 'HIT' || cacheState === 'STALE'
87+
if (!isServedFromCache) {
8688
return
8789
}
8890
const path = new URL(request.url).pathname
@@ -135,12 +137,13 @@ export const setCacheTagsHeaders = (headers: Headers, request: Request, manifest
135137
/**
136138
* https://httpwg.org/specs/rfc9211.html
137139
*
138-
* We only should get HIT and MISS statuses from Next cache.
140+
* We get HIT, MISS, STALE statuses from Next cache.
139141
* We will ignore other statuses and will not set Cache-Status header in those cases.
140142
*/
141143
const NEXT_CACHE_TO_CACHE_STATUS: Record<string, string> = {
142144
HIT: `hit`,
143145
MISS: `miss,`,
146+
STALE: `hit; fwd=stale`,
144147
}
145148

146149
/**

tests/e2e/simple-app.test.ts

+48
Original file line numberDiff line numberDiff line change
@@ -54,3 +54,51 @@ test('next/image is using Netlify Image CDN', async ({ page }) => {
5454

5555
await expectImageWasLoaded(page.locator('img'))
5656
})
57+
58+
const waitFor = (ms: number) => new Promise((resolve) => setTimeout(resolve, ms))
59+
60+
// adaptation of https://github.com/vercel/next.js/blob/canary/test/e2e/app-dir/app-static/app-static.test.ts#L1716-L1755
61+
test('should stream properly', async ({ page }) => {
62+
// Prime the cache.
63+
const path = `${ctx.url}/stale-cache-serving/app-page`
64+
const res = await fetch(path)
65+
expect(res.status).toBe(200)
66+
67+
// Consume the cache, the revalidations are completed on the end of the
68+
// stream so we need to wait for that to complete.
69+
await res.text()
70+
71+
// different from next.js test:
72+
// we need to wait another 10secs for the blob to propagate back
73+
// can be removed once we have a local cache for blobs
74+
await waitFor(10000)
75+
76+
for (let i = 0; i < 6; i++) {
77+
await waitFor(1000)
78+
79+
const timings = {
80+
start: Date.now(),
81+
startedStreaming: 0,
82+
}
83+
84+
const res = await fetch(path)
85+
86+
// eslint-disable-next-line no-loop-func
87+
await new Promise<void>((resolve) => {
88+
res.body?.pipeTo(
89+
new WritableStream({
90+
write() {
91+
if (!timings.startedStreaming) {
92+
timings.startedStreaming = Date.now()
93+
}
94+
},
95+
close() {
96+
resolve()
97+
},
98+
}),
99+
)
100+
})
101+
102+
expect(timings.startedStreaming - timings.start, `streams in less than 3s, run #${i}/6`).toBeLessThan(3000)
103+
}
104+
})
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,33 @@
1+
const revalidateSeconds = +process.env.REVALIDATE_SECONDS || 5
2+
const API_BASE = process.env.API_BASE || 'https://api.tvmaze.com/shows/'
3+
4+
async function getData(params) {
5+
const res = await fetch(new URL(params.id, API_BASE).href, {
6+
next: { revalidate: revalidateSeconds },
7+
})
8+
return res.json()
9+
}
10+
11+
export default async function Page({ params }) {
12+
const data = await getData(params)
13+
14+
return (
15+
<>
16+
<h1>Revalidate Fetch (on dynamic page)</h1>
17+
<p>Revalidating used fetch every {revalidateSeconds} seconds</p>
18+
<dl>
19+
<dt>Show</dt>
20+
<dd data-testid="name">{data.name}</dd>
21+
<dt>Param</dt>
22+
<dd data-testid="id">{params.id}</dd>
23+
<dt>Time</dt>
24+
<dd data-testid="date-now">{Date.now()}</dd>
25+
<dt>Time from fetch response</dt>
26+
<dd data-testid="date-from-response">{data.date ?? 'no-date-in-response'}</dd>
27+
</dl>
28+
</>
29+
)
30+
}
31+
32+
// make page dynamic, but still use fetch cache
33+
export const dynamic = 'force-dynamic'

tests/fixtures/revalidate-fetch/app/posts/[id]/page.js

+2
Original file line numberDiff line numberDiff line change
@@ -27,6 +27,8 @@ export default async function Page({ params }) {
2727
<dd data-testid="id">{params.id}</dd>
2828
<dt>Time</dt>
2929
<dd data-testid="date-now">{Date.now()}</dd>
30+
<dt>Time from fetch response</dt>
31+
<dd data-testid="date-from-response">{data.date ?? 'no-date-in-response'}</dd>
3032
</dl>
3133
</>
3234
)
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,20 @@
1+
export const dynamic = 'force-dynamic'
2+
3+
const delay = 3000
4+
5+
export default async function Page(props) {
6+
const start = Date.now()
7+
const data = await fetch(
8+
`https://next-data-api-endpoint.vercel.app/api/delay?delay=${delay}`,
9+
{ next: { revalidate: 3 } }
10+
).then((res) => res.json())
11+
const fetchDuration = Date.now() - start
12+
13+
return (
14+
<>
15+
<p id="data">
16+
{JSON.stringify({ fetchDuration, data, now: Date.now() })}
17+
</p>
18+
</>
19+
)
20+
}

0 commit comments

Comments
 (0)