Skip to content

Commit 3d0bc88

Browse files
committed
chore: don't use extra fallback manifest and instead store html and boolean wether that is fallback html in single blob
1 parent 724bd32 commit 3d0bc88

File tree

5 files changed

+65
-74
lines changed

5 files changed

+65
-74
lines changed

src/build/content/prerendered.ts

+8-45
Original file line numberDiff line numberDiff line change
@@ -9,8 +9,6 @@ import { glob } from 'fast-glob'
99
import pLimit from 'p-limit'
1010
import { satisfies } from 'semver'
1111

12-
import { FS_BLOBS_MANIFEST } from '../../run/constants.js'
13-
import { type FSBlobsManifest } from '../../run/next.cjs'
1412
import { encodeBlobKey } from '../../shared/blobkey.js'
1513
import type {
1614
CachedFetchValueForMultipleVersions,
@@ -160,11 +158,6 @@ export const copyPrerenderedContent = async (ctx: PluginContext): Promise<void>
160158
})
161159
: false
162160

163-
const fsBlobsManifest: FSBlobsManifest = {
164-
fallbackPaths: [],
165-
outputRoot: ctx.distDir,
166-
}
167-
168161
await Promise.all([
169162
...Object.entries(manifest.routes).map(
170163
([route, meta]): Promise<void> =>
@@ -214,41 +207,15 @@ export const copyPrerenderedContent = async (ctx: PluginContext): Promise<void>
214207
await writeCacheEntry(key, value, lastModified, ctx)
215208
}),
216209
),
217-
...Object.entries(manifest.dynamicRoutes).map(async ([route, meta]) => {
218-
// fallback can be `string | false | null`
219-
// - `string` - when user use pages router with `fallback: true`, and then it's html file path
220-
// - `null` - when user use pages router with `fallback: 'block'` or app router with `export const dynamicParams = true`
221-
// - `false` - when user use pages router with `fallback: false` or app router with `export const dynamicParams = false`
222-
if (typeof meta.fallback === 'string') {
223-
// https://github.com/vercel/next.js/pull/68603 started using route cache to serve fallbacks
224-
// so we have to seed blobs with fallback entries
225-
226-
// create cache entry for pages router with `fallback: true` case
227-
await limitConcurrentPrerenderContentHandling(async () => {
228-
// dynamic routes don't have entries for each locale so we have to generate them
229-
// ourselves. If i18n is not used we use empty string as "locale" to be able to use
230-
// same handling wether i18n is used or not
231-
const locales = ctx.buildConfig.i18n?.locales ?? ['']
210+
...ctx.getFallbacks(manifest).map(async (route) => {
211+
const key = routeToFilePath(route)
212+
const value = await buildPagesCacheValue(
213+
join(ctx.publishDir, 'server/pages', key),
214+
shouldUseEnumKind,
215+
true, // there is no corresponding json file for fallback, so we are skipping it for this entry
216+
)
232217

233-
const lastModified = Date.now()
234-
for (const locale of locales) {
235-
const key = routeToFilePath(posixJoin(locale, route))
236-
const value = await buildPagesCacheValue(
237-
join(ctx.publishDir, 'server/pages', key),
238-
shouldUseEnumKind,
239-
true, // there is no corresponding json file for fallback, so we are skipping it for this entry
240-
)
241-
// Netlify Forms are not support and require a workaround
242-
if (value.kind === 'PAGE' || value.kind === 'PAGES' || value.kind === 'APP_PAGE') {
243-
verifyNetlifyForms(ctx, value.html)
244-
}
245-
246-
await writeCacheEntry(key, value, lastModified, ctx)
247-
248-
fsBlobsManifest.fallbackPaths.push(`${key}.html`)
249-
}
250-
})
251-
}
218+
await writeCacheEntry(key, value, Date.now(), ctx)
252219
}),
253220
])
254221

@@ -263,10 +230,6 @@ export const copyPrerenderedContent = async (ctx: PluginContext): Promise<void>
263230
)
264231
await writeCacheEntry(key, value, lastModified, ctx)
265232
}
266-
await writeFile(
267-
join(ctx.serverHandlerDir, FS_BLOBS_MANIFEST),
268-
JSON.stringify(fsBlobsManifest),
269-
)
270233
} catch (error) {
271234
ctx.failBuild('Failed assembling prerendered content for upload', error)
272235
}

src/build/content/static.ts

+10-1
Original file line numberDiff line numberDiff line change
@@ -6,6 +6,7 @@ import { trace } from '@opentelemetry/api'
66
import { wrapTracer } from '@opentelemetry/api/experimental'
77
import glob from 'fast-glob'
88

9+
import type { HtmlBlob } from '../../run/next.cjs'
910
import { encodeBlobKey } from '../../shared/blobkey.js'
1011
import { PluginContext } from '../plugin-context.js'
1112
import { verifyNetlifyForms } from '../verification.js'
@@ -25,6 +26,8 @@ export const copyStaticContent = async (ctx: PluginContext): Promise<void> => {
2526
extglob: true,
2627
})
2728

