跳到内容
构建你的应用数据获取增量静态再生 (ISR)

增量静态再生 (ISR)

示例

增量静态再生 (ISR) 使你能够:

  • 更新静态内容,而无需重建整个站点
  • 通过为大多数请求提供预渲染的静态页面来减少服务器负载
  • 确保自动向页面添加正确的 cache-control 标头
  • 处理大量内容页面,而无需长时间的 next build 构建时间

这是一个最小的示例

pages/blog/[id].tsx
import type { GetStaticPaths, GetStaticProps } from 'next'
 
interface Post {
  id: string
  title: string
  content: string
}
 
interface Props {
  post: Post
}
 
export const getStaticPaths: GetStaticPaths = async () => {
  const posts = await fetch('https://api.vercel.app/blog').then((res) =>
    res.json()
  )
  const paths = posts.map((post: Post) => ({
    params: { id: String(post.id) },
  }))
 
  // We'll prerender only these paths at build time.
  // { fallback: 'blocking' } will server-render pages
  // on-demand if the path doesn't exist.
  return { paths, fallback: false }
}
 
export const getStaticProps: GetStaticProps<Props> = async ({
  params,
}: {
  params: { id: string }
}) => {
  const post = await fetch(`https://api.vercel.app/blog/${params.id}`).then(
    (res) => res.json()
  )
 
  return {
    props: { post },
    // Next.js will invalidate the cache when a
    // request comes in, at most once every 60 seconds.
    revalidate: 60,
  }
}
 
export default function Page({ post }: Props) {
  return (
    <main>
      <h1>{post.title}</h1>
      <p>{post.content}</p>
    </main>
  )
}

以下是此示例的工作原理:

  1. next build 期间,生成所有已知的博客文章(在此示例中有 25 篇)
  2. 对这些页面(例如 /blog/1)的所有请求都将被缓存并且是即时的
  3. 60 秒过后,下一个请求仍将显示缓存(过时)的页面
  4. 缓存失效,并在后台开始生成页面的新版本
  5. 成功生成后,Next.js 将显示并缓存更新后的页面
  6. 如果请求 /blog/26,Next.js 将按需生成并缓存此页面

参考

函数

示例

使用 res.revalidate() 进行按需验证

对于更精确的重新验证方法,请使用 res.revalidate 从 API 路由按需生成新页面。

例如,可以调用 /api/revalidate?secret=<token> 处的此 API 路由来重新验证给定的博客文章。创建一个只有你的 Next.js 应用程序知道的密钥令牌。此密钥将用于防止未经授权访问重新验证 API 路由。

pages/api/revalidate.ts
import type { NextApiRequest, NextApiResponse } from 'next'
 
export default async function handler(
  req: NextApiRequest,
  res: NextApiResponse
) {
  // Check for secret to confirm this is a valid request
  if (req.query.secret !== process.env.MY_SECRET_TOKEN) {
    return res.status(401).json({ message: 'Invalid token' })
  }
 
  try {
    // This should be the actual path not a rewritten path
    // e.g. for "/posts/[id]" this should be "/posts/1"
    await res.revalidate('/posts/1')
    return res.json({ revalidated: true })
  } catch (err) {
    // If there was an error, Next.js will continue
    // to show the last successfully generated page
    return res.status(500).send('Error revalidating')
  }
}

如果你正在使用按需重新验证,则无需在 getStaticProps 中指定 revalidate 时间。Next.js 将使用默认值 false(不重新验证),并且仅在调用 res.revalidate() 时按需重新验证页面。

处理未捕获的异常

如果在处理后台重新生成时,getStaticProps 内部发生错误,或者你手动抛出错误,则将继续显示上次成功生成的页面。在随后的下一个请求中,Next.js 将重试调用 getStaticProps

pages/blog/[id].tsx
import type { GetStaticProps } from 'next'
 
interface Post {
  id: string
  title: string
  content: string
}
 
interface Props {
  post: Post
}
 
export const getStaticProps: GetStaticProps<Props> = async ({
  params,
}: {
  params: { id: string }
}) => {
  // If this request throws an uncaught error, Next.js will
  // not invalidate the currently shown page and
  // retry getStaticProps on the next request.
  const res = await fetch(`https://api.vercel.app/blog/${params.id}`)
  const post: Post = await res.json()
 
  if (!res.ok) {
    // If there is a server error, you might want to
    // throw an error instead of returning so that the cache is not updated
    // until the next successful request.
    throw new Error(`Failed to fetch posts, received status ${res.status}`)
  }
 
  return {
    props: { post },
    // Next.js will invalidate the cache when a
    // request comes in, at most once every 60 seconds.
    revalidate: 60,
  }
}

自定义缓存位置

缓存和重新验证页面(使用增量静态再生)使用相同的共享缓存。当部署到 Vercel时,ISR 缓存会自动持久化到持久存储。

当自托管时,ISR 缓存存储在你的 Next.js 服务器上的文件系统(磁盘上)。当使用 Pages 和 App Router 进行自托管时,这会自动工作。

如果你想将缓存的页面和数据持久化到持久存储,或者在 Next.js 应用程序的多个容器或实例之间共享缓存,则可以配置 Next.js 缓存位置。了解更多

故障排除

在本地开发中调试缓存数据

如果你正在使用 fetch API,你可以添加额外的日志记录,以了解哪些请求被缓存或未缓存。了解有关 logging 选项的更多信息

next.config.js
module.exports = {
  logging: {
    fetches: {
      fullUrl: true,
    },
  },
}

验证正确的生产环境行为

要验证你的页面在生产环境中是否正确缓存和重新验证,你可以在本地通过运行 next build,然后运行 next start 来启动生产环境 Next.js 服务器进行测试。

这将允许你像在生产环境中一样测试 ISR 行为。为了进一步调试,请将以下环境变量添加到你的 .env 文件中

.env
NEXT_PRIVATE_DEBUG_CACHE=1

这将使 Next.js 服务器控制台记录 ISR 缓存命中和未命中。你可以检查输出以查看哪些页面在 next build 期间生成,以及当按需访问路径时页面是如何更新的。

注意事项

  • 仅在使用 Node.js 运行时(默认)时支持 ISR。
  • 创建静态导出时不支持 ISR。
  • 中间件不会为按需 ISR 请求执行,这意味着中间件中的任何路径重写或逻辑都不会应用。请确保你正在重新验证确切的路径。例如,/post/1 而不是重写的 /post-1

版本历史

版本变更
v14.1.0自定义 cacheHandler 已稳定。
v13.0.0引入 App Router。
v12.2.0Pages Router:按需 ISR 已稳定
v12.0.0Pages Router:添加了Bot 感知 ISR 回退
v9.5.0Pages Router:引入了稳定的 ISR