next
Functionnext()
next()
and Error HandlinggetLoadContext
/AppLoadContext
AppLoadContext
future.unstable_middleware
flag to enable it.
Middleware allows you to run code before and after the Response
generation for the matched path. This enables common patterns like authentication, logging, error handling, and data preprocessing in a reusable way.
Middleware runs in a nested chain, executing from parent routes to child routes on the way "down" to your route handlers, then from child routes back to parent routes on the way "up" after a Response
is generated.
For example, on a GET /parent/child
request, the middleware would run in the following order:
- Root middleware start
- Parent middleware start
- Child middleware start
- Run loaders, generate HTML Response
- Child middleware end
- Parent middleware end
- Root middleware end
First, enable middleware in your React Router config:
import type { Config } from "@react-router/dev/config";
export default {
future: {
unstable_middleware: true,
},
} satisfies Config;
context
parameter to your loaders and actions. Please pay attention to the section on getLoadContext below if you are actively using context
today.
Middleware uses a context
provider instance to provide data down the middleware chain.
You can create type-safe context objects using unstable_createContext
:
import { unstable_createContext } from "react-router";
import type { User } from "~/types";
export const userContext =
unstable_createContext<User | null>(null);
import { redirect } from "react-router";
import { userContext } from "~/context";
// Server-side Authentication Middleware
export const unstable_middleware: Route.unstable_MiddlewareFunction[] =
[
async ({ request, context }) => {
const user = await getUserFromSession(request);
if (!user) {
throw redirect("/login");
}
context.set(userContext, user);
},
];
// Client-side timing middleware
export const unstable_clientMiddleware: Route.unstable_ClientMiddlewareFunction[] =
[
async ({ context }, next) => {
const start = performance.now();
await next();
const duration = performance.now() - start;
console.log(`Navigation took ${duration}ms`);
},
];
export async function loader({
context,
}: Route.LoaderArgs) {
const user = context.get(userContext);
const profile = await getProfile(user);
return { profile };
}
export default function Dashboard({
loaderData,
}: Route.ComponentProps) {
return (
<div>
<h1>Welcome {loaderData.profile.fullName}!</h1>
<Profile profile={loaderData.profile} />
</div>
);
}
getLoadContext
function (if applicable)If you're using a custom server and a getLoadContext
function, you will need to update your implementation to return a Map of contexts and values, instead of a JavaScript object:
+import { unstable_createContext } from "react-router";
import { createDb } from "./db";
+
+const dbContext = unstable_createContext<Database>();
function getLoadContext(req, res) {
- return { db: createDb() };
+ const map = new Map([[dbContext, createDb()]]);
}
Server middleware (unstable_middleware
) runs on the server for:
.data
requests for subsequent navigations and fetcher callsClient middleware (unstable_clientMiddleware
) runs in the browser for:
The new context system provides type safety and prevents naming conflicts:
// ✅ Type-safe
import { unstable_createContext } from "react-router";
const userContext = unstable_createContext<User>();
// Later in middleware/loaders
context.set(userContext, user); // Must be User type
const user = context.get(userContext); // Returns User type
// ❌ Old way (no type safety)
// context.user = user; // Could be anything
next
FunctionThe next
function logic depends on which route middleware it's being called from:
Response
for the requestconst middleware = async ({ context }, next) => {
// Code here runs BEFORE handlers
console.log("Before");
const response = await next();
// Code here runs AFTER handlers
console.log("After");
return response; // Optional on client, required on server
};
next()
once per middleware. Calling it multiple times will throw an error
next()
If you don't need to run code after your handlers, you can skip calling next()
:
const authMiddleware = async ({ request, context }) => {
const user = await getUser(request);
if (!user) {
throw redirect("/login");
}
context.set(userContext, user);
// next() is called automatically
};
next()
and Error Handlingnext()
is not designed to throw errors under normal conditions, so you generally shouldn't find yourself wrapping next
in a try
/catch
. The responsibility of the next()
function is to return a Response
for the current Request
, so as long as that can be completed, next()
will return the Response
and won't throw
. Even if a loader
throws an error, or a component fails to render, React Router already handles those by rendering the nearest ErrorBoundary
, so a Response
is still generated without issue and propagated up through next()
.
This behavior is important to allow middleware patterns such as automatically setting required headers on outgoing responses (i.e., committing a session) from a root middleware. If any error from a loader/action/render caused next()
to throw
, we'd miss the execution of ancestor middlewares on the way out and those required headers wouldn't be set.
The only cases in which next()
should throw are if we fail to generate a Response
. There's a few ways in which this could happen:
Response
(usually a redirect
)next()
function to throwIf a middleware does throw (and is not caught by an ancestor middleware), then ancestor middlewares will be skipped, but React Router will still attempt to render that error in an ErrorBoundary
.
next()
was called, then we don't have loaderData
for any routes so we'll bubble to the first ErrorBoundary
at or above all loader
functionsnext()
was called, then we will bubble to the nearest ErrorBoundary
from the throwing routegetLoadContext
/AppLoadContext
getLoadContext
function
Middleware introduces a breaking change to the context
parameter generated by getLoadContext
and passed to your loaders and actions. The current approach of a module-augmented AppLoadContext
isn't really type-safe and instead just sort of tells TypeScript to "trust me".
Middleware needs an equivalent context
on the client for clientMiddleware
, but we didn't want to duplicate this pattern from the server that we already weren't thrilled with, so we decided to introduce a new API where we could tackle type-safety.
When opting into middleware, the context
parameter changes to an instance of RouterContextProvider
:
let dbContext = unstable_createContext<Database>();
let context = new unstable_RouterContextProvider();
context.set(dbContext, getDb());
// ^ type-safe
let db = context.get(dbContext);
// ^ Database
If you're using a custom server and a getLoadContext
function, you will need to update your implementation to return a Map
of contexts and values, instead of a JavaScript object:
+import { unstable_createContext } from "react-router";
import { createDb } from "./db";
+
+const dbContext = unstable_createContext<Database>();
function getLoadContext(req, res) {
- return { db: createDb() };
+ const map = new Map([[dbContext, createDb()]]);
}
AppLoadContext
If you're currently using AppLoadContext
, you can migrate most easily by creating a context for your existing object:
import { unstable_createContext } from "react-router";
declare module "@react-router/server-runtime" {
interface AppLoadContext {
db: Database;
user: User;
}
}
const myLoadContext =
unstable_createContext<AppLoadContext>();
Update your getLoadContext
function to return a Map with the context initial value:
function getLoadContext() {
const loadContext = {...};
- return loadContext;
+ return new Map([
+ [myLoadContext, loadContext]]
+ );
}
Update your loaders/actions to read from the new context instance:
export function loader({ context }: Route.LoaderArgs) {
- const { db, user } = context;
+ const { db, user } = context.get(myLoadContext);
}
import { redirect } from "react-router";
import { userContext } from "~/context";
import { getSession } from "~/sessions.server";
export const authMiddleware = async ({
request,
context,
}) => {
const session = await getSession(request);
const userId = session.get("userId");
if (!userId) {
throw redirect("/login");
}
const user = await getUserById(userId);
context.set(userContext, user);
};
import { authMiddleware } from "~/middleware/auth";
export const unstable_middleware = [authMiddleware];
export function loader({ context }: Route.LoaderArgs) {
const user = context.get(userContext); // Guaranteed to exist
return { user };
}
import { requestIdContext } from "~/context";
export const loggingMiddleware = async (
{ request, context },
next,
) => {
const requestId = crypto.randomUUID();
context.set(requestIdContext, requestId);
console.log(
`[${requestId}] ${request.method} ${request.url}`,
);
const start = performance.now();
const response = await next();
const duration = performance.now() - start;
console.log(
`[${requestId}] Response ${response.status} (${duration}ms)`,
);
return response;
};
export const cmsFallbackMiddleware = async (
{ request },
next,
) => {
const response = await next();
// Check if we got a 404
if (response.status === 404) {
// Check CMS for a redirect
const cmsRedirect = await checkCMSRedirects(
request.url,
);
if (cmsRedirect) {
throw redirect(cmsRedirect, 302);
}
}
return response;
};
export const headersMiddleware = async (
{ context },
next,
) => {
const response = await next();
// Add security headers
response.headers.set("X-Frame-Options", "DENY");
response.headers.set("X-Content-Type-Options", "nosniff");
return response;
};
export const unstable_middleware = [
async ({ request, context }, next) => {
// Only run auth for POST requests
if (request.method === "POST") {
await ensureAuthenticated(request, context);
}
return next();
},
];
const sharedDataContext = unstable_createContext<any>();
export const unstable_middleware = [
async ({ request, context }, next) => {
if (request.method === "POST") {
// Set data during action phase
context.set(
sharedDataContext,
await getExpensiveData(),
);
}
return next();
},
];
export async function action({
context,
}: Route.ActionArgs) {
const data = context.get(sharedDataContext);
// Use the data...
}
export async function loader({
context,
}: Route.LoaderArgs) {
const data = context.get(sharedDataContext);
// Same data is available here
}
Client middleware works similar to server-side middleware but doesn't return responses because it's not running ion response to an HTTP Request
:
import { userContext } from "~/context";
export const unstable_clientMiddleware = [
({ context }) => {
// Set up client-side user data
const user = getLocalUser();
context.set(userContext, user);
},
async ({ context }, next) => {
console.log("Starting client navigation");
await next(); // 👈 No return value
console.log("Client navigation complete");
},
];
export async function clientLoader({
context,
}: Route.ClientLoaderArgs) {
const user = context.get(userContext);
return { user };
}