Hello, programming friends! Are you prepared to delve deep into the realm of secure user data? This particular lesson underscores the importance of password security in safeguarding user data. It covers essential concepts including hashing
, encryption
, and the use of bcrypt
for password encryption. Buckle up! By the end of our exciting journey, you will have mastered the use of bcrypt
for password security.
Imagine this scenario. You are storing user data, such as a username and a password, in your database. Suddenly, an uninvited guest (an attacker) gains access to this data. These pieces of information, as innocuous as they may seem, can provide an attacker with significant insights about their target, leading to misuse or unauthorized access. So, how can we prevent this? By securing user data, of course!
User data often includes unique identifiers like a username or email and a password for authentication. This data is critical - if it falls into the wrong hands, someone could commit unauthorized activities. It's like a library card system: if an intruder gains access to a user's library card number and password, they could misuse the information, leading to unauthorized checkouts.
Passwords are central to securing user accounts. Weak passwords like '12345' or 'password' offer easy access to attackers. Hence, robust passwords are endorsed, typically at least 12 characters mixed with uppercase, lowercase, numbers, and symbols. For instance, 'My$3cur3Pa$$w0rd!' offers better security than '12345'.
To store passwords securely, we employ hashing and encryption rather than plain texts. Encryption changes plain text into cipher text using an encryption key, which can be decrypted using a decryption key. In contrast, hashing is irreversible. It processes input into a fixed byte size, like blending fruits for a smoothie where retrieving the original pieces is impossible. Hashing obeys the same rule.
Bcrypt, a password-hashing function created by Niels Provos and David Mazières, adds an extra layer of security to our data. Bcrypt applies both salt and hash techniques on passwords, enhancing their security.
In JavaScript, bcrypt uses an asynchronous API with native promises to hash passwords. We hash a password using the bcrypt.hash()
function and check a password against a hash using the bcrypt.compare()
function.
Here's a direct example of using the bcrypt.hash()
function:
JavaScript1const password = 'My$3cur3Pa$$w0rd!'; 2const saltRounds = 10; 3 4try { 5 bcrypt.hash(password, saltRounds, function(err, hash) { 6 if (err) { 7 throw new Error('Hashing Failed'); 8 } 9 console.log(hash); 10 }); 11} catch (err) { 12 console.error(err.message); 13}
Let's dwell a little deeper into the bcrypt.hash()
function. It accepts three parameters:
password
: This is the plain-text password that you want to hash.
saltRounds
: This is the number of rounds you want to process the data for. More rounds lead to more secured hashed data but require more processing time. A balance between security and performance is usually maintained at around ten rounds.
callback
: This function gets executed once bcrypt has hashed the password. It should accept two arguments:
error
: An error object if an error occurred, null
otherwise.hash
: If no error occurred, this is the hashed password.We move now to the verification part with bcrypt.compare()
. Here, errors can be handled by examining the err
parameter in the callback function. If err
is not null, an error has occurred during the hash comparison.
JavaScript1const passwordAttempt = 'TryingToGuessPassword'; 2 3bcrypt.compare(passwordAttempt, hash, function(err, isMatch) { 4 if (err) { 5 throw new Error('Comparison failed!'); 6 } else if (!isMatch) { 7 console.log("Password doesn't match!"); 8 } else { 9 console.log("Password matches!"); 10 } 11});
In this script, passwordAttempt
refers to the password we want to check, and hash
is the user's hashed password from the database. isMatch
will be either true
or false
, indicating whether the password and hash match.
Middlewares refer to functions that have access to the request object, the response object, and the next middleware function in the application's request-response cycle. They can execute any code, make changes to the request-response objects, end the request-response cycle, and call the next middleware function in the stack.
With the help of middlewares, we can add an extra layer of security to our application by hashing the passwords when users sign up or log in. Let's explore how!
First, we'll define a middleware function for password hashing:
JavaScript1function hashPassword(req, res, next){ 2 const saltRounds = 10; 3 4 // hash the password 5 bcrypt.hash(req.body.password, saltRounds, function(err, hash) { 6 if (err) { 7 console.log(err); 8 res.status(500).send(); 9 } else { 10 // store the hashed password to the request body 11 req.body.password = hash; 12 // move to the next middleware function/route handler 13 next(); 14 } 15 }); 16}
This hashPassword
middleware hashes the password from the request body and replaces the original password in the request body with the hashed password. If an error occurs during hashing, it will send a 500 status code.
Now, we will create the signup and login routes. We'll be storing the user data in a hardcoded object for simplicity. In your actual applications, this data will be stored in a database instead.
JavaScript1// Hardcoded user data 2let users = {}; 3 4// Signup route 5app.post('/signup', hashPassword, function(req, res) { 6 const { username, password } = req.body; 7 8 // Check if the username is already taken 9 if (users[username]) { 10 res.status(409).send('Username is already taken!'); 11 } else { 12 // Save the user data 13 users[username] = { password }; 14 res.status(200).send('User created successfully!'); 15 } 16}); 17 18// Login Route 19app.post('/login', function(req, res) { 20 const { username, password } = req.body; 21 22 // Find the user in our hardcoded data 23 let user = users[username]; 24 25 if (user) { 26 // Compare the hash and respond 27 bcrypt.compare(password, user.password, function(err, match) { 28 if (err) { 29 res.status(500).send(); 30 } else if (match) { 31 res.status(200).send('Login successful!'); 32 } else { 33 res.status(401).send('Password is incorrect!'); 34 } 35 }); 36 } else { 37 res.status(404).send('User not found!'); 38 } 39});
The signup route uses the hashPassword
middleware to hash the password before saving the user data. The login route checks the username and password, compares the hashed password with the entered password, and sends the appropriate response.
And voila! You now know how to use middlewares in Express.js to provide an extra layer of security by hashing passwords! Remember, bcrypt comes pre-installed in most CodeSignal environments. However, learning to do it is crucial for working on your own projects or other environments.
Bravo! You've navigated the sea of user data, grasped the importance of password security, unearthed the secrets of hashing and encryption, and wielded bcrypt
for password security.
Up next, we will use the tools we've acquired to build something tangible in the form of practice sessions. These exercises will test your understanding and help you tackle real-world data security problems. Let's roll up our sleeves and dive into some coding!