- 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 PUT Requests
PUT requests are used to update existing resources on the server. They are similar to POST requests but are intended to replace the current resource with the data provided. In Express, you can handle PUT requests by using the app.put()
method.
Key Features of Handling PUT Requests
- Resource Updating: PUT is used for updating an existing resource.
- Request Body: PUT requests typically contain the updated data in the request body.
- Idempotent Operation: PUT requests are idempotent, meaning repeated requests with the same data will result in the same outcome.
- Data Validation: You should validate the incoming data to ensure that it is in the correct format.
Handling Basic PUT Requests
You can handle PUT requests by defining a route with the app.put()
method. This allows you to capture the request and update a resource accordingly.
Example:
const express = require('express');
const app = express();
// Middleware to parse JSON data
app.use(express.json());
// Sample data
let users = [
{ id: 1, name: 'John Doe' },
{ id: 2, name: 'Jane Smith' }
];
// Handle PUT request to update user data
app.put('/user/:id', (req, res) => {
const userId = parseInt(req.params.id); // Extracting user ID from the URL
const updatedUser = req.body; // New user data from the request body
const user = users.find(u => u.id === userId); // Find user by ID
if (!user) {
return res.status(404).send('User not found');
}
// Update the user data
user.name = updatedUser.name;
res.send(`User updated: ${JSON.stringify(user)}`);
});
// Start the server
app.listen(3000, () => {
console.log('Server running on port 3000');
});
In this example, a PUT request to /user/1
with a JSON body like { "name": "John Updated" }
will update the user's name.
Handling PUT Requests with Validation
It is important to validate the incoming data to ensure it meets the required format or constraints before updating the resource.
Example:
app.put('/user/:id', (req, res) => {
const { name } = req.body;
if (!name) {
return res.status(400).send('Name is required');
}
const userId = parseInt(req.params.id);
const user = users.find(u => u.id === userId);
if (!user) {
return res.status(404).send('User not found');
}
user.name = name;
res.send(`User updated: ${user.name}`);
});
This example validates that the name
field is provided in the request body before proceeding with the update.
Handling PUT Requests with Asynchronous Operations
You can handle asynchronous operations such as database updates in PUT request handlers using async/await
.
Example:
app.put('/user/:id', async (req, res) => {
const { name } = req.body;
// Simulating an asynchronous database update
const updatedUser = await updateUserInDatabase(req.params.id, name);
if (!updatedUser) {
return res.status(404).send('User not found');
}
res.send(`User updated: ${updatedUser.name}`);
});
In this case, the PUT request handler updates a user in the database asynchronously.
Handling PUT Requests with Middleware
You can use middleware to perform additional checks or transformations before handling the PUT request.
Example:
app.use('/user/:id', (req, res, next) => {
console.log('Middleware triggered for user update');
next();
});
app.put('/user/:id', (req, res) => {
const updatedUser = req.body;
// Process and update user
res.send(`User updated: ${JSON.stringify(updatedUser)}`);
});
Here, the middleware logs a message before processing the PUT request.
Handling PUT Requests with Multiple Parameters
You can handle PUT requests that contain multiple parameters, such as both path parameters and query strings.
Example:
app.put('/user/:id/profile', (req, res) => {
const { id } = req.params;
const { bio } = req.body;
// Process the update
res.send(`User ${id} profile updated with bio: ${bio}`);
});
In this example, the PUT request updates the profile of a user, with the user ID in the URL path and the bio in the request body.
Summary
Handling PUT requests in Express.js is an essential part of creating RESTful APIs. The app.put()
method allows you to define route handlers for updating existing resources. You can validate the incoming data, perform asynchronous database operations, and use middleware to enhance the request processing. PUT requests are idempotent, meaning that repeated requests with the same data will always produce the same result.