Skip to content

Commit c97fee2

Browse files
committed
perf: memoize blobs requests in the request scope
1 parent 2f7dee1 commit c97fee2

7 files changed

+378
-71
lines changed

package-lock.json

+30-46
Some generated files are not rendered by default. Learn more about customizing how changed files appear on GitHub.

package.json

+1
Original file line numberDiff line numberDiff line change
@@ -76,6 +76,7 @@
7676
"fs-monkey": "^1.0.6",
7777
"get-port": "^7.1.0",
7878
"lambda-local": "^2.2.0",
79+
"lru-cache": "^10.4.3",
7980
"memfs": "^4.9.2",
8081
"mock-require": "^3.0.3",
8182
"msw": "^2.0.7",

src/run/handlers/cache.cts

+9-17
Original file line numberDiff line numberDiff line change
@@ -30,22 +30,18 @@ import {
3030
import { getLogger, getRequestContext } from './request-context.cjs'
3131
import { getTracer, recordWarning } from './tracer.cjs'
3232

33-
type TagManifestBlobCache = Record<string, Promise<TagManifest | null>>
34-
3533
const purgeCacheUserAgent = `${nextRuntimePkgName}@${nextRuntimePkgVersion}`
3634

3735
export class NetlifyCacheHandler implements CacheHandlerForMultipleVersions {
3836
options: CacheHandlerContext
3937
revalidatedTags: string[]
4038
cacheStore: MemoizedKeyValueStoreBackedByRegionalBlobStore
4139
tracer = getTracer()
42-
tagManifestsFetchedFromBlobStoreInCurrentRequest: TagManifestBlobCache
4340

4441
constructor(options: CacheHandlerContext) {
4542
this.options = options
4643
this.revalidatedTags = options.revalidatedTags
4744
this.cacheStore = getMemoizedKeyValueStoreBackedByRegionalBlobStore({ consistency: 'strong' })
48-
this.tagManifestsFetchedFromBlobStoreInCurrentRequest = {}
4945
}
5046

5147
private getTTL(blob: NetlifyCacheHandlerValue) {
@@ -469,7 +465,8 @@ export class NetlifyCacheHandler implements CacheHandlerForMultipleVersions {
469465
}
470466

471467
resetRequestCache() {
472-
this.tagManifestsFetchedFromBlobStoreInCurrentRequest = {}
468+
// no-op because in-memory cache is scoped to requests and not global
469+
// see getRequestSpecificInMemoryCache
473470
}
474471

475472
/**
@@ -508,10 +505,9 @@ export class NetlifyCacheHandler implements CacheHandlerForMultipleVersions {
508505
}
509506

510507
// 2. If any in-memory tags don't indicate that any of tags was invalidated
511-
// we will check blob store, but memoize results for duration of current request
512-
// so that we only check blob store once per tag within a single request
513-
// full-route cache and fetch caches share a lot of tags so this might save
514-
// some roundtrips to the blob store.
508+
// we will check blob store. Full-route cache and fetch caches share a lot of tags
509+
// but we will only do actual blob read once withing a single request due to cacheStore
510+
// memoization.
515511
// Additionally, we will resolve the promise as soon as we find first
516512
// stale tag, so that we don't wait for all of them to resolve (but keep all
517513
// running in case future `CacheHandler.get` calls would be able to use results).
@@ -521,14 +517,10 @@ export class NetlifyCacheHandler implements CacheHandlerForMultipleVersions {
521517
const tagManifestPromises: Promise<boolean>[] = []
522518

523519
for (const tag of cacheTags) {
524-
let tagManifestPromise: Promise<TagManifest | null> =
525-
this.tagManifestsFetchedFromBlobStoreInCurrentRequest[tag]
526-
527-
if (!tagManifestPromise) {
528-
tagManifestPromise = this.cacheStore.get<TagManifest>(tag, 'tagManifest.get')
529-
530-
this.tagManifestsFetchedFromBlobStoreInCurrentRequest[tag] = tagManifestPromise
531-
}
520+
const tagManifestPromise: Promise<TagManifest | null> = this.cacheStore.get<TagManifest>(
521+
tag,
522+
'tagManifest.get',
523+
)
532524

533525
tagManifestPromises.push(
534526
tagManifestPromise.then((tagManifest) => {

src/run/handlers/request-context.cts

+14-4
Original file line numberDiff line numberDiff line change
@@ -39,9 +39,22 @@ export type RequestContext = {
3939
*/
4040
backgroundWorkPromise: Promise<unknown>
4141
logger: SystemLogger
42+
requestID: string
4243
}
4344

4445
type RequestContextAsyncLocalStorage = AsyncLocalStorage<RequestContext>
46+
const REQUEST_CONTEXT_GLOBAL_KEY = Symbol.for('nf-request-context-async-local-storage')
47+
const REQUEST_COUNTER_KEY = Symbol.for('nf-request-counter')
48+
const extendedGlobalThis = globalThis as typeof globalThis & {
49+
[REQUEST_CONTEXT_GLOBAL_KEY]?: RequestContextAsyncLocalStorage
50+
[REQUEST_COUNTER_KEY]?: number
51+
}
52+
53+
function getFallbackRequestID() {
54+
const requestNumber = extendedGlobalThis[REQUEST_COUNTER_KEY] ?? 0
55+
extendedGlobalThis[REQUEST_COUNTER_KEY] = requestNumber + 1
56+
return `#${requestNumber}`
57+
}
4558

4659
export function createRequestContext(request?: Request, context?: FutureContext): RequestContext {
4760
const backgroundWorkPromises: Promise<unknown>[] = []
@@ -72,10 +85,10 @@ export function createRequestContext(request?: Request, context?: FutureContext)
7285
return Promise.allSettled(backgroundWorkPromises)
7386
},
7487
logger,
88+
requestID: request?.headers.get('x-nf-request-id') ?? getFallbackRequestID(),
7589
}
7690
}
7791

