JSON Web Token (JWT) Authentication in Node.js
This article provides a guide on how to use JSON Web Tokens (JWT) for user authentication in a Node.js application. JWT is a secure and popular way to protect APIs by transmitting user authentication information between the server and the client.
In this article, we will learn how to integrate JSON Web Tokens (JWT) into a Node.js application for user authentication. We'll use the jsonwebtoken
library to create, sign, and verify JWTs. JWT is a powerful security technique to safeguard APIs in web applications.
Node.js Code:
// Install necessary libraries
const express = require('express');
const jwt = require('jsonwebtoken');
const app = express();
app.use(express.json());
// Secret key to sign JWT (should not be exposed)
const secretKey = 'your_secret_key';
// Route to handle login and issue JWT
app.post('/login', (req, res) => {
const { username, password } = req.body;
// Check login credentials (assuming correct)
if (username === 'user' && password === 'password') {
// Create a JWT
const token = jwt.sign({ username }, secretKey, { expiresIn: '1h' });
res.json({ token });
} else {
res.status(401).send('Invalid login credentials!');
}
});
// JWT authentication middleware
function authenticateToken(req, res, next) {
const token = req.headers['authorization'];
if (!token) return res.status(403).send('Token not found.');
jwt.verify(token, secretKey, (err, user) => {
if (err) return res.status(403).send('Invalid token.');
req.user = user;
next();
});
}
// Protected route that can only be accessed with a valid JWT
app.get('/protected', authenticateToken, (req, res) => {
res.send(`Hello, ${req.user.username}. You have successfully accessed the protected route.`);
});
// Start server
app.listen(3000, () => {
console.log('Server is running on port 3000');
});
Detailed explanation:
-
const express = require('express');
: Import theexpress
library to create a web application. -
const jwt = require('jsonwebtoken');
: Import thejsonwebtoken
library to work with JWTs. -
const secretKey = 'your_secret_key';
: Secret key for signing the JWT (replace with a secure value). -
app.post('/login', ...)
: Define the/login
route to handle login and return a JWT when credentials are correct. -
jwt.sign(...)
: Create a new JWT with a payload containing user information. -
authenticateToken(...)
: Middleware to check and verify JWT. -
jwt.verify(...)
: Verify the JWT and check its validity. -
app.get('/protected', ...)
: A protected route that can only be accessed with a valid JWT.
System requirements:
- Node.js version 12.x or later.
- Required libraries:
express
andjsonwebtoken
.
How to install the libraries to run the code:
npm install express jsonwebtoken
Tips:
- Store JWTs in HTTP Only Cookies or Local Storage and ensure encryption.
- Always use HTTPS for transmitting JWTs to protect against man-in-the-middle attacks.