During application development, error handling is a crucial aspect to ensure a smooth user experience and mitigate unforeseen issues. In the Express.js environment, you have several ways to handle errors and provide suitable response messages to users. Here's a guide on how to achieve this:
Using Middleware for Global Error Handling
Create a global error handling middleware by adding the following code at the end of the app.js
or main file of your Express.js application.
app.use((err, req, res, next) => {
console.error(err.stack);
res.status(500).send('Something went wrong!');
});
Handling Errors for Specific Route
In a specific route, you can use a try
-catch
block to catch errors and provide appropriate response messages.
app.get('/profile/:id', async (req, res) => {
try {
const user = await getUserById(req.params.id);
res.json(user);
} catch (error) {
res.status(404).send('User not found!');
}
});
Using Centralized Error Middleware
Create a centralized error middleware to handle errors originating from various route.
app.use((req, res, next) => {
const error = new Error('Not found');
error.status = 404;
next(error);
});
app.use((err, req, res, next) => {
res.status(err.status || 500);
res.send(err.message || 'Something went wrong');
});
Handling Asynchronous Errors
In the case of asynchronous handling, use the next
method to pass errors to the global error handling middleware.
app.get('/data', (req, res, next) => {
fetchDataFromDatabase((err, data) => {
if (err) {
return next(err);
}
res.json(data);
});
});
Conclusion
Error handling is an integral part of Express.js application development. By utilizing middleware, handling specific errors, and providing appropriate response messages, you can create a smooth and reliable application experience for your users.