implement unstable_rethrow (#65831)

This implements an API to re-throw errors that are intended to be caught
by Next.js, so that they are not caught by your code.

RFC: https://github.com/vercel/next.js/discussions/64076

<!-- Thanks for opening a PR! Your contribution is much appreciated.
To make sure your PR is handled as smoothly as possible we request that
you follow the checklist sections below.
Choose the right checklist for the change(s) that you're making:

## For Contributors

### Improving Documentation

- Run `pnpm prettier-fix` to fix formatting issues before opening the
PR.
- Read the Docs Contribution Guide to ensure your contribution follows
the docs guidelines:
https://nextjs.org/docs/community/contribution-guide

### Adding or Updating Examples

- The "examples guidelines" are followed from our contributing doc
https://github.com/vercel/next.js/blob/canary/contributing/examples/adding-examples.md
- Make sure the linting passes by running `pnpm build && pnpm lint`. See
https://github.com/vercel/next.js/blob/canary/contributing/repository/linting.md

### Fixing a bug

- Related issues linked using `fixes #number`
- Tests added. See:
https://github.com/vercel/next.js/blob/canary/contributing/core/testing.md#writing-tests-for-nextjs
- Errors have a helpful link attached, see
https://github.com/vercel/next.js/blob/canary/contributing.md

### Adding a feature

- Implements an existing feature request or RFC. Make sure the feature
request has been accepted for implementation before opening a PR. (A
discussion must be opened, see
https://github.com/vercel/next.js/discussions/new?category=ideas)
- Related issues/discussions are linked using `fixes #number`
- e2e tests added
(https://github.com/vercel/next.js/blob/canary/contributing/core/testing.md#writing-tests-for-nextjs)
- Documentation added
- Telemetry added. In case of a feature if it's used or not.
- Errors have a helpful link attached, see
https://github.com/vercel/next.js/blob/canary/contributing.md


## For Maintainers

- Minimal description (aim for explaining to someone not on the team to
understand the PR)
- When linking to a Slack thread, you might want to share details of the
conclusion
- Link both the Linear (Fixes NEXT-xxx) and the GitHub issues
- Add review comments if necessary to explain to the reviewer the logic
behind a change

### What?

### Why?

### How?

Closes NEXT-
Fixes #

-->

---------

Co-authored-by: JJ Kasper <jj@jjsweb.site>
Co-authored-by: Ahmed Abdelbaset <A7med3bdulBaset@gmail.com>
Co-authored-by: Janka Uryga <lolzatu2@gmail.com>
This commit is contained in:
Zack Tanner 2024-05-22 07:58:36 -07:00 committed by GitHub
parent 94dc45f3a8
commit 5c9ea1c575
No known key found for this signature in database
GPG key ID: B5690EEEBB952194
12 changed files with 204 additions and 0 deletions

View file

@ -0,0 +1,61 @@
---
title: unstable_rethrow
description: API Reference for the unstable_rethrow function.
---
`unstable_rethrow` can be used to avoid catching internal errors thrown by Next.js when attempting to handle errors thrown from your own application.
For example, given the following code:
```jsx
import { notFound } from 'next/navigation'
export default async function Component() {
try {
notFound()
await getData()
} catch (err) {
console.error(err)
}
}
```
In this scenario, `console.error` will pick up the error thrown by `notFound`, which won't be useful for logging and will prevent
the `not-found.js` page from rendering. Instead, you can do this:
```jsx
import { notFound, unstable_rethrow } from 'next/navigation'
export default async function Component() {
try {
notFound()
await getData()
} catch (err) {
unstable_rethrow(err)
console.error(err)
}
}
```
If the caught error is meant to be handled by Next.js, `unstable_rethrow` will re-throw the error instead of letting it reach your
error handling code.
The following Next.js APIs rely on throwing an error which should be rethrown and handled by Next.js itself:
- [`notFound()`](/docs/app/api-reference/functions/not-found)
- [`redirect()`](/docs/app/building-your-application/routing/redirecting#redirect-function)
- [`permanentRedirect()`](/docs/app/building-your-application/routing/redirecting#permanentredirect-function)
If a route segment is marked to throw an error unless it's static, a dynamic function call will also throw an error that should similarly not be caught by the developer. Note that Partial Prerendering (PPR) affects this behavior as well. These APIs are:
- [`cookies()`](/docs/app/api-reference/functions/cookies)
- [`headers()`](/docs/app/api-reference/functions/headers)
- [`searchParams`](/docs/app/api-reference/file-conventions/page#searchparams-optional)
- `fetch(..., { cache: 'no-store' })`
- `fetch(..., { next: { revalidate: 0 } })`
> **Good to know**:
>
> - This method should be called at the top of the catch block, passing the error object as its only argument. It can also be used within a `.catch` handler of a promise.
> - If you ensure that your calls to APIs that throw are not wrapped in a try/catch then you don't need to use `unstable_rethrow`
> - Any resource cleanup (like clearing intervals, timers, etc) would have to either happen prior to the call to `unstable_rethrow` or within a `finally` block.

View file

@ -28,4 +28,5 @@ class ReadonlyURLSearchParams extends URLSearchParams {
export { redirect, permanentRedirect, RedirectType } from './redirect'
export { notFound } from './not-found'
export { unstable_rethrow } from './unstable-rethrow'
export { ReadonlyURLSearchParams }

View file

@ -269,4 +269,5 @@ export {
permanentRedirect,
RedirectType,
ReadonlyURLSearchParams,
unstable_rethrow,
} from './navigation.react-server'

View file

@ -0,0 +1,26 @@
import { isDynamicUsageError } from '../../export/helpers/is-dynamic-usage-error'
import { isPostpone } from '../../server/lib/router-utils/is-postpone'
import { isBailoutToCSRError } from '../../shared/lib/lazy-dynamic/bailout-to-csr'
import { isNextRouterError } from './is-next-router-error'
/**
* This function should be used to rethrow internal Next.js errors so that they can be handled by the framework.
* When wrapping an API that uses errors to interrupt control flow, you should use this function before you do any error handling.
* This function will rethrow the error if it is a Next.js error so it can be handled, otherwise it will do nothing.
*
* Read more: [Next.js Docs: `unstable_rethrow`](https://nextjs.org/docs/app/api-reference/functions/unstable_rethrow)
*/
export function unstable_rethrow(error: unknown): void {
if (
isNextRouterError(error) ||
isBailoutToCSRError(error) ||
isDynamicUsageError(error) ||
isPostpone(error)
) {
throw error
}
if (error instanceof Error && 'cause' in error) {
unstable_rethrow(error.cause)
}
}

View file

@ -0,0 +1,22 @@
import { cookies } from 'next/headers'
import { unstable_rethrow } from 'next/navigation'
function someFunction() {
try {
cookies()
} catch (err) {
throw new Error('Oopsy', { cause: err })
}
}
export default async function Page() {
try {
someFunction()
} catch (err) {
console.log('[test assertion]: checking error')
unstable_rethrow(err)
console.error('[test assertion]: error leaked', err)
}
return <p>hello world</p>
}

View file

@ -0,0 +1,14 @@
import { cookies } from 'next/headers'
import { unstable_rethrow } from 'next/navigation'
export default async function Page() {
try {
cookies()
} catch (err) {
console.log('[test assertion]: checking error')
unstable_rethrow(err)
console.error('[test assertion]: error leaked', err)
}
return <p>hello world</p>
}

View file

@ -0,0 +1,7 @@
export default function Root({ children }: { children: React.ReactNode }) {
return (
<html>
<body>{children}</body>
</html>
)
}

View file

@ -0,0 +1,13 @@
import { notFound, unstable_rethrow } from 'next/navigation'
export default async function Page() {
try {
notFound()
} catch (err) {
console.log('[test assertion]: checking error')
unstable_rethrow(err)
console.error('[test assertion]: error leaked', err)
}
return <p>hello world</p>
}

View file

@ -0,0 +1,12 @@
import { notFound, unstable_rethrow } from 'next/navigation'
export default async function Page() {
try {
notFound()
} catch (err) {
unstable_rethrow(err)
console.error(err)
}
return <p>hello world</p>
}

View file

@ -0,0 +1,11 @@
import { redirect, unstable_rethrow } from 'next/navigation'
export default function Page() {
try {
redirect('/')
} catch (err) {
console.log('[test assertion]: checking error')
unstable_rethrow(err)
console.error('[test assertion]: error leaked', err)
}
}

View file

@ -0,0 +1,6 @@
/**
* @type {import('next').NextConfig}
*/
const nextConfig = {}
module.exports = nextConfig

View file

@ -0,0 +1,30 @@
import { nextTestSetup } from 'e2e-utils'
describe('unstable-rethrow', () => {
const { next, isNextStart } = nextTestSetup({
files: __dirname,
})
it('should correctly trigger the not found page as not found', async () => {
const browser = await next.browser('/not-found-page')
expect(await browser.elementByCss('body').text()).toContain(
'This page could not be found.'
)
})
it('should handle an internal error that gets propagated to the `cause` field', async () => {
const browser = await next.browser('/cause')
expect(await browser.elementByCss('body').text()).toContain('hello world')
})
if (isNextStart) {
it('should not log any errors at build time', async () => {
expect(next.cliOutput).toContain('[test assertion]: checking error')
expect(next.cliOutput).not.toContain('[test assertion]: error leaked')
})
it('should correctly mark the dynamic page as dynamic', async () => {
expect(next.cliOutput).toContain('ƒ /dynamic-error')
})
}
})