Middleware functions are functions that have access to the request object (req
), the response object (res
), and the next
function in the application’s request-response cycle. The next function is a function in the Express router which, when invoked, executes the middleware succeeding the current middleware.
Express is a routing and middleware web framework that has minimal functionality of its own: An Express application is essentially a series of middleware function calls.
Middleware functions can perform the following tasks:
If the current middleware function does not end the request-response cycle, it must call next()
to pass control to the next middleware function. Otherwise, the request will be left hanging.
Here is an example of a simple “Hello World” Express application. The remainder of this article will define and add two middleware functions to the application: one called myLogger
that prints a simple log message and another called requestTime
that displays the timestamp of the HTTP request.
var express = require('express') var app = express() app.get('/', function (req, res) { res.send('Hello World!') }) app.listen(3000)
In the above example, the handler is actually a middleware. So everytime you assign a route, you alos have to use a middleware as the handler.
Here is a simple example of a middleware function called “myLogger”. This function just prints “LOGGED” when a request to the app passes through it. The middleware function is assigned to a variable named myLogger
.
var myLogger = function (req, res, next) { console.log('LOGGED') next() }
Notice the call above to next()
. Calling this function invokes the next middleware function in the app. The next()
function is not a part of the Node.js or Express API, but is the third argument that is passed to the middleware function. The next()
function could be named anything, but by convention it is always named “next”. To avoid confusion, always use this convention.
To load the middleware function, call app.use()
, specifying the middleware function. For example, the following code loads the myLogger
middleware function before the route to the root path (/).
var express = require('express') var app = express() var myLogger = function (req, res, next) { console.log('LOGGED') next() } app.use(myLogger) app.get('/', function (req, res) { res.send('Hello World!') }) app.listen(3000)
Every time the app receives a request, it prints the message “LOGGED” to the terminal. The order of middleware loading is important: middleware functions that are loaded first are also executed first. If myLogger
is loaded after the route to the root path, the request never reaches it and the app doesn’t print “LOGGED”, because the route handler of the root path terminates the request-response cycle.
The middleware function myLogger
simply prints a message, then passes on the request to the next middleware function in the stack by calling the next()
function.
In the middlware function, you can modify the request or response object. For example, we’ll create a middleware function called “requestTime” and add a property called requestTime
to the request object.
var requestTime = function (req, res, next) { req.requestTime = Date.now() next() }
The app now uses the requestTime
middleware function. Also, the callback function of the root path route uses the property that the middleware function adds to req
(the request object).
var express = require('express') var app = express() var requestTime = function (req, res, next) { req.requestTime = Date.now() next() } app.use(requestTime) app.get('/', function (req, res) { var responseText = 'Hello World!
' responseText += 'Requested at: ' + req.requestTime + '' res.send(responseText) }) app.listen(3000)
When you make a request to the root of the app, the app now displays the timestamp of your request in the browser.
Because you have access to the request
object, the response
object, the next
middleware function in the stack, and the whole Node.js API, the possibilities with middleware functions are endless.
An Express application can use the following types of middleware:
Bind application-level middleware to an instance of the app
object by using the app.use()
and app.METHOD()
functions, where METHOD
is the HTTP method of the request that the middleware function handles (such as GET, PUT, or POST) in lowercase.
This example shows a middleware function with no mount path. The function is executed every time the app receives a request.
var app = express() app.use(function (req, res, next) { console.log('Time:', Date.now()) next() })
This example shows a middleware function mounted on the /user/:id
path. The function is executed for any type of HTTP request on the /user/:id
path.
app.use('/user/:id', function (req, res, next) { console.log('Request Type:', req.method) next() })
The following example shows a route and its handler function (middleware system). The function handles GET requests to the /user/:id
path.
app.get('/user/:id', function (req, res, next) { res.send('USER') })
The following is an example of loading a series of middleware functions at a mount point, with a mount path. It illustrates a middleware sub-stack that prints request info for any type of HTTP request to the /user/:id
path.
app.use('/user/:id', function (req, res, next) { console.log('Request URL:', req.originalUrl) next() }, function (req, res, next) { console.log('Request Type:', req.method) next() })
Route handlers enable you to define multiple routes for a path. The following example below defines two routes for GET requests to the /user/:id
path. The second route will not cause any problems, but it will never get called because the first route ends the request-response cycle. This example shows a middleware sub-stack that handles GET requests to the /user/:id
path.
app.get('/user/:id', function (req, res, next) { console.log('ID:', req.params.id) next() }, function (req, res, next) { res.send('User Info') }) // handler for the /user/:id path, which prints the user ID app.get('/user/:id', function (req, res, next) { res.end(req.params.id) })
To skip the rest of the middleware functions from a router middleware stack, call next('route')
to pass control to the next route. The next('route')
method will work only in middleware functions that were loaded by using the app.METHOD()
or router.METHOD()
functions.
This example shows a middleware sub-stack that handles GET requests to the /user/:id
path.
app.get('/user/:id', function (req, res, next) { // if the user ID is 0, skip to the next route if (req.params.id === '0') next('route') // otherwise pass the control to the next middleware function in this stack else next() }, function (req, res, next) { // send a regular response res.send('regular') }) // handler for the /user/:id path, which sends a special response app.get('/user/:id', function (req, res, next) { res.send('special') })
The above example, returns "special" response for the id 0
. For all the other value, it returns "reqular" response.
Middleware can also be declared in an array for reusability. The following example shows an array with a middleware sub-stack that handles GET requests to the /user/:id
path
function logOriginalUrl (req, res, next) { console.log('Request URL:', req.originalUrl) next() } function logMethod(req, res, next) { console.log('Request Type:', req.method) next() } var logStuff = [logOriginalUrl, logMethod] app.get('/user/:id', logStuff, function (req, res, next) { res.send('User Info') })
Router-level middleware works in the same way as application-level middleware, except it is bound to an instance of express.Router()
.
var router = express.Router()
Load router-level middleware by using the router.use()
and router.METHOD()
functions.
var app = express() var router = express.Router() // a middleware function with no mount path. This code is executed for every request to the router router.use(function (req, res, next) { console.log('Time:', Date.now()) next() }) // a middleware sub-stack shows request info for any type of HTTP request to the /user/:id path router.use('/user/:id', function (req, res, next) { console.log('Request URL:', req.originalUrl) next() }, function (req, res, next) { console.log('Request Type:', req.method) next() }) // a middleware sub-stack that handles GET requests to the /user/:id path router.get('/user/:id', function (req, res, next) { // if the user ID is 0, skip to the next router if (req.params.id === '0') next('route') // otherwise pass control to the next middleware function in this stack else next() }, function (req, res, next) { // render a regular page res.render('regular') }) // handler for the /user/:id path, which renders a special page router.get('/user/:id', function (req, res, next) { console.log(req.params.id) res.render('special') }) // mount the router on the app app.use('/', router)
Define error-handling middleware functions in the same way as other middleware functions, except with four arguments instead of three, specifically with the signature (err, req, res, next)
):
Error-handling middleware always takes four arguments. You must provide four arguments to identify it as an error-handling middleware function. Even if you don’t need to use the next object, you must specify it to maintain the signature. Otherwise, the next object will be interpreted as regular middleware and will fail to handle errors.
app.use(function (err, req, res, next) { console.error(err.stack) res.status(500).send('Something broke!') })
You will learn more in the Error Handling lesson.
Express has the following built-in middleware functions:
express.static
serves static assets such as HTML files, images, and so on.express.json
parses incoming requests with JSON payloads.express.urlencoded
parses incoming requests with URL-encoded payloads.We will learn more about these later.
Use third-party middleware to add functionality to Express apps. Install the Node.js module for the required functionality, then load it in your app at the application level or at the router level. The following example illustrates installing and loading the cookie-parsing middleware function cookie-parser.
var express = require('express') var app = express() var cookieParser = require('cookie-parser') // load the cookie-parsing middleware app.use(cookieParser())