- Express.js Basics
- Express.js HOME
- Express.js Introduction
- Express.js Installation
- Express.js Basic App
- Express.js Routing
- Basics Routing
- Route Parameters
- Handling Query Strings
- Router Middleware
- Middleware
- What is Middleware?
- Application-Level Middleware
- Router-Level Middleware
- Built-In Middleware
- Error-Handling Middleware
- Third-Party Middleware
- Express.js HTTP
- Handling GET Requests
- Handling POST Requests
- Handling PUT Requests
- Handling DELETE Requests
- Templating Engines
- Using Templating Engines
- Setting Up EJS
- Setting Up Handlebars
- Setting Up Pug
- Request/Response
- Request Object
- Response Object
- Handling JSON Data
- Handling Form Data
- Static Files
- Serving Static Files
- Setting Up Static Folders
- Managing Assets
- Express.js Advanced
- Middleware Stack
- CORS in Express.js
- JWT Authentication
- Session Handling
- File Uploads
- Error Handling
- Databases
- Express.js with MongoDB
- MongoDB CRUD Operations
- Express.js with MySQL
- MySQL CRUD Operations
- Deployment
- Deploying Express.js Apps to Heroku
- Deploying Express.js Apps to AWS
- Deploying Express.js Apps to Vercel
Express.js with Middleware Stack
In Express.js, middleware functions are a fundamental part of the request-response cycle. A middleware stack is the collection of middleware functions that Express uses to process incoming requests and generate responses. Understanding and managing middleware is essential for building modular, efficient, and maintainable applications.
Key Features of Middleware Stack
- Sequential Execution: Middleware functions in Express are executed in the order they are defined.
- Request and Response Modification: Middleware can modify the request or response objects.
- Error Handling: Custom middleware can be used to handle errors centrally.
- Third-Party Middleware: Express allows the integration of third-party middleware for extended functionality.
- Custom Middleware: You can define your own middleware to implement custom logic.
Components of Middleware Stack
How Middleware Works in Express.js
Middleware functions are executed in the order they are defined. Each middleware function has access to the request and response objects, and it can either modify them or pass control to the next middleware in the stack.
Example:
const express = require('express');
const app = express();
// Middleware to log request details
app.use((req, res, next) => {
console.log(`${req.method} ${req.url}`);
next(); // Pass control to the next middleware
});
// Middleware for handling specific route
app.get('/', (req, res) => {
res.send('Hello, world!');
});
app.listen(3000, () => {
console.log('Server running on port 3000');
});
In this example, the middleware logs the HTTP method and URL of each request before passing control to the route handler.
Organizing Middleware in the Stack
You can organize your middleware functions based on their roles, such as:
- Application-Level Middleware: Runs for every incoming request.
- Router-Level Middleware: Runs for requests matched by a particular router.
- Error-Handling Middleware: Catches and handles errors in the middleware stack.
Example of setting up middleware:
// Global middleware (application-level)
app.use((req, res, next) => {
console.log('Request received');
next();
});
// Router-level middleware
const userRouter = express.Router();
userRouter.use((req, res, next) => {
console.log('User router middleware');
next();
});
userRouter.get('/', (req, res) => {
res.send('User route');
});
app.use('/users', userRouter);
Error-Handling Middleware
Error-handling middleware is defined after all other middleware and route handlers. It takes four arguments: err
, req
, res
, and next
. This special middleware is used to handle errors that occur during the request processing.
Example:
// Error-handling middleware
app.use((err, req, res, next) => {
console.error(err.stack);
res.status(500).send('Something broke!');
});
Third-Party Middleware Integration
Express.js allows you to integrate third-party middleware packages for functionalities like logging, parsing JSON data, handling sessions, and more. These packages can be installed via npm
.
Example using morgan
for logging:
const morgan = require('morgan');
app.use(morgan('dev')); // Logs requests in the 'dev' format
Custom Middleware
Custom middleware functions allow you to implement business logic, authentication, or request validation. They can either terminate the request-response cycle or pass control to the next middleware.
Example of custom middleware:
const checkAuth = (req, res, next) => {
if (!req.headers.authorization) {
return res.status(401).send('Unauthorized');
}
next(); // Proceed to the next middleware or route handler
};
app.use(checkAuth); // Apply custom middleware globally
Chaining Middleware
Middleware functions can be chained together, allowing for complex processing of requests before reaching the final response. Each middleware function either terminates the request-response cycle or passes control to the next function.
Example:
app.use((req, res, next) => {
console.log('First middleware');
next();
});
app.use((req, res, next) => {
console.log('Second middleware');
next();
});
app.get('/', (req, res) => {
res.send('Hello from the route!');
});
In this example, both middleware functions are executed before the route handler.
Example of Middleware Stack
const express = require('express');
const app = express();
// Middleware to log request details
app.use((req, res, next) => {
console.log(`${req.method} ${req.url}`);
next();
});
// Middleware to check authentication
const checkAuth = (req, res, next) => {
if (!req.headers.authorization) {
return res.status(401).send('Unauthorized');
}
next();
};
// Apply the authentication middleware to specific routes
app.use('/protected', checkAuth);
// Route that requires authentication
app.get('/protected', (req, res) => {
res.send('You have access to this protected route');
});
// Error-handling middleware
app.use((err, req, res, next) => {
console.error(err.stack);
res.status(500).send('Something went wrong!');
});
app.listen(3000, () => {
console.log('Server running on port 3000');
});
Summary
In Express.js, middleware functions form a stack that processes incoming requests and outgoing responses. You can define custom middleware, integrate third-party middleware, and set up error-handling middleware to manage the flow of the application. By organizing the middleware stack effectively, you can modularize and optimize the request-handling process, making your application more efficient and maintainable.