Next.js Functions: NextRequest
Last Updated :
13 Sep, 2024
In Next.js, particularly with the introduction of Next.js 13 and the new App Router, NextRequest is part of the API used in the new routing system. It is designed to provide a simple and more powerful way to handle HTTP requests within Next.js applications, especially in API routes and middleware functions.
This article will give an overview of NextRequest, its use cases, and how to work with it effectively.
What is NextRequest?
NextRequest is an abstraction provided by Next.js that represents an incoming HTTP request. It offers a consistent API for accessing request details and manipulating requests within middleware and API routes. This class is a part of the new experimental features that improve the developer experience and provide enhanced functionality for handling HTTP requests.
Syntax:
import { NextRequest, NextResponse } from 'next/server';
export function middleware(request) {
request.cookies.set('key', 'value'); // Set cookie
const value = request.cookies.get('key'); // Get cookie
const exists = request.cookies.has('key'); // Check cookie
request.cookies.delete('key'); // Delete cookie
const path = request.nextUrl.pathname; // Access pathname
return NextResponse.next(); // Continue request
}
- request.cookies.set('key', 'value'): Sets a cookie with a specified key and value.
- request.cookies.get('key'): Retrieves the value of a cookie by its key.
- request.cookies.has('key'): Checks if a cookie with the specified key exists.
- request.cookies.delete('key'): Deletes a cookie by its key.
- request.nextUrl.pathname: Accesses the path of the request URL.
- NextResponse.next(): Continues processing the request.
Key Features of NextRequest
1. Enhanced Cookies Management:
- Set a Cookie: You can set cookies on a request using request.cookies.set(name, value). This sets a Set-Cookie header on the request.
// Example: Setting a cookie to hide a banner\
request.cookies.set('show-banner', 'false'); // Sets `Set-Cookie: show-banner=false; path=/home`
- Get a Cookie: Retrieve the value of a cookie by name using request.cookies.get(name). If the cookie is not found, it returns undefined.
// Example: Retrieving the 'show-banner' cookie
const bannerStatus = request.cookies.get('show-banner'); // Returns 'false'
- Get All Cookies: Use request.cookies.getAll(name) to get all values of a specific cookie or all cookies if no name is provided.
// Example: Getting all 'experiments' cookies
const experiments = request.cookies.getAll('experiments'); // Returns an array of cookies
- Delete a Cookie: Remove a cookie using request.cookies.delete(name), which returns true if the cookie is deleted or false if it wasn't found.
// Example: Deleting the 'experiments' cookie
request.cookies.delete('experiments'); // Returns true if deleted
- Check for a Cookie: Use request.cookies.has(name) to check if a cookie exists on the request.
// Example: Checking if the 'experiments' cookie exists
const hasExperiments = request.cookies.has('experiments'); // Returns true or false
- Clear Cookies: Use request.cookies.clear() to remove all Set-Cookie headers from the request.
// Example: Clearing all cookies
request.cookies.clear();
2. nextUrl Property:
- nextUrl extends the native URL API with additional Next.js-specific properties, allowing detailed handling of request URLs within the app.
// Example: Accessing pathname and search parameters
const path = request.nextUrl.pathname; // e.g., '/home'
const params = request.nextUrl.searchParams; // e.g., { 'name': 'lee' }
- Properties:
- basePath: The base path of the URL.
- buildId: The unique build identifier of the Next.js application.
- pathname: The path part of the URL.
- searchParams: An object representing the search parameters of the URL.
How to Use NextRequest?
1. Using Middleware Functions
Middleware functions in Next.js 13+ can use NextRequest to handle requests before they reach the actual route handlers. Here’s an example of how to use NextRequest in middleware:
// middleware.ts
import { NextRequest, NextResponse } from 'next/server';
export function middleware(request: NextRequest) {
const { pathname } = request.nextUrl;
// Example: Redirect requests to `/old-page` to `/new-page`
if (pathname === '/old-page') {
const url = request.nextUrl.clone();
url.pathname = '/new-page';
return NextResponse.redirect(url);
}
return NextResponse.next();
}
export const config = {
matcher: '/:path*',
};
In this example:
- request.nextUrl provides access to the URL of the incoming request.
- NextResponse.redirect creates a redirect response if the requested path matches /old-page.
- NextResponse.next allows the request to continue to the next middleware or route handler if no action is taken.
2. Using API Route
You can also use NextRequest in API routes to process incoming requests. Here’s a basic example:
// app/api/hello/route.ts
import { NextRequest, NextResponse } from 'next/server';
export async function GET(request: NextRequest) {
const userAgent = request.headers.get('user-agent');
const url = request.nextUrl;
const name = url.searchParams.get('name') || 'World';
return NextResponse.json({
message: `Hello, ${name}!`,
userAgent,
});
}
In this example:
- request.headers.get('user-agent') retrieves the User-Agent header from the request.
- request.nextUrl provides access to the URL and its query parameters.
- NextResponse.json sends a JSON response with the greeting message and user agent.
3. Handling Different Request Methods
NextRequest allows you to handle different HTTP methods within your routes. You can use the request.method property to determine the method of the incoming request:
// app/api/data/route.ts
import { NextRequest, NextResponse } from "next/server";
export async function handler(request: NextRequest) {
switch (request.method) {
case "GET":
return NextResponse.json({ message: "GET request received" });
case "POST":
const data = await request.json();
return NextResponse.json({ message: "POST request received", data });
default:
return NextResponse.json(
{ error: "Method not allowed" },
{ status: 405 }
);
}
}
Steps To Implement Next.js Functions: NextRequest
Step 1: Create a New Next.js Application
Use the create-next-app command to bootstrap a new Next.js project:
npx create-next-app@latest my-next-app
cd my-next-app
Create Next.js applicationFolder Structure
Folder StructureDependencies
"dependencies": {
"react": "^18",
"react-dom": "^18",
"next": "14.2.11"
}
Example: Create a middleware file to demonstrate the usage of NextRequest for handling cookies and URL manipulations.
JavaScript
//src/middleware.js
import { NextRequest, NextResponse } from 'next/server';
export function middleware(request) {
const path = request.nextUrl.pathname;
const query = request.nextUrl.searchParams.get('name') || 'guest';
if (path === '/dashboard' && query === 'guest') {
return NextResponse.redirect(new URL('/login', request.url));
}
return NextResponse.next();
}
export const config = {
matcher: '/:path*',
};
JavaScript
//app/login/page.js
"use client";
export default function LoginPage() {
const handleSubmit = (e) => {
e.preventDefault();
alert("Logged in successfully!");
};
return (
<div className="min-h-screen flex items-center justify-center bg-gray-100">
<div className="bg-white p-8 rounded shadow-md w-80">
<h2 className="text-2xl font-bold mb-6">Login</h2>
<form onSubmit={handleSubmit}>
<div className="mb-4">
<label
htmlFor="username"
className="block text-sm font-medium text-gray-700"
>
Username
</label>
<input
type="text"
id="username"
className="mt-1 p-2 border border-gray-300 rounded w-full"
required
/>
</div>
<div className="mb-6">
<label
htmlFor="password"
className="block text-sm font-medium text-gray-700"
>
Password
</label>
<input
type="password"
id="password"
className="mt-1 p-2 border border-gray-300 rounded w-full"
required
/>
</div>
<button
type="submit"
className="w-full bg-blue-500 text-white py-2 rounded hover:bg-blue-600"
>
Login
</button>
</form>
</div>
</div>
);
}
To start the application run the following command.
npm run dev
Output
Similar Reads
Next.js Functions: NextResponse
NextResponse is a utility function provided by Next.js, used within middleware to create responses for HTTP requests. Middleware in Next.js allows you to run code before a request is completed, enabling you to handle things like authentication, redirects, and more. NextResponse makes it easy to cons
3 min read
Next.js Functions: redirect
Next.js is a React framework that is used to build full-stack web applications. It is used both for front-end as well as back-end. It comes with a powerful set of features to simplify the development of React applications. One of its features is redirect Function. In this article, we will learn abou
2 min read
Next.js Functions: userAgent
Detecting the userAgent is now very important in SSR applications using Next.js, which provides a userAgent string. Doing so can be quite helpful to optimize the rendering, find some errors that are browser-specific, or change the client experience based on the device it is accessed from. Next.js is
5 min read
Next.js Functions: unstable_noStore
In Next.js, the unstable_noStore function is a part of the experimental data fetching capabilities introduced to handle server-side rendering (SSR) and static generation more efficiently. As the name suggests, unstable_noStore is still experimental and subject to change, but it offers some unique ad
3 min read
Next.js Functions: permanentRedirect
Next.js is a React framework that is used to build full-stack web applications. It comes with a powerful set of features to simplify the development of React applications. One of its features is permanentRedirect Function. In this article, we will learn about permanentRedirect Function.What is perma
3 min read
Next.js Functions: notFound
Next.js is a React framework that is used to build full-stack web applications. It is used both for front-end and back-end development, simplifying React development with powerful features. In this article, we will explore the notFound function, which is used to handle cases where a requested resour
3 min read
Next.js Functions: useParams
Next.js is known for its ability to create dynamic and highly optimized web applications. Among them, useParams allows you to access route parameters and enhance the interactivity and functionality of the applications. In this article, we will explore what useParams is and how it works.What is usePa
4 min read
Next.js Functions: revalidateTag
Next.js has the revalidateTag function that can be used to selectively invalidate cached data on demand for a specific cache tag. This allows developers to ensure that dynamic content is refreshed and served up-to-date without waiting for the entire cache to expire. It's a powerful feature for maint
6 min read
Next.js Functions: usePathname
Next.js is a JavaScript framework library used to build fast and scalable web applications with server-side rendering and static site generation capabilities. One of the useful hooks provided by Next.js is usePathname, which allows developers to easily access and manipulate the current pathname of t
3 min read
Functions in Next JS
Next.js provides a suite of functions and hooks that enhance server-side rendering, static generation, routing, and more. These functions are essential for managing data fetching, handling requests, and optimizing performance in Next.js applications.Next.js FunctionsNext.js functions simplify server
4 min read