29+
const fallbacks = ctx.getFallbacks(await ctx.getPrerenderManifest())
30+
2831
try {
2932
await mkdir(destDir, { recursive: true })
3033
await Promise.all(
@@ -33,7 +36,13 @@ export const copyStaticContent = async (ctx: PluginContext): Promise<void> => {
3336
.map(async (path): Promise<void> => {
3437
const html = await readFile(join(srcDir, path), 'utf-8')
3538
verifyNetlifyForms(ctx, html)
36-
await writeFile(join(destDir, await encodeBlobKey(path)), html, 'utf-8')
39+
40+
const isFallback = fallbacks.includes(path)
41+
await writeFile(
42+
join(destDir, await encodeBlobKey(path)),
43+
JSON.stringify({ html, isFallback } satisfies HtmlBlob),
44+
'utf-8',
45+
)
3746
}),
3847
)
3948
} catch (error) {

src/build/plugin-context.ts

+36
Original file line numberDiff line numberDiff line change
@@ -334,6 +334,42 @@ export class PluginContext {
334334
return this.#nextVersion
335335
}
336336

337+
#fallbacks: string[] | null = null
338+
/**
339+
* Get an array of localized fallback routes
340+
*
341+
* Example return value for non-i18n site: `['blog/[slug]']`
342+
*
343+
* Example return value for i18n site: `['en/blog/[slug]', 'fr/blog/[slug]']`
344+
*/
345+
getFallbacks(prerenderManifest: PrerenderManifest): string[] {
346+
if (!this.#fallbacks) {
347+
// dynamic routes don't have entries for each locale so we have to generate them
348+
// ourselves. If i18n is not used we use empty string as "locale" to be able to use
349+
// same handling wether i18n is used or not
350+
const locales = this.buildConfig.i18n?.locales ?? ['']
351+
352+
this.#fallbacks = Object.entries(prerenderManifest.dynamicRoutes).reduce(
353+
(fallbacks, [route, meta]) => {
354+
// fallback can be `string | false | null`
355+
// - `string` - when user use pages router with `fallback: true`, and then it's html file path
356+
// - `null` - when user use pages router with `fallback: 'block'` or app router with `export const dynamicParams = true`
357+
// - `false` - when user use pages router with `fallback: false` or app router with `export const dynamicParams = false`
358+
if (typeof meta.fallback === 'string') {
359+
for (const locale of locales) {
360+
const localizedRoute = posixJoin(locale, route.replace(/^\/+/g, ''))
361+
fallbacks.push(localizedRoute)
362+
}
363+
}
364+
return fallbacks
365+
},
366+
[] as string[],
367+
)
368+
}
369+
370+
return this.#fallbacks
371+
}
372+
337373
/** Fails a build with a message and an optional error */
338374
failBuild(message: string, error?: unknown): never {
339375
return this.utils.build.failBuild(message, error instanceof Error ? { error } : undefined)

src/run/constants.ts

-1
Original file line numberDiff line numberDiff line change
@@ -5,4 +5,3 @@ export const MODULE_DIR = fileURLToPath(new URL('.', import.meta.url))
55
export const PLUGIN_DIR = resolve(`${MODULE_DIR}../../..`)
66
// a file where we store the required-server-files config object in to access during runtime
77
export const RUN_CONFIG = 'run-config.json'
8-
export const FS_BLOBS_MANIFEST = 'fs-blobs-manifest.json'

src/run/next.cts

+11-27
Original file line numberDiff line numberDiff line change
@@ -1,5 +1,5 @@
1-
import fs, { readFile } from 'fs/promises'
2-
import { join, relative, resolve } from 'path'
1+
import fs from 'fs/promises'
2+
import { relative, resolve } from 'path'
33

44
// @ts-expect-error no types installed
55
import { patchFs } from 'fs-monkey'
@@ -80,25 +80,9 @@ console.timeEnd('import next server')
8080

8181
type FS = typeof import('fs')
8282

83-
export type FSBlobsManifest = {
84-
fallbackPaths: string[]
85-
outputRoot: string
86-
}
87-
88-
function normalizeStaticAssetPath(path: string) {
89-
return path.startsWith('/') ? path : `/${path}`
90-
}
91-
92-
let fsBlobsManifestPromise: Promise<FSBlobsManifest> | undefined
93-
const getFSBlobsManifest = (): Promise<FSBlobsManifest> => {
94-
if (!fsBlobsManifestPromise) {
95-
fsBlobsManifestPromise = (async () => {
96-
const { FS_BLOBS_MANIFEST, PLUGIN_DIR } = await import('./constants.js')
97-
return JSON.parse(await readFile(resolve(PLUGIN_DIR, FS_BLOBS_MANIFEST), 'utf-8'))
98-
})()
99-
}
100-
101-
return fsBlobsManifestPromise
83+
export type HtmlBlob = {
84+
html: string
85+
isFallback: boolean
10286
}
10387

10488
export async function getMockedRequestHandlers(...args: Parameters<typeof getRequestHandlers>) {
@@ -117,20 +101,20 @@ export async function getMockedRequestHandlers(...args: Parameters<typeof getReq
117101
} catch (error) {
118102
// only try to get .html files from the blob store
119103
if (typeof path === 'string' && path.endsWith('.html')) {
120-
const fsBlobsManifest = await getFSBlobsManifest()
121-
122104
const store = getRegionalBlobStore()
123-
const relPath = relative(resolve(join(fsBlobsManifest.outputRoot, '/server/pages')), path)
124-
const file = await store.get(await encodeBlobKey(relPath))
105+
const relPath = relative(resolve('.next/server/pages'), path)
106+
const file = (await store.get(await encodeBlobKey(relPath), {
107+
type: 'json',
108+
})) as HtmlBlob | null
125109
if (file !== null) {
126-
if (!fsBlobsManifest.fallbackPaths.includes(normalizeStaticAssetPath(relPath))) {
110+
if (!file.isFallback) {
127111
const requestContext = getRequestContext()
128112
if (requestContext) {
129113
requestContext.usedFsReadForNonFallback = true
130114
}
131115
}
132116

133-
return file
117+
return file.html
134118
}
135119
}
136120

0 commit comments

Comments
 (0)