Middleware Upgrade Guide
As we work on improving Middleware for General Availability (GA), we've made some changes to the Middleware APIs (and how you define Middleware in your application) based on your feedback.
This upgrade guide will help you understand the changes, why they were made, and how to migrate your existing Middleware to the new API. The guide is for Next.js developers who:
- Currently use the beta Next.js Middleware features
- Choose to upgrade to the next stable version of Next.js (v12.2)
You can start upgrading your Middleware usage today with the latest release (npm i next@latest).
Note: These changes described in this guide are included in Next.js
12.2. You can keep your current site structure, including nested Middleware, until you move to12.2(or acanarybuild of Next.js).
If you have ESLint configured, you will need to run npm i eslint-config-next@latest --save-dev to upgrade your ESLint configuration to ensure the same version is being used as the Next.js version. You might also need to restart VSCode for the changes to take effect.
Using Next.js Middleware on Vercelβ
If you're using Next.js on Vercel, your existing deploys using Middleware will continue to work, and you can continue to deploy your site using Middleware. When you upgrade your site to the next stable version of Next.js (v12.2), you will need to follow this upgrade guide to update your Middleware.
Breaking changesβ
- No Nested Middleware
- No Response Body
- Cookies API Revamped
- New User-Agent Helper
- No More Page Match Data
- Executing Middleware on Internal Next.js Requests
No Nested Middlewareβ
Summary of changesβ
- Define a single Middleware file next to your pagesfolder
- No need to prefix the file with an underscore
- A custom matcher can be used to define matching routes using an exported config object
Explanationβ
Previously, you could create a _middleware.ts file under the pages directory at any level. Middleware execution was based on the file path where it was created.
Based on customer feedback, we have replaced this API with a single root Middleware, which provides the following improvements:
- Faster execution with lower latency: With nested Middleware, a single request could invoke multiple Middleware functions. A single Middleware means a single function execution, which is more efficient.
- Less expensive: Middleware usage is billed per invocation. Using nested Middleware, a single request could invoke multiple Middleware functions, meaning multiple Middleware charges per request. A single Middleware means a single invocation per request and is more cost effective.
- Middleware can conveniently filter on things besides routes: With nested Middleware, the Middleware files were located in the pagesdirectory and Middleware was executed based on request paths. By moving to a single root Middleware, you can still execute code based on request paths, but you can now more conveniently execute Middleware based on other conditions, likecookiesor the presence of a request header.
- Deterministic execution ordering: With nested Middleware, a single request could match multiple Middleware functions. For example, a request to /dashboard/users/*would invoke Middleware defined in both/dashboard/users/_middleware.tsand/dashboard/_middleware.js. However, the execution order is difficult to reason about. Moving to a single, root Middleware more explicitly defines execution order.
- Supports Next.js Layouts (RFC): Moving to a single, root Middleware helps support the new Layouts (RFC) in Next.js.
How to upgradeβ
You should declare one single Middleware file in your application, which should be located next to the pages directory and named without an _ prefix. Your Middleware file can still have either a .ts or .js extension.
Middleware will be invoked for every route in the app, and a custom matcher can be used to define matching filters. The following is an example for a Middleware that triggers for /about/* and /dashboard/:path*, the custom matcher is defined in an exported config object:
import { NextResponse } from 'next/server'
import type { NextRequest } from 'next/server'
export function middleware(request: NextRequest) {
  return NextResponse.rewrite(new URL('/about-2', request.url))
}
// Supports both a single string value or an array of matchers
export const config = {
  matcher: ['/about/:path*', '/dashboard/:path*'],
}
The matcher config also allows full regex so matching like negative lookaheads or character matching is supported. An example of a negative lookahead to match all except specific paths can be seen here:
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).*)',
  ],
}
While the config option is preferred since it doesn't get invoked on every request, you can also use conditional statements to only run the Middleware when it matches specific paths. One advantage of using conditionals is defining explicit ordering for when Middleware executes. The following example shows how you can merge two previously nested Middleware:
import type { NextRequest } from 'next/server'
export function middleware(request: NextRequest) {
  if (request.nextUrl.pathname.startsWith('/about')) {
    // This logic is only applied to /about
  }
  if (request.nextUrl.pathname.startsWith('/dashboard')) {
    // This logic is only applied to /dashboard
  }
}
No Response Bodyβ
Summary of changesβ
- Middleware can no longer produce a response body
- If your Middleware does respond with a body, a runtime error will be thrown
- Migrate to using rewrite/redirectto pages/APIs handling a response
Explanationβ
To respect the differences in client-side and server-side navigation, and to help ensure that developers do not build insecure Middleware, we are removing the ability to send response bodies in Middleware. This ensures that Middleware is only used to rewrite, redirect, or modify the incoming request (e.g. setting cookies).
The following patterns will no longer work:
new Response('a text value')
new Response(streamOrBuffer)
new Response(JSON.stringify(obj), { headers: 'application/json' })
NextResponse.json()
How to upgradeβ
For cases where Middleware is used to respond (such as authorization), you should migrate to use rewrite/redirect to pages that show an authorization error, login forms, or to an API Route.
Beforeβ
import { NextResponse } from 'next/server'
import type { NextRequest } from 'next/server'
import { isAuthValid } from './lib/auth'
export function middleware(request: NextRequest) {
  // Example function to validate auth
  if (isAuthValid(request)) {
    return NextResponse.next()
  }
  return NextResponse.json({ message: 'Auth required' }, { status: 401 })
}
Afterβ
import { NextResponse } from 'next/server'
import type { NextRequest } from 'next/server'
import { isAuthValid } from './lib/auth'
export function middleware(request: NextRequest) {
  // Example function to validate auth
  if (isAuthValid(request)) {
    return NextResponse.next()
  }
  const loginUrl = new URL('/login', request.url)
  loginUrl.searchParams.set('from', request.nextUrl.pathname)
  return NextResponse.redirect(loginUrl)
}
Edge API Routesβ
If you were previously using Middleware to forward headers to an external API, you can now use Edge API Routes:
import { type NextRequest } from 'next/server'
export const config = {
  runtime: 'edge',
}
export default async function handler(req: NextRequest) {
  const authorization = req.cookies.get('authorization')
  return fetch('https://backend-api.com/api/protected', {
    method: req.method,
    headers: {
      authorization,
    },
    redirect: 'manual',
  })
}
Cookies API Revampedβ
Summary of changesβ
| Added | Removed | 
|---|---|
| cookies.set | cookie | 
| cookies.delete | clearCookie | 
| cookies.getWithOptions | cookies | 
Explanationβ
Based on beta feedback, we are changing the Cookies API in NextRequest and NextResponse to align more to a get/set model. The Cookies API extends Map, including methods like entries and values.
How to upgradeβ
NextResponse now has a cookies instance with:
- cookies.delete
- cookies.set
- cookies.getWithOptions
As well as other extended methods from Map.
Beforeβ
// pages/_middleware.ts
import { NextResponse } from 'next/server'
import type { NextRequest } from 'next/server'
export function middleware(request: NextRequest) {
  // create an instance of the class to access the public methods. This uses `next()`,
  // you could use `redirect()` or `rewrite()` as well
  let response = NextResponse.next()
  // get the cookies from the request
  let cookieFromRequest = request.cookies['my-cookie']
  // set the `cookie`
  response.cookie('hello', 'world')
  // set the `cookie` with options
  const cookieWithOptions = response.cookie('hello', 'world', {
    path: '/',
    maxAge: 1000 * 60 * 60 * 24 * 7,
    httpOnly: true,
    sameSite: 'strict',
    domain: 'example.com',
  })
  // clear the `cookie`
  response.clearCookie('hello')
  return response
}
Afterβ
export function middleware() {
  const response = new NextResponse()
  // set a cookie
  response.cookies.set('vercel', 'fast')
  // set another cookie with options
  response.cookies.set('nextjs', 'awesome', { path: '/test' })
  // get all the details of a cookie
  const { value, ...options } = response.cookies.getWithOptions('vercel')
  console.log(value) // => 'fast'
  console.log(options) // => { name: 'vercel', Path: '/test' }
  // deleting a cookie will mark it as expired
  response.cookies.delete('vercel')
  return response
}
New User-Agent Helperβ
Summary of changesβ
- Accessing the user agent is no longer available on the request object
- We've added a new userAgenthelper to reduce Middleware size by17kb
Explanationβ
To help reduce the size of your Middleware, we have extracted the user agent from the request object and created a new helper userAgent.
The helper is imported from next/server and allows you to opt in to using the user agent. The helper gives you access to the same properties that were available from the request object.
How to upgradeβ
- Import the userAgenthelper fromnext/server
- Destructure the properties you need to work with
Beforeβ
import { NextRequest, NextResponse } from 'next/server'
export function middleware(request: NextRequest) {
  const url = request.nextUrl
  const viewport = request.ua.device.type === 'mobile' ? 'mobile' : 'desktop'
  url.searchParams.set('viewport', viewport)
  return NextResponse.rewrite(url)
}
Afterβ
import { NextRequest, NextResponse, userAgent } from 'next/server'
export function middleware(request: NextRequest) {
  const url = request.nextUrl
  const { device } = userAgent(request)
  const viewport = device.type === 'mobile' ? 'mobile' : 'desktop'
  url.searchParams.set('viewport', viewport)
  return NextResponse.rewrite(url)
}
No More Page Match Dataβ
Summary of changesβ
- Use URLPatternto check if a Middleware is being invoked for a certain page match
Explanationβ
Currently, Middleware estimates whether you are serving an asset of a Page based on the Next.js routes manifest (internal configuration). This value is surfaced through request.page.
To make page and asset matching more accurate, we are now using the web standard URLPattern API.
How to upgradeβ
Use URLPattern to check if a Middleware is being invoked for a certain page match.
Beforeβ
import { NextResponse } from 'next/server'
import type { NextRequest, NextFetchEvent } from 'next/server'
export function middleware(request: NextRequest, event: NextFetchEvent) {
  const { params } = event.request.page
  const { locale, slug } = params
  if (locale && slug) {
    const { search, protocol, host } = request.nextUrl
    const url = new URL(`${protocol}//${locale}.${host}/${slug}${search}`)
    return NextResponse.redirect(url)
  }
}
Afterβ
import { NextResponse } from 'next/server'
import type { NextRequest } from 'next/server'
const PATTERNS = [
  [
    new URLPattern({ pathname: '/:locale/:slug' }),
    ({ pathname }) => pathname.groups,
  ],
]
const params = (url) => {
  const input = url.split('?')[0]
  let result = {}
  for (const [pattern, handler] of PATTERNS) {
    const patternResult = pattern.exec(input)
    if (patternResult !== null && 'pathname' in patternResult) {
      result = handler(patternResult)
      break
    }
  }
  return result
}
export function middleware(request: NextRequest) {
  const { locale, slug } = params(request.url)
  if (locale && slug) {
    const { search, protocol, host } = request.nextUrl
    const url = new URL(`${protocol}//${locale}.${host}/${slug}${search}`)
    return NextResponse.redirect(url)
  }
}
Executing Middleware on Internal Next.js Requestsβ
Summary of changesβ
- Middleware will be executed for all requests, including _next
Explanationβ
Prior to Next.js v12.2, Middleware was not executed for _next requests.
For cases where Middleware is used for authorization, you should migrate to use rewrite/redirect to Pages that show an authorization error, login forms, or to an API Route.
See No Response Body for an example of how to migrate to use rewrite/redirect.