Skip to content

Commit 1277f85

Browse files
authored
feat: use blob key encoding (#108)
* feat: upload/get/set static blob files with suffix * feat: upload/get/set prerendered blob content with suffix * chore: update tests * feat: revert to manually adding suffix * chore: update tests * fix: remove leading slashes from keyds * feat: switch to base64 encoding blob keys * chore: update comments * fix: remove tags manifest to simplify and fix failing test * chore: update test
1 parent 99a8162 commit 1277f85

14 files changed

+196
-223
lines changed

src/build/content/prerendered.ts

+43-37
Original file line numberDiff line numberDiff line change
@@ -1,5 +1,6 @@
11
import type { NetlifyPluginOptions } from '@netlify/build'
22
import glob from 'fast-glob'
3+
import { Buffer } from 'node:buffer'
34
import { existsSync } from 'node:fs'
45
import { mkdir, readFile, writeFile } from 'node:fs/promises'
56
import { dirname, resolve } from 'node:path'
@@ -39,39 +40,48 @@ type FetchCacheValue = {
3940
}
4041
}
4142

43+
/**
44+
* Write a cache entry to the blob upload directory using
45+
* base64 keys to avoid collisions with directories
46+
*/
4247
const writeCacheEntry = async (key: string, value: CacheValue) => {
43-
await mkdir(dirname(resolve(BLOB_DIR, key)), { recursive: true })
44-
await writeFile(
45-
resolve(BLOB_DIR, key),
46-
JSON.stringify({ lastModified: Date.now(), value } satisfies CacheEntry),
47-
'utf-8',
48-
)
48+
const path = resolve(BLOB_DIR, Buffer.from(key).toString('base64'))
49+
const entry = JSON.stringify({
50+
lastModified: Date.now(),
51+
value,
52+
} satisfies CacheEntry)
53+
54+
await mkdir(dirname(path), { recursive: true })
55+
await writeFile(path, entry, 'utf-8')
4956
}
5057

