File size: 9,945 Bytes
1e92f2d |
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 209 210 211 212 213 214 215 216 217 218 219 220 221 222 223 224 225 226 227 228 229 230 231 232 233 234 235 236 237 238 239 240 241 242 243 244 245 246 247 248 249 250 251 252 253 254 255 256 257 258 259 260 261 262 263 264 265 266 267 268 269 270 271 272 273 274 275 276 277 278 279 280 281 282 283 284 285 286 287 288 289 290 291 292 293 294 295 296 297 298 |
/* eslint-disable import/no-extraneous-dependencies */
import 'server-only'
/* eslint-disable import/no-extraneous-dependencies */
import { renderToReadableStream } from 'react-server-dom-webpack/server'
/* eslint-disable import/no-extraneous-dependencies */
import { createFromReadableStream } from 'react-server-dom-webpack/client'
import { streamToString } from '../stream-utils/node-web-streams-helper'
import {
arrayBufferToString,
decrypt,
encrypt,
getActionEncryptionKey,
getClientReferenceManifestForRsc,
getServerModuleMap,
stringToUint8Array,
} from './encryption-utils'
import {
getCacheSignal,
getPrerenderResumeDataCache,
getRenderResumeDataCache,
workUnitAsyncStorage,
} from './work-unit-async-storage.external'
import { createHangingInputAbortSignal } from './dynamic-rendering'
import React from 'react'
const isEdgeRuntime = process.env.NEXT_RUNTIME === 'edge'
const textEncoder = new TextEncoder()
const textDecoder = new TextDecoder()
/**
* Decrypt the serialized string with the action id as the salt.
*/
async function decodeActionBoundArg(actionId: string, arg: string) {
const key = await getActionEncryptionKey()
if (typeof key === 'undefined') {
throw new Error(
`Missing encryption key for Server Action. This is a bug in Next.js`
)
}
// Get the iv (16 bytes) and the payload from the arg.
const originalPayload = atob(arg)
const ivValue = originalPayload.slice(0, 16)
const payload = originalPayload.slice(16)
const decrypted = textDecoder.decode(
await decrypt(key, stringToUint8Array(ivValue), stringToUint8Array(payload))
)
if (!decrypted.startsWith(actionId)) {
throw new Error('Invalid Server Action payload: failed to decrypt.')
}
return decrypted.slice(actionId.length)
}
/**
* Encrypt the serialized string with the action id as the salt. Add a prefix to
* later ensure that the payload is correctly decrypted, similar to a checksum.
*/
async function encodeActionBoundArg(actionId: string, arg: string) {
const key = await getActionEncryptionKey()
if (key === undefined) {
throw new Error(
`Missing encryption key for Server Action. This is a bug in Next.js`
)
}
// Get 16 random bytes as iv.
const randomBytes = new Uint8Array(16)
workUnitAsyncStorage.exit(() => crypto.getRandomValues(randomBytes))
const ivValue = arrayBufferToString(randomBytes.buffer)
const encrypted = await encrypt(
key,
randomBytes,
textEncoder.encode(actionId + arg)
)
return btoa(ivValue + arrayBufferToString(encrypted))
}
enum ReadStatus {
Ready,
Pending,
Complete,
}
// Encrypts the action's bound args into a string. For the same combination of
// actionId and args the same cached promise is returned. This ensures reference
// equality for returned objects from "use cache" functions when they're invoked
// multiple times within one render pass using the same bound args.
export const encryptActionBoundArgs = React.cache(
async function encryptActionBoundArgs(actionId: string, ...args: any[]) {
const workUnitStore = workUnitAsyncStorage.getStore()
const cacheSignal = workUnitStore
? getCacheSignal(workUnitStore)
: undefined
const { clientModules } = getClientReferenceManifestForRsc()
// Create an error before any asynchronous calls, to capture the original
// call stack in case we need it when the serialization errors.
const error = new Error()
Error.captureStackTrace(error, encryptActionBoundArgs)
let didCatchError = false
const hangingInputAbortSignal = workUnitStore
? createHangingInputAbortSignal(workUnitStore)
: undefined
let readStatus = ReadStatus.Ready
function startReadOnce() {
if (readStatus === ReadStatus.Ready) {
readStatus = ReadStatus.Pending
cacheSignal?.beginRead()
}
}
function endReadIfStarted() {
if (readStatus === ReadStatus.Pending) {
cacheSignal?.endRead()
}
readStatus = ReadStatus.Complete
}
// streamToString might take longer than a microtask to resolve and then other things
// waiting on the cache signal might not realize there is another cache to fill so if
// we are no longer waiting on the bound args serialization via the hangingInputAbortSignal
// we should eagerly start the cache read to prevent other readers of the cache signal from
// missing this cache fill. We use a idempotent function to only start reading once because
// it's also possible that streamToString finishes before the hangingInputAbortSignal aborts.
if (hangingInputAbortSignal && cacheSignal) {
hangingInputAbortSignal.addEventListener('abort', startReadOnce, {
once: true,
})
}
const filterStackFrame =
process.env.NODE_ENV !== 'production'
? (require('../lib/source-maps') as typeof import('../lib/source-maps'))
.filterStackFrameDEV
: undefined
// Using Flight to serialize the args into a string.
const serialized = await streamToString(
renderToReadableStream(args, clientModules, {
filterStackFrame,
signal: hangingInputAbortSignal,
onError(err) {
if (hangingInputAbortSignal?.aborted) {
return
}
// We're only reporting one error at a time, starting with the first.
if (didCatchError) {
return
}
didCatchError = true
// Use the original error message together with the previously created
// stack, because err.stack is a useless Flight Server call stack.
error.message = err instanceof Error ? err.message : String(err)
},
}),
// We pass the abort signal to `streamToString` so that no chunks are
// included that are emitted after the signal was already aborted. This
// ensures that we can encode hanging promises.
hangingInputAbortSignal
)
if (didCatchError) {
if (process.env.NODE_ENV === 'development') {
// Logging the error is needed for server functions that are passed to the
// client where the decryption is not done during rendering. Console
// replaying allows us to still show the error dev overlay in this case.
console.error(error)
}
endReadIfStarted()
throw error
}
if (!workUnitStore) {
// We don't need to call cacheSignal.endRead here because we can't have a cacheSignal
// if we do not have a workUnitStore.
return encodeActionBoundArg(actionId, serialized)
}
startReadOnce()
const prerenderResumeDataCache = getPrerenderResumeDataCache(workUnitStore)
const renderResumeDataCache = getRenderResumeDataCache(workUnitStore)
const cacheKey = actionId + serialized
const cachedEncrypted =
prerenderResumeDataCache?.encryptedBoundArgs.get(cacheKey) ??
renderResumeDataCache?.encryptedBoundArgs.get(cacheKey)
if (cachedEncrypted) {
return cachedEncrypted
}
const encrypted = await encodeActionBoundArg(actionId, serialized)
endReadIfStarted()
prerenderResumeDataCache?.encryptedBoundArgs.set(cacheKey, encrypted)
return encrypted
}
)
// Decrypts the action's bound args from the encrypted string.
export async function decryptActionBoundArgs(
actionId: string,
encryptedPromise: Promise<string>
) {
const encrypted = await encryptedPromise
const workUnitStore = workUnitAsyncStorage.getStore()
let decrypted: string | undefined
if (workUnitStore) {
const cacheSignal = getCacheSignal(workUnitStore)
const prerenderResumeDataCache = getPrerenderResumeDataCache(workUnitStore)
const renderResumeDataCache = getRenderResumeDataCache(workUnitStore)
decrypted =
prerenderResumeDataCache?.decryptedBoundArgs.get(encrypted) ??
renderResumeDataCache?.decryptedBoundArgs.get(encrypted)
if (!decrypted) {
cacheSignal?.beginRead()
decrypted = await decodeActionBoundArg(actionId, encrypted)
cacheSignal?.endRead()
prerenderResumeDataCache?.decryptedBoundArgs.set(encrypted, decrypted)
}
} else {
decrypted = await decodeActionBoundArg(actionId, encrypted)
}
const { edgeRscModuleMapping, rscModuleMapping } =
getClientReferenceManifestForRsc()
// Using Flight to deserialize the args from the string.
const deserialized = await createFromReadableStream(
new ReadableStream({
start(controller) {
controller.enqueue(textEncoder.encode(decrypted))
switch (workUnitStore?.type) {
case 'prerender':
// Explicitly don't close the stream here (until prerendering is
// complete) so that hanging promises are not rejected.
if (workUnitStore.renderSignal.aborted) {
controller.close()
} else {
workUnitStore.renderSignal.addEventListener(
'abort',
() => controller.close(),
{ once: true }
)
}
break
case 'prerender-client':
case 'prerender-ppr':
case 'prerender-legacy':
case 'request':
case 'cache':
case 'private-cache':
case 'unstable-cache':
case undefined:
return controller.close()
default:
workUnitStore satisfies never
}
},
}),
{
serverConsumerManifest: {
// moduleLoading must be null because we don't want to trigger preloads of ClientReferences
// to be added to the current execution. Instead, we'll wait for any ClientReference
// to be emitted which themselves will handle the preloading.
moduleLoading: null,
moduleMap: isEdgeRuntime ? edgeRscModuleMapping : rscModuleMapping,
serverModuleMap: getServerModuleMap(),
},
}
)
return deserialized
}
|