- 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 Handling JSON Data
Handling JSON data is a common requirement in web development, especially when working with APIs. Express.js makes it easy to handle JSON data for both incoming requests and outgoing responses.
Key Features of Handling JSON Data
- Request Body Parsing: Express allows you to parse incoming JSON data from the client and access it within your route handlers.
- Sending JSON Responses: You can easily send JSON data as a response to the client using Express.
- Middleware Support: Express provides built-in middleware to automatically parse JSON bodies in incoming requests.
Components of Handling JSON Data
Parsing JSON Request Body
To handle JSON data in the request body, you need to use Express’s express.json()
middleware. This middleware parses incoming JSON requests and makes the data available in req.body
.
Example:
const express = require('express');
const app = express();
// Use express.json() middleware
app.use(express.json());
app.post('/data', (req, res) => {
console.log(req.body); // Access parsed JSON data
res.send('JSON data received');
});
app.listen(3000, () => {
console.log('Server is running on port 3000');
});
In this example, when a POST request is made to /data
with JSON data, the server parses it and logs it.
Sending JSON Responses
You can send a JSON response to the client using res.json()
method. This method automatically sets the Content-Type
to application/json
.
Example:
app.get('/response', (req, res) => {
const data = { message: 'This is a JSON response' };
res.json(data); // Send JSON response
});
This will send the data
object as a JSON response to the client.
Handling JSON Errors
If the JSON is malformed in the request body, Express will throw a SyntaxError
by default. You can handle such errors using middleware to return custom error messages.
Example:
app.use(express.json());
app.post('/data', (req, res, next) => {
// Check if body is empty or malformed
if (!req.body || Object.keys(req.body).length === 0) {
return res.status(400).json({ error: 'Invalid or empty JSON' });
}
res.send('JSON data received');
});
// Error handling middleware
app.use((err, req, res, next) => {
if (err instanceof SyntaxError) {
return res.status(400).json({ error: 'Invalid JSON format' });
}
next(err);
});
This example catches errors related to malformed JSON and returns a 400 status code with an appropriate error message.
Sending JSON with Status Codes
You can send a JSON response along with a specific HTTP status code using res.status().json()
. This is particularly useful for APIs to provide status codes with the response data.
Example:
app.post('/create', (req, res) => {
const data = { success: true, message: 'Data created successfully' };
res.status(201).json(data); // Send JSON with status code 201
});
Example Code
const express = require('express');
const app = express();
// Use express.json() middleware to parse JSON request body
app.use(express.json());
// Route to handle POST request with JSON data
app.post('/data', (req, res) => {
console.log(req.body); // Access parsed JSON data
res.send('JSON data received');
});
// Route to send a JSON response
app.get('/response', (req, res) => {
const data = { message: 'This is a JSON response' };
res.json(data); // Send JSON response
});
// Route with error handling for malformed JSON
app.use((err, req, res, next) => {
if (err instanceof SyntaxError) {
return res.status(400).json({ error: 'Invalid JSON format' });
}
next(err);
});
// Start the server
app.listen(3000, () => {
console.log('Server is running on port 3000');
});
Summary
Express.js simplifies the process of handling JSON data in both requests and responses. The express.json()
middleware helps parse incoming JSON request bodies, while res.json()
allows you to send JSON responses. Proper error handling for malformed JSON is also essential for creating robust APIs.