51-
const urlPathToFilePath = (path: string) => (path === '/' ? '/index' : path)
58+
/**
59+
* Normalize routes by stripping leading slashes and ensuring root path is index
60+
*/
61+
const routeToFilePath = (path: string) => path.replace(/^\//, '') || 'index'
5262

5363
const buildPagesCacheValue = async (path: string): Promise<PageCacheValue> => ({
5464
kind: 'PAGE',
55-
html: await readFile(resolve(`${path}.html`), 'utf-8'),
56-
pageData: JSON.parse(await readFile(resolve(`${path}.json`), 'utf-8')),
65+
html: await readFile(`${path}.html`, 'utf-8'),
66+
pageData: JSON.parse(await readFile(`${path}.json`, 'utf-8')),
5767
})
5868

5969
const buildAppCacheValue = async (path: string): Promise<PageCacheValue> => ({
6070
kind: 'PAGE',
61-
html: await readFile(resolve(`${path}.html`), 'utf-8'),
62-
pageData: await readFile(resolve(`${path}.rsc`), 'utf-8'),
63-
...JSON.parse(await readFile(resolve(`${path}.meta`), 'utf-8')),
71+
html: await readFile(`${path}.html`, 'utf-8'),
72+
pageData: await readFile(`${path}.rsc`, 'utf-8'),
73+
...JSON.parse(await readFile(`${path}.meta`, 'utf-8')),
6474
})
6575

6676
const buildRouteCacheValue = async (path: string): Promise<RouteCacheValue> => ({
6777
kind: 'ROUTE',
68-
body: await readFile(resolve(`${path}.body`), 'utf-8'),
69-
...JSON.parse(await readFile(resolve(`${path}.meta`), 'utf-8')),
78+
body: await readFile(`${path}.body`, 'utf-8'),
79+
...JSON.parse(await readFile(`${path}.meta`, 'utf-8')),
7080
})
7181

7282
const buildFetchCacheValue = async (path: string): Promise<FetchCacheValue> => ({
7383
kind: 'FETCH',
74-
...JSON.parse(await readFile(resolve(path), 'utf-8')),
84+
...JSON.parse(await readFile(path, 'utf-8')),
7585
})
7686

7787
/**
@@ -86,31 +96,27 @@ export const copyPrerenderedContent = async ({
8696
try {
8797
// read prerendered content and build JSON key/values for the blob store
8898
const manifest = await getPrerenderManifest({ PUBLISH_DIR })
89-
const routes = Object.entries(manifest.routes)
90-
const notFoundRoute = 'server/app/_not-found'
9199

92100
await Promise.all(
93-
routes.map(async ([path, route]) => {
94-
let key, value
101+
Object.entries(manifest.routes).map(async ([route, meta]) => {
102+
const key = routeToFilePath(route)
103+
let value: CacheValue
95104

96105
switch (true) {
97-
case route.dataRoute?.endsWith('.json'):
98-
key = `server/pages/${urlPathToFilePath(path)}`
99-
value = await buildPagesCacheValue(resolve(PUBLISH_DIR, key))
106+
case meta.dataRoute?.endsWith('.json'):
107+
value = await buildPagesCacheValue(resolve(PUBLISH_DIR, 'server/pages', key))
100108
break
101109

102-
case route.dataRoute?.endsWith('.rsc'):
103-
key = `server/app/${urlPathToFilePath(path)}`
104-
value = await buildAppCacheValue(resolve(PUBLISH_DIR, key))
110+
case meta.dataRoute?.endsWith('.rsc'):
111+
value = await buildAppCacheValue(resolve(PUBLISH_DIR, 'server/app', key))
105112
break
106113

107-
case route.dataRoute === null:
108-
key = `server/app/${urlPathToFilePath(path)}`
109-
value = await buildRouteCacheValue(resolve(PUBLISH_DIR, key))
114+
case meta.dataRoute === null:
115+
value = await buildRouteCacheValue(resolve(PUBLISH_DIR, 'server/app', key))
110116
break
111117

112118
default:
113-
throw new Error(`Unrecognized prerendered content: ${path}`)
119+
throw new Error(`Unrecognized content: ${route}`)
114120
}
115121

116122
await writeCacheEntry(key, value)
@@ -119,11 +125,10 @@ export const copyPrerenderedContent = async ({
119125

120126
// app router 404 pages are not in the prerender manifest
121127
// so we need to check for them manually
122-
if (existsSync(resolve(PUBLISH_DIR, `${notFoundRoute}.html`))) {
123-
await writeCacheEntry(
124-
notFoundRoute,
125-
await buildAppCacheValue(resolve(PUBLISH_DIR, notFoundRoute)),
126-
)
128+
if (existsSync(resolve(PUBLISH_DIR, `server/app/_not-found.html`))) {
129+
const key = '404'
130+
const value = await buildAppCacheValue(resolve(PUBLISH_DIR, 'server/app/_not-found'))
131+
await writeCacheEntry(key, value)
127132
}
128133
} catch (error) {
129134
failBuild(
@@ -143,14 +148,15 @@ export const copyFetchContent = async ({
143148
},
144149
}: Pick<NetlifyPluginOptions, 'constants' | 'utils'>) => {
145150
try {
146-
const paths = await glob([`cache/fetch-cache/!(*.*)`], {
147-
cwd: resolve(PUBLISH_DIR),
151+
const paths = await glob(['!(*.*)'], {
152+
cwd: resolve(PUBLISH_DIR, 'cache/fetch-cache'),
148153
extglob: true,
149154
})
150155

151156
await Promise.all(
152157
paths.map(async (key) => {
153-
await writeCacheEntry(key, await buildFetchCacheValue(resolve(PUBLISH_DIR, key)))
158+
const value = await buildFetchCacheValue(resolve(PUBLISH_DIR, 'cache/fetch-cache', key))
159+
await writeCacheEntry(key, value)
154160
}),
155161
)
156162
} catch (error) {

src/build/content/static.test.ts

+5-4
Original file line numberDiff line numberDiff line change
@@ -99,10 +99,11 @@ test<FixtureTestContext>('should copy the static pages to the publish directory
9999
utils,
100100
})
101101

102-
expect((await glob('**/*', { cwd: join(cwd, BLOB_DIR), dot: true })).sort()).toEqual([
103-
'server/pages/test.html',
104-
'server/pages/test2.html',
105-
])
102+
expect(
103+
(await glob('**/*', { cwd: join(cwd, BLOB_DIR), dot: true }))
104+
.map((path) => Buffer.from(path, 'base64').toString('utf-8'))
105+
.sort(),
106+
).toEqual(['test.html', 'test2.html'])
106107
})
107108

108109
test<FixtureTestContext>('should not copy the static pages to the publish directory if there are corresponding JSON files', async (ctx) => {

src/build/content/static.ts

+5-3
Original file line numberDiff line numberDiff line change
@@ -1,8 +1,9 @@
11
import type { NetlifyPluginOptions } from '@netlify/build'
22
import glob from 'fast-glob'
3+
import { Buffer } from 'node:buffer'
34
import { existsSync } from 'node:fs'
45
import { cp, mkdir, rename, rm } from 'node:fs/promises'
5-
import { resolve } from 'node:path'
6+
import { join, resolve } from 'node:path'
67
import { BLOB_DIR, STATIC_DIR } from '../constants.js'
78

89
/**
@@ -15,7 +16,7 @@ export const copyStaticContent = async ({
1516
},
1617
}: Pick<NetlifyPluginOptions, 'constants' | 'utils'>): Promise<void> => {
1718
const srcDir = resolve(PUBLISH_DIR, 'server/pages')
18-
const destDir = resolve(BLOB_DIR, 'server/pages')
19+
const destDir = resolve(BLOB_DIR)
1920

2021
const paths = await glob('**/*.+(html|json)', {
2122
cwd: srcDir,
@@ -27,7 +28,8 @@ export const copyStaticContent = async ({
2728
paths
2829
.filter((path) => !paths.includes(`${path.slice(0, -5)}.json`))
2930
.map(async (path) => {
30-
await cp(resolve(srcDir, path), resolve(destDir, path), { recursive: true })
31+
const key = Buffer.from(path).toString('base64')
32+
await cp(join(srcDir, path), join(destDir, key), { recursive: true })
3133
}),
3234
)
3335
} catch (error) {

0 commit comments

Comments
 (0)