添加链接
link管理
链接快照平台
  • 输入网页链接,自动生成快照
  • 标签化管理网页链接

中间件允许你在请求完成之前运行代码,然后根据传入的请求,你可以通过重写、重定向、修改请求或响应头,或直接响应来修改响应。

中间件在缓存内容之前运行,所以你可以对静态文件和页面进行个性化处理。中间件的常见例子是认证、A/B测试、本地化页面、僵尸保护等。关于本地化页面,你可以从 i18n 路由开始,为更高级的用例实施中间件。

使用中间间

  1. 创建 middleware.ts (或者 .js )在 src 的目录下(与页面文件同级别)

  2. 导出 middleware 函数

    // middleware.ts
    import { NextResponse } from 'next/server'
    import type { NextRequest } from 'next/server'
    // This function can be marked `async` if using `await` inside
    export function middleware(request: NextRequest) {
      return NextResponse.redirect(new URL('/about-2', request.url))
    // See "Matching Paths" below to learn more
    export const config = {
      matcher: '/about/:path*',
    

    匹配路径(Matching Paths)

    中间件将为你的项目中的每一个路由被调用。以下是执行顺序:

    1. headers from next.config.js
    2. redirects from next.config.js
    3. Middleware (rewrites, redirects, etc.)
    4. beforeFiles (rewrites) from next.config.js
    5. Filesystem routes (public/, _next/static/, Pages, etc.)
    6. afterFiles (rewrites) from next.config.js
    7. Dynamic Routes (/blog/[slug])
    8. fallback (rewrites) from next.config.js

    ###匹配器

    匹配器可筛选出特定的路径允许中间件执行

    export const config = {
      matcher: '/about/:path*',
    // 匹配多种情况路由
    export const config = {
      matcher: ['/about/:path*', '/dashboard/:path*'],
    // 正则表达式匹配
    export const config = {
      matcher: [
         * Match all request paths except for the ones starting with:
         * - api (API routes)
         * - _next/static (static files)
         * - favicon.ico (favicon file)
        '/((?!api|_next/static|favicon.ico).*)',
    

    匹配器的配置:

    1. 必须以/开头
    2. /about/:path可以匹配到/about/a或者/about/b,但是不能匹配到/about/a/b
    3. 在命名的参数上可以有修饰语(以:开头),/about/:path*可以匹配到/about/a/b,因为*是0次或者多次;?是0次或者1次;+是一次或者多次
    4. 可以使用括号内的正则表达式。/about/(.*)/about/:path*相同。

    NextResponse

    NextResponseAPI可以实现以下功能:

    1. 重定向到一个不同的路由
    2. 重写一个给定路由
    3. 为路由API、getServerSidePropsSSR渲染、重写 设置请求头(set request header)
    4. 设置返回的cookies
    5. 设置返回头(response header)

    使用cookies

    1. 对于传入的请求,cookies有以下方法:getgetAllsetdeletecookies。你可以用has检查一个cookie是否存在,或者用clear删除所有cookie。

    2. 对于发出的响应,cookies有以下方法:getgetAllsetdelete

    // middleware.ts
    import { NextResponse } from 'next/server'
    import type { NextRequest } from 'next/server'
    export function middleware(request: NextRequest) {
      // Assume(假设) a "Cookie:nextjs=fast" header to be present on the incoming request
      // Getting cookies from the request using the `RequestCookies` API
      const cookie = request.cookies.get('nextjs')?.value
      console.log(cookie) // => 'fast'
      const allCookies = request.cookies.getAll()
      console.log(allCookies) // => [{ name: 'nextjs', value: 'fast' }]
      request.cookies.has('nextjs') // => true
      request.cookies.delete('nextjs')
      request.cookies.has('nextjs') // => false
      // Setting cookies on the response using the `ResponseCookies` API
      const response = NextResponse.next()
      response.cookies.set('vercel', 'fast')
      response.cookies.set({
        name: 'vercel',
        value: 'fast',
        path: '/test',
      const cookie = response.cookies.get('vercel')
      console.log(cookie) // => { name: 'vercel', value: 'fast', Path: '/test' }
      // The outgoing response will have a `Set-Cookie:vercel=fast;path=/test` header.
      return response
    

    设置headers

    // middleware.ts
    import { NextResponse } from 'next/server'
    import type { NextRequest } from 'next/server'
    export function middleware(request: NextRequest) {
      // Clone the request headers and set a new header `x-hello-from-middleware1`
      const requestHeaders = new Headers(request.headers)
      requestHeaders.set('x-hello-from-middleware1', 'hello')
      // You can also set request headers in NextResponse.rewrite
      const response = NextResponse.next({
        request: {
          // New request headers
          headers: requestHeaders,
      // Set a new response header `x-hello-from-middleware2`
      response.headers.set('x-hello-from-middleware2', 'hello')
      return response
     

    Note: 避免headers 设置过大导致的431 Request Header Fields Too Large error depending on your backend web server configuration.

    中间件允许你在请求完成之前运行代码,然后根据传入的请求,你可以通过重写、重定向、修改请求或响应头,或直接响应来修改响应。中间件在缓存内容之前运行,所以你可以对静态文件和页面进行个性化处理。中间件的常见例子是认证、A/B测试、本地化页面、僵尸保护等。关于本地化页面,你可以从i18n路由开始,为更高级的用例实施中间件。
    Next.js API路由的中间件 Next.js发布了版本9,该版本添加了API路由。 这使我们能够编写API。 当前,Next.js发行了版本10,但是,我认为...仍然缺少一些东西:中间件。 因为正式的Next.js文档建议在编写函数,所以没有简单的方法来实现它。 所以,我写了use-next-middleware 。 这是非常干净,最少且可组合的中间件模式。 使用软件包管理器yarn或npm安装use-next-middleware 。 yarn install use-next-middleware import { useNextMiddleware } from 'next-api-middleware' import { NextApiRequest } from 'next' const handler = async ( req , res ) =>
    是将后端功能添加到React应用程序的一种非常有趣且简单的方法。 但是,当需要添加中间件时,没有简单的方法来实现它。 Next.js官方文档建议编写函数 :thumbs_down: 。 与Express.js或Koa.js提供的干净API相比,这是一大步。 该库尝试提供最小,干净,可组合的中间件模式,这些模式既富有成效又易于使用。 :party_popper: import { use } from "next-api-middleware" ; const middleware = use ( async ( req , res , next ) => { console . log ( "Do work before the request" ) ; await next ( ) ; console . log ( "Clean up" ) ; 在我们日常开发中,越来越多看到了中间件这个词,例如Koa,redux等。这里就大概记录一下Koa和redux中间件的实现方式,可以从中看到中间件的实现方式都是大同小异,基本都是实现了洋葱模型。 对于中间件我们需要了解的是 中间件是如何存储的 中间件是如何执行的 作为TJ大神的作品,真不愧是号称基于 Node.js 平台的下一代 web 开发框架,其中对于中间件的实现,gen... use Closure; use App\Tools\OperationCenter\Token; use Illuminate\Support\Facades\Redis as RedisClient; class OAuthOperationCenter * TOKEN_KEY string private const TOKEN_KEY = “-