How to Sign In with raw password when password stored in the database is hashed in Node.js
A guide on how to authenticate users signing in by comparing a raw password with the hashed password stored in the database. It demonstrates using `bcrypt` in Node.js to check if the raw password matches the hashed one.
This article will explain how to authenticate users in Node.js when their passwords are stored in the database as hashed values. We'll use the bcrypt
library to compare the raw password entered by the user with the hashed password.
JavaScript Code
// Import necessary libraries
const bcrypt = require('bcrypt');
const express = require('express');
const bodyParser = require('body-parser');
// Initialize express application
const app = express();
app.use(bodyParser.json());
// Assume this is the hashed password stored in the database
const storedHashedPassword = '$2b$10$eW5OoANrF5OYsXBXFBDyYeZG96V8uAblEUHhPzBwdKa5wqlXpoGva'; // Hash of 'mypassword'
// Login function
app.post('/login', async (req, res) => {
const { password } = req.body; // Receive raw password from POST request
try {
// Compare the raw password with the hashed password
const match = await bcrypt.compare(password, storedHashedPassword);
if (match) {
// If passwords match
res.send('Login successful!');
} else {
// If passwords do not match
res.status(400).send('Incorrect password.');
}
} catch (error) {
res.status(500).send('An error occurred.');
}
});
// Listen on port 3000
app.listen(3000, () => {
console.log('Server is running on port 3000');
});
Detailed explanation:
-
const bcrypt = require('bcrypt');
: Imports thebcrypt
library for hashing and comparing passwords. -
const express = require('express');
: Imports theexpress
library to create an HTTP server. -
app.use(bodyParser.json());
: Uses body-parser to handle data from POST requests as JSON. -
const storedHashedPassword = '...'
: Assumes this is the hashed password stored in the database. -
app.post('/login', ...)
: Defines the/login
endpoint to handle sign-in requests. -
const match = await bcrypt.compare(password, storedHashedPassword);
: Compares the raw password with the hashed password. -
if (match)
: If the password matches, sends a success message. -
else
: If it doesn't match, returns a login error. -
app.listen(3000, ...)
: Starts the server on port 3000.
System requirements:
- Node.js version 12 or higher.
-
bcrypt
library: Used for hashing and comparing passwords. -
express
library: Used to create an HTTP server. -
body-parser
library: Used to process POST request data.
How to install the libraries:
npm install bcrypt express body-parser
Tips:
- Use a higher number of
bcrypt
rounds (minimum 10) to enhance the security of the hashing process. - Never store raw passwords in the database.