expressjsHow do I implement validation in an Express.js application?
Validation is an important part of any application, and Express.js makes it easy to implement. Here's an example of how to do it in an Express.js application:
const express = require('express')
const app = express()
app.use(express.json()) // This line is necessary
app.post('/user', (req, res) => {
const { name, age } = req.body
if (!name || !age) {
return res.status(400).json({ error: 'Name and age are required' })
}
res.json({ name, age })
})
The express.json()
line is necessary to parse the body of the request into a JavaScript object. Then, the code checks if the name
and age
fields are present in the request body, and if they're not, it returns an error response.
Code explanation
const express = require('express')
- importing the Express.js libraryconst app = express()
- creating an Express.js applicationapp.use(express.json())
- parsing the body of the request into a JavaScript objectif (!name || !age)
- checking if thename
andage
fields are present in the request bodyreturn res.status(400).json({ error: 'Name and age are required' })
- returning an error response if eithername
orage
is not presentres.json({ name, age })
- sending a response with thename
andage
fields if they are present in the request body
Helpful links
More of Expressjs
- How do I find Express.js tutorials on YouTube?
- How do I manage user roles in Express.js?
- How can I use Express.js to prevent XSS attacks?
- How do I download a zip file using Express.js?
- How can I use Express.js to implement websockets in my application?
- How do Express.js and Node.js differ in terms of usage?
- How can I use Node.js and Express together to create a web application?
- How do I use Express.js to handle x-www-form-urlencoded data?
- How do I find information about Express.js on the wiki?
- How do I use Zod with Express.js?
See more codes...