How to use body-parser Middleware In Express

In the earlier days of Express.js, developers commonly relied on the body-parser middleware as the primary tool for parsing raw request bodies. Utilizing body-parser.text() was the standard practice to manage the raw data efficiently. However, it’s essential to note that this approach has become outdated with the evolution of Express.js.

Install body-parser module before implementing this approach:

npm install body-parser
Javascript
const express = require('express');
const bodyParser = require('body-parser');

const app = express();
app.use(bodyParser.text());

app.post('/deprecated', (req, res) => {
  const rawBody = req.body;
  console.log('Deprecated Approach:', rawBody);
  res.send(`How to access raw body of a POST
              request in Express.js? Deprecated Approach Received: ` 
            + rawBody);
});

const PORT = 3000;
app.listen(PORT, () => {
  console.log(`Server is listening on port ${PORT}`);
});

Output:

How to access Raw Body of a Post Request in Express.js ?

Raw Body of a POST request refers to unprocessed or uninterpreted data sent in the request before Express or any middleware processes or understands it. It’s like raw ingredients before the cooking begins.

In this article we will see various approaches to access raw body of a post request in Express.js.

Table of Content

  • Using express.raw() Middleware
  • Using body-parser Middleware
  • Using data and end Events

Similar Reads

Steps to Create Application:

1) Initialize a New Node.js Project:...

Project Structure:

...

Using express.raw() Middleware

In modern versions of Express (4.16.0 and higher), developers can utilize the express.raw() middleware to seamlessly access the raw body of a POST request. Notably, this middleware efficiently parses the request body as a Buffer, offering a straightforward and effective method for handling raw data in your Express.js applications....

Using body-parser Middleware

In the earlier days of Express.js, developers commonly relied on the body-parser middleware as the primary tool for parsing raw request bodies. Utilizing body-parser.text() was the standard practice to manage the raw data efficiently. However, it’s essential to note that this approach has become outdated with the evolution of Express.js....

Using data and end Events

For those who prefer a more hands-on approach, manual handling of the data and end events offers a level of control over the raw body. This method involves accumulating chunks of data as they arrive and processing them when the request ends. Here’s a glimpse into how this approach can be implemented:...

Contact Us