Share:
Hi,
I’m trying to implement authentication in my Node.js application using JSON Web Tokens (JWT). Can someone provide a step-by-step guide on how to set up JWT authentication, including token generation and verification?
Hide Responses
Hi,
To implement JWT authentication in Node.js:
jsonwebtoken
and bcrypt
.npm install jsonwebtoken bcrypt
const jwt = require('jsonwebtoken');
const bcrypt = require('bcrypt');
const user = { id: 1, username: 'user' };
const token = jwt.sign({ userId: user.id }, 'your_jwt_secret', { expiresIn: '1h' });
const verifyToken = (req, res, next) => {
const token = req.headers['authorization'];
if (!token) return res.status(403).send('No token provided.');
jwt.verify(token, 'your_jwt_secret', (err, decoded) => {
if (err) return res.status(500).send('Failed to authenticate token.');
req.userId = decoded.userId;
next();
});
};
const hashedPassword = await bcrypt.hash(password, 10);
const isMatch = await bcrypt.compare(password, hashedPassword);
app.get('/protected', verifyToken, (req, res) => {
res.status(200).send('This is a protected route.');
});
This setup ensures secure JWT authentication in your Node.js application.
James Sullivan
9 months ago