Next.jsのMiddlewareを単体テストする

Next.jsのMiddlewareを単体テストする

2025 / 01 / 21

目次

[email protected]から実験的にミドルウェアのテストヘルパーが追加されました。 なぜかv15.1の リリースノート にも書かれてないため、まだまだ破壊的な変更が入るかもしれない点に注意が必要です。 このヘルパーはApp Router, Pages Router両方共に対応しています。

Routing: Middleware | Next.js

Learn how to use Middleware to run code before a request is completed.

nextjs.org
Routing: Middleware | Next.js

提供されているヘルパー

2つのヘルパーが提供され、2軸でのテストを行っていきます。

  • unstable_doesMiddlewareMatch
    • そのミドルウェアがリクエストにマッチするかどうかをテストする
    • ミドルウェアのconfignext.config.ts での rewrites の両方共を確認できる
    • あくまでも中身のロジックを確認するわけではない
  • isRewrite, getRewrittenUrl
    • そのミドルウェアが実際に期待している挙動をするかどうかをテストする

コード例

middleware.ts

import NextAuth from "next-auth";
import { NextResponse } from "next/server";
import { config as authConfig } from "./app/_clients/nextAuthConfig";
const { auth } = NextAuth(authConfig);
export const config = { matcher: ["/me"] };
export default auth(async function middleware(req) {
if (req.auth?.user.role === "user") {
return NextResponse.next();
}
return NextResponse.rewrite(new URL("/signin", req.url));
});

middleware.test.ts

import type { NextAuthResult } from "next-auth";
import type { AppRouteHandlerFn } from "next/dist/server/route-modules/app-route/module";
import {
getRewrittenUrl,
isRewrite,
unstable_doesMiddlewareMatch,
} from "next/experimental/testing/server.js";
import { NextRequest, type NextResponse } from "next/server";
import { describe, expect, test, vi } from "vitest";
import nextConfig from "../next.config";
import middleware, { config } from "./middleware";
describe("middleware", () => {
// 期待したパスのときに実行対象か確認する
test("should execute middleware when paths are specified by configs", () => {
expect(
unstable_doesMiddlewareMatch({
config,
nextConfig,
url: "/",
}),
).toEqual(false);
expect(
unstable_doesMiddlewareMatch({
config,
nextConfig,
url: "/me",
}),
).toEqual(true);
});
// サインインしてない場合は、/signinにリダイレクトする
test("should route /signin to when fallback", async () => {
const req = new NextRequest("http://localhost:3000");
const res = await middleware(req, {});
expect(isRewrite(res)).toEqual(true);
expect(getRewrittenUrl(res)).toEqual("http://localhost:3000/signin");
});
// サインインしている場合は、そのまま次の処理に進む(rewriteされない)
test("should accept only users having the role of user", async () => {
const req = new NextRequest("http://localhost:3000");
req.auth = {
user: {
role: "user",
},
};
const res = await middleware(req, {});
expect(isRewrite(res)).toEqual(false);
expect(getRewrittenUrl(res)).toEqual(null);
});
});

前後の記事

関連する記事