Skip to content

Commit b55ca06

Browse files
Skn0ttorinokai
andauthoredJan 26, 2024
fix: handle long blob names by truncating them (#182)
* chore: repro ENAMETOOLONG * refactor: extract encodeBlobKey function from build and handlers into shared impl * fix: truncate long key names * fix: lower max length * fix: use base64url to prevent clashes with blobstore urls * use filename short enough to be writable by next.js, but long enough to trigger ENAMETOOLONG once base64'd * fix a bug and add test * fix: fix test * fix: remove revalidation from test * fix: use .cjs file so that vitest doesn't stumble * chore: supress TS error * fix: update cache-handler test * fix: also move to base64+url in test suite * fix: use encodeBlobKey across full repo * fix: let's try .ts file again * same fix for static.test.ts * fix: use webcrypto --------- Co-authored-by: Rob Stanford <me@robstanford.com>
1 parent 739fbdd commit b55ca06

File tree

13 files changed

+124
-37
lines changed

13 files changed

+124
-37
lines changed
 

‎src/build/content/static.ts

+2-3
Original file line numberDiff line numberDiff line change
@@ -1,10 +1,10 @@
1-
import { Buffer } from 'node:buffer'
21
import { existsSync } from 'node:fs'
32
import { cp, mkdir, rename, rm } from 'node:fs/promises'
43
import { join } from 'node:path'
54

65
import glob from 'fast-glob'
76

7+
import { encodeBlobKey } from '../../shared/blobkey.js'
88
import { PluginContext } from '../plugin-context.js'
99

1010
/**
@@ -24,8 +24,7 @@ export const copyStaticContent = async (ctx: PluginContext): Promise<void> => {
2424
paths
2525
.filter((path) => !paths.includes(`${path.slice(0, -5)}.json`))
2626
.map(async (path) => {
27-
const key = Buffer.from(path).toString('base64')
28-
await cp(join(srcDir, path), join(destDir, key), { recursive: true })
27+
await cp(join(srcDir, path), join(destDir, await encodeBlobKey(path)), { recursive: true })
2928
}),
3029
)
3130
} catch (error) {

‎src/build/plugin-context.ts

+5-5
Original file line numberDiff line numberDiff line change
@@ -1,4 +1,3 @@
1-
import { Buffer } from 'node:buffer'
21
import { readFileSync } from 'node:fs'
32
import { mkdir, readFile, writeFile } from 'node:fs/promises'
43
// Here we need to actually import `resolve` from node:path as we want to resolve the paths
@@ -15,6 +14,8 @@ import type { PrerenderManifest, RoutesManifest } from 'next/dist/build/index.js
1514
import type { MiddlewareManifest } from 'next/dist/build/webpack/plugins/middleware-plugin.js'
1615
import type { NextConfigComplete } from 'next/dist/server/config-shared.js'
1716

17+
import { encodeBlobKey } from '../shared/blobkey.js'
18+
1819
const MODULE_DIR = fileURLToPath(new URL('.', import.meta.url))
1920
const PLUGIN_DIR = join(MODULE_DIR, '../..')
2021

@@ -185,11 +186,10 @@ export class PluginContext {
185186
}
186187

187188
/**
188-
* Write a cache entry to the blob upload directory using
189-
* base64 keys to avoid collisions with directories
189+
* Write a cache entry to the blob upload directory.
190190
*/
191-
async writeCacheEntry(key: string, value: CacheValue): Promise<void> {
192-
const path = join(this.blobDir, Buffer.from(key).toString('base64'))
191+
async writeCacheEntry(route: string, value: CacheValue): Promise<void> {
192+
const path = join(this.blobDir, await encodeBlobKey(route))
193193
const entry = JSON.stringify({
194194
lastModified: Date.now(),
195195
value,

‎src/run/handlers/cache.cts

+9-11
Original file line numberDiff line numberDiff line change
@@ -15,9 +15,6 @@ import type {
1515
IncrementalCache,
1616
} from 'next/dist/server/lib/incremental-cache/index.js'
1717

18-
// @ts-expect-error only type import of an ESM file will be removed in compiled version
19-
import type { CacheEntry } from '../../build/plugin-context.ts'
20-
2118
type TagManifest = { revalidatedAt: number }
2219

2320
// load the prerender manifest
@@ -30,10 +27,6 @@ function toRoute(cacheKey: string): string {
3027
return cacheKey.replace(/\/$/, '').replace(/\/index$/, '') || '/'
3128
}
3229

33-
function encodeBlobKey(key: string) {
34-
return Buffer.from(key.replace(/^\//, '')).toString('base64')
35-
}
36-
3730
const fetchBeforeNextPatchedIt = globalThis.fetch
3831

3932
export class NetlifyCacheHandler implements CacheHandler {
@@ -47,12 +40,17 @@ export class NetlifyCacheHandler implements CacheHandler {
4740
this.blobStore = getDeployStore({ fetch: fetchBeforeNextPatchedIt })
4841
}
4942

43+
private async encodeBlobKey(key: string) {
44+
const { encodeBlobKey } = await import("../../shared/blobkey.js")
45+
return await encodeBlobKey(key)
46+
}
47+
5048
async get(...args: Parameters<CacheHandler['get']>): ReturnType<CacheHandler['get']> {
5149
const [key, ctx = {}] = args
5250

5351
console.debug(`[NetlifyCacheHandler.get]: ${key}`)
5452

55-
const blob = (await this.blobStore.get(encodeBlobKey(key), {
53+
const blob = (await this.blobStore.get(await this.encodeBlobKey(key), {
5654
type: 'json',
5755
})) as CacheEntry | null
5856

@@ -106,7 +104,7 @@ export class NetlifyCacheHandler implements CacheHandler {
106104

107105
console.debug(`[NetlifyCacheHandler.set]: ${key}`)
108106

109-
await this.blobStore.setJSON(encodeBlobKey(key), {
107+
await this.blobStore.setJSON(await this.encodeBlobKey(key), {
110108
lastModified: Date.now(),
111109
value: data,
112110
})
@@ -121,7 +119,7 @@ export class NetlifyCacheHandler implements CacheHandler {
121119
}
122120

123121
try {
124-
await this.blobStore.setJSON(encodeBlobKey(tag), data)
122+
await this.blobStore.setJSON(await this.encodeBlobKey(tag), data)
125123
} catch (error) {
126124
console.warn(`Failed to update tag manifest for ${tag}`, error)
127125
}
@@ -145,7 +143,7 @@ export class NetlifyCacheHandler implements CacheHandler {
145143
const allManifests = await Promise.all(
146144
cacheTags.map(async (tag) => {
147145
const res = await this.blobStore
148-
.get(encodeBlobKey(tag), { type: 'json' })
146+
.get(await this.encodeBlobKey(tag), { type: 'json' })
149147
.then((value: TagManifest) => ({ [tag]: value }))
150148
.catch(console.error)
151149
return res || { [tag]: null }

‎src/run/headers.ts

+3-7
Original file line numberDiff line numberDiff line change
@@ -1,8 +1,8 @@
1-
import { Buffer } from 'node:buffer'
2-
31
import { getDeployStore } from '@netlify/blobs'
42
import type { NextConfigComplete } from 'next/dist/server/config-shared.js'
53

4+
import { encodeBlobKey } from '../shared/blobkey.js'
5+
66
import type { TagsManifest } from './config.js'
77

88
interface NetlifyVaryValues {
@@ -74,10 +74,6 @@ export const setVaryHeaders = (
7474
headers.set(`netlify-vary`, generateNetlifyVaryValues(netlifyVaryValues))
7575
}
7676

77-
function encodeBlobKey(key: string) {
78-
return Buffer.from(key.replace(/^\//, '')).toString('base64')
79-
}
80-
8177
/**
8278
* Change the date header to be the last-modified date of the blob. This means the CDN
8379
* will use the correct expiry time for the response. e.g. if the blob was last modified
@@ -90,7 +86,7 @@ export const adjustDateHeader = async (headers: Headers, request: Request) => {
9086
return
9187
}
9288
const path = new URL(request.url).pathname
93-
const key = encodeBlobKey(path)
89+
const key = await encodeBlobKey(path)
9490
const blobStore = getDeployStore()
9591
// TODO: use metadata for this
9692
const { lastModified } = (await blobStore.get(key, { type: 'json' })) ?? {}

‎src/run/next.cts

+3-3
Original file line numberDiff line numberDiff line change
@@ -1,5 +1,4 @@
11
import fs from 'fs/promises'
2-
import { Buffer } from 'node:buffer'
32
import { relative, resolve } from 'path'
43

54
import { getDeployStore } from '@netlify/blobs'
@@ -13,6 +12,8 @@ export async function getMockedRequestHandlers(...args: Parameters<typeof getReq
1312
const store = getDeployStore()
1413
const ofs = { ...fs }
1514

15+
const { encodeBlobKey } = await import("../shared/blobkey.js")
16+
1617
async function readFileFallbackBlobStore(...fsargs: Parameters<FS['promises']['readFile']>) {
1718
const [path, options] = fsargs
1819
try {
@@ -23,8 +24,7 @@ export async function getMockedRequestHandlers(...args: Parameters<typeof getReq
2324
// only try to get .html files from the blob store
2425
if (typeof path === 'string' && path.endsWith('.html')) {
2526
const relPath = relative(resolve('.next/server/pages'), path)
26-
const blobKey = Buffer.from(relPath).toString('base64')
27-
const file = await store.get(blobKey)
27+
const file = await store.get(await encodeBlobKey(relPath))
2828
if (file !== null) {
2929
return file
3030
}

‎src/shared/blobkey.test.ts

+30
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,30 @@
1+
import { Buffer } from 'node:buffer'
2+
3+
import { expect, describe, it } from 'vitest'
4+
5+
import { encodeBlobKey } from './blobkey.js'
6+
7+
describe('encodeBlobKey', () => {
8+
it('ignores leading slashes', async () => {
9+
expect(await encodeBlobKey('/foo')).toEqual(await encodeBlobKey('foo'))
10+
})
11+
12+
const longKey = 'long'.repeat(100)
13+
14+
it('truncates long keys to 180 characters', async () => {
15+
expect(await encodeBlobKey(longKey)).toHaveLength(180)
16+
})
17+
18+
it('truncated keys also ignore leading slashes', async () => {
19+
expect(await encodeBlobKey(`/${longKey}`)).toEqual(await encodeBlobKey(longKey))
20+
})
21+
22+
it('adds a differentiating hash to truncated keys', async () => {
23+
expect(await encodeBlobKey(`${longKey}a`)).not.toEqual(await encodeBlobKey(`${longKey}b`))
24+
})
25+
26+
it('truncated keys keep having a readable start', async () => {
27+
const key = await encodeBlobKey(`/products/${longKey}`)
28+
expect(Buffer.from(key, 'base64url').toString().startsWith('products/')).toBe(true)
29+
})
30+
})

‎src/shared/blobkey.ts

+23
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,23 @@
1+
import { Buffer } from 'node:buffer'
2+
// need to import this since globalThis.crypto isn't available on Node 18
3+
import { webcrypto as crypto } from 'node:crypto'
4+
5+
const maxLength = 180
6+
7+
/**
8+
* Takes a blob key and returns a safe key for the file system.
9+
* The returned key is a base64url encoded string with a maximum length of 180 characters.
10+
* Longer keys are truncated and appended with a hash to ensure uniqueness.
11+
*/
12+
export async function encodeBlobKey(key: string): Promise<string> {
13+
const buffer = Buffer.from(key.replace(/^\//, '') || 'index')
14+
const base64 = buffer.toString('base64url')
15+
if (base64.length <= maxLength) {
16+
return base64
17+
}
18+
19+
const digest = await crypto.subtle.digest('SHA-256', buffer)
20+
const hash = Buffer.from(digest).toString('base64url')
21+
22+
return `${base64.slice(0, maxLength - hash.length - 1)}-${hash}`
23+
}

‎tests/e2e/page-router.test.ts

+10
Original file line numberDiff line numberDiff line change
@@ -86,3 +86,13 @@ test('requesting a non existing page route that needs to be fetched from the blo
8686

8787
expect(await page.textContent('h1')).toBe('404')
8888
})
89+
90+
test('requesting a page with a very long name works', async ({ page }) => {
91+
const response = await page.goto(
92+
new URL(
93+
'/products/an-incredibly-long-product-name-thats-impressively-repetetively-needlessly-overdimensioned-and-should-be-shortened-to-less-than-255-characters-for-the-sake-of-seo-and-ux-and-first-and-foremost-for-gods-sake-but-nobody-wont-ever-read-this-anyway',
94+
ctx.url,
95+
).href,
96+
)
97+
expect(response?.status()).toBe(200)
98+
})
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,31 @@
1+
const Product = ({ time }) => (
2+
<div>
3+
<p>
4+
This page uses getStaticProps() and getStaticPaths() to pre-fetch a Product
5+
<span data-testid="date-now">{time}</span>
6+
</p>
7+
</div>
8+
)
9+
10+
export async function getStaticProps() {
11+
return {
12+
props: {
13+
time: new Date().toISOString(),
14+
},
15+
}
16+
}
17+
18+
export const getStaticPaths = () => {
19+
return {
20+
paths: [
21+
{
22+
params: {
23+
slug: 'an-incredibly-long-product-name-thats-impressively-repetetively-needlessly-overdimensioned-and-should-be-shortened-to-less-than-255-characters-for-the-sake-of-seo-and-ux-and-first-and-foremost-for-gods-sake-but-nobody-wont-ever-read-this-anyway',
24+
},
25+
},
26+
],
27+
fallback: false, // false or "blocking"
28+
}
29+
}
30+
31+
export default Product

‎tests/integration/cache-handler.test.ts

+3-1
Original file line numberDiff line numberDiff line change
@@ -40,9 +40,11 @@ describe('page router', () => {
4040
console.timeEnd('runPlugin')
4141
// check if the blob entries where successful set on the build plugin
4242
const blobEntries = await getBlobEntries(ctx)
43-
expect(blobEntries.map(({ key }) => decodeBlobKey(key)).sort()).toEqual([
43+
expect(blobEntries.map(({ key }) => decodeBlobKey(key.substring(0, 50))).sort()).toEqual([
4444
'404.html',
4545
'500.html',
46+
// the real key is much longer and ends in a hash, but we only assert on the first 50 chars to make it easier
47+
'products/an-incredibly-long-product-n',
4648
'static/revalidate-automatic',
4749
'static/revalidate-manual',
4850
'static/revalidate-slow',

‎tests/integration/static.test.ts

+3-1
Original file line numberDiff line numberDiff line change
@@ -38,9 +38,11 @@ test<FixtureTestContext>('requesting a non existing page route that needs to be
3838
await runPlugin(ctx)
3939

4040
const entries = await getBlobEntries(ctx)
41-
expect(entries.map(({ key }) => decodeBlobKey(key)).sort()).toEqual([
41+
expect(entries.map(({ key }) => decodeBlobKey(key.substring(0, 50))).sort()).toEqual([
4242
'404.html',
4343
'500.html',
44+
// the real key is much longer and ends in a hash, but we only assert on the first 50 chars to make it easier
45+
'products/an-incredibly-long-product-n',
4446
'static/revalidate-automatic',
4547
'static/revalidate-manual',
4648
'static/revalidate-slow',

‎tests/integration/turborepo.test.ts

-4
Original file line numberDiff line numberDiff line change
@@ -1,17 +1,13 @@
1-
import { load } from 'cheerio'
21
import { getLogger } from 'lambda-local'
32
import { v4 } from 'uuid'
43
import { beforeEach, expect, test, vi } from 'vitest'
54
import {
65
createFixture,
7-
invokeFunction,
86
runPlugin,
97
type FixtureTestContext,
108
} from '../utils/fixture.js'
119
import {
12-
encodeBlobKey,
1310
generateRandomObjectID,
14-
getBlobEntries,
1511
startMockBlobStore,
1612
} from '../utils/helpers.js'
1713
import { glob } from 'fast-glob'

‎tests/utils/helpers.ts

+2-2
Original file line numberDiff line numberDiff line change
@@ -94,12 +94,12 @@ export const getBlobEntries = async (ctx: FixtureTestContext) => {
9494
/**
9595
* Converts a string to base64 blob key
9696
*/
97-
export const encodeBlobKey = (key: string) => Buffer.from(key).toString('base64')
97+
export const encodeBlobKey = (key: string) => Buffer.from(key).toString('base64url')
9898

9999
/**
100100
* Converts a base64 blob key to a string
101101
*/
102-
export const decodeBlobKey = (key: string) => Buffer.from(key, 'base64').toString('utf-8')
102+
export const decodeBlobKey = (key: string) => Buffer.from(key, 'base64url').toString('utf-8')
103103

104104
/**
105105
* Fake build utils that are passed to a build plugin execution

0 commit comments

Comments
 (0)
Please sign in to comment.