跳到主要内容

Next.js: 如何处理错误

·889 字·2 分钟

错误可以分为两类:预期错误和未捕获的异常。本页将引导您了解如何在 Next.js 应用程序中处理这些错误。

处理预期错误 #

预期错误是指在应用程序正常运行期间可能发生的错误,例如来自服务器端表单验证或失败请求的错误。应显式处理这些错误并将其返回给客户端。

Server Actions #

您可以使用 useActionState hook 来管理 Server Functions 的状态 并处理预期的错误。避免对预期错误使用 try/catch 块。相反,您可以将预期错误建模为返回值,而不是引发的异常。

'use server'
 
export async function createPost(prevState: any, formData: FormData) {
  const title = formData.get('title')
  const content = formData.get('content')
 
  const res = await fetch('https://api.vercel.app/posts', {
    method: 'POST',
    body: { title, content },
  })
  const json = await res.json()
 
  if (!res.ok) {
    return { message: 'Failed to create post' }
  }
}

然后,您可以将 action 传递给 useActionState 钩子,并使用返回的状态来显示错误消息。

'use client'
 
import { useActionState } from 'react'
import { createPost } from '@/app/actions'
 
const initialState = {
  message: '',
}
 
export function Form() {
  const [state, formAction, pending] = useActionState(createPost, initialState)
 
  return (
    <form action={formAction}>
      <label htmlFor="title">Title</label>
      <input type="text" id="title" name="title" required />
      <label htmlFor="content">Content</label>
      <textarea id="content" name="content" required />
      {state?.message && <p aria-live="polite">{state.message}</p>}
      <button disabled={pending}>Create Post</button>
    </form>
  )
}

服务器组件 #

在 Server Component 中获取数据时,您可以使用响应有条件地呈现错误消息或重定向

export default async function Page() {
  const res = await fetch(`https://...`)
  const data = await res.json()
 
  if (!res.ok) {
    return 'There was an error.'
  }
 
  return '...'
}

Not found #

您可以在路由段中调用 notFound 函数,并使用 not-found.js 文件来显示 404 UI。

import { getPostBySlug } from '@/lib/posts'
 
export default async function Page({ params }: { params: { slug: string } }) {
  const post = getPostBySlug((await params).slug)
 
  if (!post) {
    notFound()
  }
 
  return <div>{post.title}</div>
}
export default function NotFound() {
  return <div>404 - Page Not Found</div>
}

处理未捕获的异常 #

未捕获的异常是意外错误,表示在应用程序的正常流程中不应发生的错误或问题。这些应该通过抛出错误来处理,然后由错误边界捕获。

嵌套错误边界 #

Next.js 使用错误边界来处理未捕获的异常。错误边界捕获其子组件中的错误,并显示回退 UI,而不是崩溃的组件树。

通过在 route segment 中添加 error.js 文件并导出 React 组件来创建错误边界:

'use client' // Error boundaries must be Client Components
 
import { useEffect } from 'react'
 
export default function Error({
  error,
  reset,
}: {
  error: Error & { digest?: string }
  reset: () => void
}) {
  useEffect(() => {
    // Log the error to an error reporting service
    console.error(error)
  }, [error])
 
  return (
    <div>
      <h2>Something went wrong!</h2>
      <button
        onClick={
          // Attempt to recover by trying to re-render the segment
          () => reset()
        }
      >
        Try again
      </button>
    </div>
  )
}

错误将冒泡到最近的父错误边界。这允许通过将 error.tsx 文件放置在路由层次结构中的不同级别来进行精细的错误处理。

全局错误 #

虽然不太常见,但您可以使用位于根 app 目录中的 global-error.js 文件处理根布局中的错误,即使在利用国际化时也是如此。全局错误 UI 必须定义自己的 <html><body> 标记,因为它在活动时会替换根布局或模板。

'use client' // Error boundaries must be Client Components
 
export default function GlobalError({
  error,
  reset,
}: {
  error: Error & { digest?: string }
  reset: () => void
}) {
  return (
    // global-error must include html and body tags
    <html>
      <body>
        <h2>Something went wrong!</h2>
        <button onClick={() => reset()}>Try again</button>
      </body>
    </html>
  )
}