Lesson 5
Manual Tokenization: Creating, Storing, and Using Authentication Tokens in JavaScript and React
Welcome and Overview

Greetings, explorer! Today, we are diving into the concept of tokenization in authentication. Tokens maintain user sessions and secure web applications. In this lesson, you will learn how to create, store, and send these tokens using axios without any third-party libraries.

Concept of Tokenization in Authentication

Tokens provide crucial access rights in web applications. Much like a boarding pass for a spaceship, tokens confirm your identity and privileges. They are essential for making web apps efficient and secure. Tokens can be compared to VIP passes at concerts; present it once and you're granted widespread access!

Creating Tokens Manually

Sure thing! Manual token creation doesn't necessitate any third-party modules. We can use built-in JavaScript methods to construct tokens manually. We'll piece together random values to create unique token-like strings.

While these are not cryptographically secure tokens like our previous examples, they do give elementary understanding on how to create unique identifiers manually.

JavaScript
1// We define a function to generate token 2function generateToken(length) { 3 let token = ''; // Initialize an empty string for the token 4 // Define the set of possible characters in the token 5 let charSet = 'ABCDEFGHIJKLMNOPQRSTUVWXYZabcdefghijklmnopqrstuvwxyz0123456789'; 6 7 // Loop once for each character in the token length 8 for (let i = 0; i < length; i++) { 9 // randomly choose an index from the character set 10 let randomPoz = Math.floor(Math.random() * charSet.length); 11 // append that character to our token string 12 token += charSet.substring(randomPoz, randomPoz+1); 13 } 14 15 // return the generated token 16 return token; 17} 18 19// Now, let's generate a 32-character long random string 20console.log(generateToken(32)); // prints out a random 32-character long string

In this function, we create a token by choosing a random character from charSet for length times. The generated strings are likely to be unique, but unlike cryptographically-secure tokens, they have a non-zero chance of being guessed or duplicated through numerous attempts.

This is a basic demonstration of how tokens can be created, highlighting the concept and mechanics behind tokens. However, for actual token creation in secure applications, it’s vital to use cryptographically secure methods. Continue your journey, explorer! Every step takes you closer to mastering Authentication and Authorization!

Storing Tokens and Passing via Request Authorization Header

Upon generating a token, we store it client-side, typically in the localStorage of the browser:

JavaScript
1let token = generateToken(32); 2localStorage.setItem('authToken', token); // stores the generated token in localStorage as 'authToken'

Once the token is stored, we send it with each server request. As an illustration, we include it in the 'Authorization' header of our request using axios:

JavaScript
1import axios from 'axios'; 2 3async function fetchData() { 4 let token = localStorage.getItem('authToken'); 5 let response = await axios.get('/api/endpoint', { 6 headers: { Authorization: 'Bearer ' + token } 7 }); 8 console.log(response.data); // print response data 9}
Securing Future Trips: User Authentication for Subsequent Requests

The brilliance of tokenization goes beyond just one use. Once a token is created and stored, it isn't just used once and then discarded. It can be reused to confirm the user's identity in subsequent requests, like an all-access VIP badge. This is a huge part of the efficiency and security tokens bring to the table.

In real life, consider a prestigious gala event. When you arrive, you show your special VIP pass to the security at the entrance. They validate your pass—maybe by checking a list of VIP pass numbers—and let you in. When you leave and come back later, you show the same pass. As long as it's valid, you're welcomed back into the event without needing to complete the full check-in process again.

Tokens work the same way in web applications. For each subsequent request after logging in, the client sends the token, not the user's credentials, to the server. The server checks if the token is valid (maybe it expired, or maybe it was revoked) and if it is, the server processes the request.

Let's look at an example of this process. Say we have a logged-in user who wants to update their profile on a social network site. Here's how it might look in code:

JavaScript
1const axios = require('axios'); 2 3async function updateUserProfile(newProfileData) { 4 // First, we retrieve the token from localStorage 5 let token = localStorage.getItem('authToken'); 6 7 // Next, we create the header for our request 8 let config = { 9 headers: { 10 Authorization: 'Bearer ' + token 11 } 12 }; 13 14 // Finally, we send the POST request to the server with our new profile data 15 let response = await axios.put('/api/profile', newProfileData, config); 16 17 // If the response is successful, we console the new data. 18 if(response.status === 200) { 19 console.log(response.data); // prints the updated user data 20 } else { 21 console.log('An error occurred while updating the profile!'); 22 } 23}

In this example, we use the token stored in localStorage to authenticate the request to the server. We don't need to send the user's username and password again, just the token which we include in the 'Authorization' header. When the server receives this request, it checks that the token is valid and, if it is, updates the user's profile. Isn't it cool how secure yet efficient tokenization is? 🚀

Journey on the Other Side: Server-side Authentication with Tokens

Great insight! To complete our journey, we need to look at how the server handles the token in the incoming requests.

The server, upon receiving the request, extracts the token from the 'Authorization' header. It then validates this token, confirming it was issued by the server and hasn't expired. Based on the result of the validation, the server either processes the request or returns an error response.

To showcase this workflow, let's consider a simple express app that uses a rudimentary method for validating tokens. In real-world applications, token validation would involve much more sophisticated methods.

JavaScript
1let tokenStore = ['existing_token_1', 'existing_token_2']; // Here's an example of a rudimentary token store 2 3// Here we define an endpoint to update the user profile 4app.put('/api/profile', (req, res) => { 5 // Extract the token from the request header 6 let token = req.headers.authorization.split(' ')[1]; 7 8 if (!token) { 9 return res.status(401).send('No token provided!'); 10 } 11 12 if (!tokenStore.includes(token)) { 13 return res.status(401).send('Invalid token!'); 14 } 15 16 // If the token is valid, update the user profile 17 // For simplicity, we're just logging the new profile data 18 console.log(req.body); 19 res.send('Profile successfully updated!'); 20});

In this code, we extract the token from the 'Authorization' header and check if it exists in our rudimentary token store. If the token is not in the store, we return a '401 Unauthorized' response. If the token is valid, we go on to update the profile. As you see, token validation is pivotal for the server to distinguish between authorized and unauthorized requests. Keep going, buddy! The stars of Authentication and Authorization are just around the corner! 💫

Now it’s Your Turn: Lesson Summary and Next Steps

Great job! You now understand the importance of tokens, as well as how to create them manually, store them client-side, and pass them using axios. With the upcoming practice exercises, you will have the opportunity to further refine these skills. Get ready to excel in the cosmos of Authentication and Authorization!

Enjoy this lesson? Now it's time to practice with Cosmo!
Practice is how you turn knowledge into actual skills.