78-
const REQUEST_CONTEXT_GLOBAL_KEY = Symbol.for('nf-request-context-async-local-storage')
7992
let requestContextAsyncLocalStorage: RequestContextAsyncLocalStorage | undefined
8093
function getRequestContextAsyncLocalStorage() {
8194
if (requestContextAsyncLocalStorage) {
@@ -85,9 +98,6 @@ function getRequestContextAsyncLocalStorage() {
8598
// AsyncLocalStorage in the module scope, because it will be different for each
8699
// copy - so first time an instance of this module is used, we store AsyncLocalStorage
87100
// in global scope and reuse it for all subsequent calls
88-
const extendedGlobalThis = globalThis as typeof globalThis & {
89-
[REQUEST_CONTEXT_GLOBAL_KEY]?: RequestContextAsyncLocalStorage
90-
}
91101
if (extendedGlobalThis[REQUEST_CONTEXT_GLOBAL_KEY]) {
92102
return extendedGlobalThis[REQUEST_CONTEXT_GLOBAL_KEY]
93103
}

src/run/regional-blob-store.cts

+67-4
Original file line numberDiff line numberDiff line change
@@ -1,7 +1,9 @@
11
import { getDeployStore, GetWithMetadataOptions, Store } from '@netlify/blobs'
2+
import { LRUCache } from 'lru-cache'
23

3-
import type { BlobType } from '../shared/cache-types.cjs'
4+
import { type BlobType, estimateBlobSize } from '../shared/cache-types.cjs'
45

6+
import { getRequestContext } from './handlers/request-context.cjs'
57
import { getTracer } from './handlers/tracer.cjs'
68

79
const FETCH_BEFORE_NEXT_PATCHED_IT = Symbol.for('nf-not-patched-fetch')
@@ -70,6 +72,53 @@ const encodeBlobKey = async (key: string) => {
7072
return await encodeBlobKeyImpl(key)
7173
}
7274

75+
// lru-cache types don't like using `null` for values, so we use a symbol to represent it and do conversion
76+
// so it doesn't leak outside
77+
const NullValue = Symbol.for('null-value')
78+
const inMemoryLRUCache = new LRUCache<
79+
string,
80+
BlobType | typeof NullValue | Promise<BlobType | null>
81+
>({
82+
max: 1000, // recommended to set a limit for perf, unlikely to hit it in practice, as eviction will be primarily size based
83+
maxSize: 50 * 1024 * 1024, // 50MB
84+
sizeCalculation: (valueToStore) => {
85+
return estimateBlobSize(valueToStore === NullValue ? null : valueToStore)
86+
},
87+
})
88+
89+
interface RequestSpecificInMemoryCache {
90+
get(key: string): BlobType | null | Promise<BlobType | null> | undefined
91+
set(key: string, value: BlobType | null | Promise<BlobType | null>): void
92+
}
93+
94+
const getRequestSpecificInMemoryCache = (): RequestSpecificInMemoryCache => {
95+
const requestContext = getRequestContext()
96+
if (!requestContext) {
97+
// Fallback to a no-op store if we can't find request context
98+
return {
99+
get(): undefined {
100+
// no-op
101+
},
102+
set() {
103+
// no-op
104+
},
105+
}
106+
}
107+
108+
return {
109+
get(key) {
110+
const inMemoryValue = inMemoryLRUCache.get(`${requestContext.requestID}:${key}`)
111+
if (inMemoryValue === NullValue) {
112+
return null
113+
}
114+
return inMemoryValue
115+
},
116+
set(key, value) {
117+
inMemoryLRUCache.set(`${requestContext.requestID}:${key}`, value ?? NullValue)
118+
},
119+
}
120+
}
121+
73122
export const getMemoizedKeyValueStoreBackedByRegionalBlobStore = (
74123
args: GetWithMetadataOptions = {},
75124
) => {
@@ -78,18 +127,32 @@ export const getMemoizedKeyValueStoreBackedByRegionalBlobStore = (
78127

79128
return {
80129
async get<T extends BlobType>(key: string, otelSpanTitle: string): Promise<T | null> {
81-
const blobKey = await encodeBlobKey(key)
130+
const inMemoryCache = getRequestSpecificInMemoryCache()
82131

83-
return tracer.withActiveSpan(otelSpanTitle, async (span) => {
132+
const memoizedValue = inMemoryCache.get(key)
133+
if (typeof memoizedValue !== 'undefined') {
134+
return memoizedValue as T | null | Promise<T | null>
135+
}
136+
137+
const blobKey = await encodeBlobKey(key)
138+
const getPromise = tracer.withActiveSpan(otelSpanTitle, async (span) => {
84139
span.setAttributes({ key, blobKey })
85140
const blob = (await store.get(blobKey, { type: 'json' })) as T | null
141+
inMemoryCache.set(key, blob)
142+
console.log('after set value size 1', inMemoryLRUCache.calculatedSize)
86143
span.addEvent(blob ? 'Hit' : 'Miss')
87144
return blob
88145
})
146+
inMemoryCache.set(key, getPromise)
147+
return getPromise
89148
},
90149
async set(key: string, value: BlobType, otelSpanTitle: string) {
91-
const blobKey = await encodeBlobKey(key)
150+
const inMemoryCache = getRequestSpecificInMemoryCache()
92151

152+
inMemoryCache.set(key, value)
153+
console.log('after set value size 2', inMemoryLRUCache.calculatedSize)
154+
155+
const blobKey = await encodeBlobKey(key)
93156
return tracer.withActiveSpan(otelSpanTitle, async (span) => {
94157
span.setAttributes({ key, blobKey })
95158
return await store.setJSON(blobKey, value)

0 commit comments

Comments
 (0)