This website uses cookies to enhance the user experience

Implementing Authentication in Node.js with JWT

Share:

BackendNodeJS

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?

Olivia Bennett

9 months ago

1 Response

Hide Responses

James Sullivan

9 months ago

Hi,
To implement JWT authentication in Node.js:

  1. Install JWT Package: Install jsonwebtoken and bcrypt.
npm install jsonwebtoken bcrypt
  1. Create JWT: Generate a token upon user login.
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' });
  1. Verify JWT: Verify token for protected routes.
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();
    });
};
  1. Hash Passwords: Use bcrypt to hash and verify passwords.
const hashedPassword = await bcrypt.hash(password, 10);
const isMatch = await bcrypt.compare(password, hashedPassword);
  1. Protect Routes: Apply the middleware to protect routes.
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.

0