Hashing Passwords with Bcrypt
Table of Contents:
Terms
Hashing - a mathematical algorithm that transforms a string of characters into a fixed-length string of characters.
Password Salt - A salt is a random string of data that is added to the input data before the hash function is applied. This changes the hash value that is produced, even for the same input data.
Salt Rounds - the number of times a password has been salted before being hashed
Plaintext password - the password as it was entered by the user, before it is hashed.
Bcrypt - a Node module that provides functions for hashing strings and verifying hashed strings.
Pre-Learning
Check out this video to learn about hashing, salting, and various attacks used by hackers to get accessed to your password!
Video: Password Hashing, Salts, Peppers | Explained!
Hashing
Hashing is a mathematical algorithm that transforms a string of characters into a fixed-length string of characters.
The purpose of password hashing is to prevent attackers who obtain a database of user passwords from easily obtaining the passwords themselves.
Without password hashing, an attacker who obtains a user database can simply read the passwords in plain text.
With password hashing, the passwords are stored as hash values, and an attacker would need to spend significant time and resources attempting to crack the hash values back into the original passwords.
Q: What does this hashing function do?
Verifying Passwords
Q: let's say I want to try logging in as user dogPerson123
and I provide the password ihatedogs
, how can I verify that the password ihatedogs
does or dot not match the hashed password?
The beauty of a hashing function is that it MUST be pure: if given the same plaintext string, it must return the same hashed string every time. We can use this to verify any incoming password attempt:
hash the password attempt
compare it to the stored hashed password
return if they match or not
Salting
A salt is a random string of data that is added to the input data before the hash function is applied. This changes the hash value that is produced, even for the same input data.
Even if two users have the same password, a new salt will be generated and added to the password, generating a unique hash each time.
Bcrypt
The bcrypt
module does this all for us! It has two key methods:
bcrypt.hash(password, saltRounds)
bcrypt.compare(password, hashedPassword)
Last updated