Encryption is a fundamental technique used to protect data from unauthorized access
In this blog post, we will learn how to use CryptoJS, a powerful JavaScript library, to encrypt and decrypt data using the AES-256 encryption algorithm.
Cryptography is the practice of securing information so that only authorized parties can access it. It protects data from hackers, ensures privacy, and is used in banking, messaging apps, online payments, and digital signatures.
AES (Advanced Encryption Standard) is a secure encryption method used to protect data. It works by converting readable data into scrambled text using a secret key. The same key is used to decrypt the data back into its original form.
The first and most crucial step in AES encryption is generating a strong secret key. The following function, generateSecretKey, creates a random 256-bit key to ensure robust security.
javascriptconst crypto = require("crypto");const genrateSecretKey = () => {const keyLength = 32; //// 32 bytes = 256 bits (AES-256)return crypto.randomBytes(keyLength).toString("hex");};const secretKey = genrateSecretKey();console.log("Generated Secret Key:",secretKey);
ā 256-bit strength ensures high security. ā Randomized output prevents predictability. ā Hex encoding makes storage and sharing easy.
powershellGenerated Secret Key: e9f3a8b62d4c89f7b10c3e9d58723a1f7d2b6a9c5e1f4d8c7b2e0f6a9c3d2b1e
Each time you run the script, you'll get a different 64-character hex string (because 32 bytes = 64 hex characters).
Your code securely encrypts an array of objects using AES-256-CBC encryption in Node.js. Let's break it down step by step.
javascriptconst crypto = require("crypto"); // Import Node.js crypto module// š Generate a secure 256-bit secret key (32 bytes = 256 bits)// The key is represented in hexadecimal (binary-to-text conversion for storage)const generateSecretKey = () => crypto.randomBytes(32).toString("hex");const secretKey = generateSecretKey(); // Generate a new random secret keyconsole.log("š Generated Secret Key:", secretKey);// š Sample user data to encryptconst data = [{ _id: "jhon", username: "DevX@123", password: "1200012" },{ _id: "jhon2", username: "DevX@1232", password: "12000122" },];/*** š AES-256-CBC Encryption Function** @param {Object} data - The data to encrypt (JSON object)* @param {string} secretKey - The secret key (256-bit hex string)* @returns {string} - The encrypted data as a hex-encoded string (IV + CipherText)*/const encryptData = (data, secretKey) => {const algorithm = "aes-256-cbc"; // AES algorithm with 256-bit key in CBC modeconst iv = crypto.randomBytes(16); // 16-byte IV (random for each encryption)// šļø Create AES cipher with secret key & IVconst cipher = crypto.createCipheriv(algorithm, Buffer.from(secretKey, "hex"), iv);// š Encrypt JSON Data (Convert UTF-8 text to hex format)let encrypted = cipher.update(JSON.stringify(data), "utf-8", "hex");encrypted += cipher.final("hex"); // Finalize encryption process// š·ļø Return the IV (for decryption) + Encrypted Data (Hex encoded)return iv.toString("hex") + ":" + encrypted;};// š Encrypt the user dataconst encryptedData = encryptData(data, secretKey);console.log("š”ļø Encrypted Data:", encryptedData);
javascriptš Generated Secret Key: 692d033ed7e582cb76704d6b02e5eb28411a00f7449bfda03a56103b1c0eb90fš”ļø Encrypted Data: 8704dc1e2da674be89589cc419b11855:603c3f867e34cd0afc94af9d7732527cc0d571179cec5a5 3c03758e1c770b25f664bf5ea57edd9ca337101baaac418fe2b29852e11b64f8b8faf4f94037238a360ba729b7fa1176a08eb8f9ea6eb201fe4f7149b61c054dafdf5742f967480005ffee35a85d36034a5b9f03fc0ad743597eb0042ef68cc6bc899717ed29da370
The encryption function uses several key concepts:
AES (Advanced Encryption Standard) is a symmetric encryption algorithm that encrypts data securely.
š Why AES-256-CBC?
ā Highly secure (used by governments & banks).
ā Requires a secret key + IV, making brute-force attacks difficult.
ā Ensures randomness with IV, preventing pattern attacks.
Your code uses UTF-8 and Hexadecimal (hex) encoding. Let's understand both.
š¹ Example:
javascriptconst text = "Hello";const buffer = Buffer.from(text, "utf-8");console.log(buffer);
š Output:
javascript<Buffer 48 65 6c 6c 6f>
Each character (H, e, l, l, o) is represented as a byte in memory.
š¹ Example:
javascriptconst hex = buffer.toString("hex");console.log(hex);
š Output:
javascript48656c6c6f
Each byte is converted into a 2-character hex code.
š Why use hex?
ā Makes binary data human-readable.
ā Prevents encoding issues (e.g., special characters breaking encryption).
š¹ What is IV?
An Initialization Vector (IV) is a random 16-byte value used in encryption. It makes sure that even if you encrypt the same data multiple times, the output (ciphertext) is different each time. This adds extra security and prevents patterns from forming in the encrypted data.
š¹ How does IV work?
š Example:
javascriptconst iv = crypto.randomBytes(16); // 16-byte IVconsole.log(iv.toString("hex"));
Each run will generate a different IV
Now that you've encrypted your data, let's implement decryption to restore the original JSON.
javascriptconst decryptData = (encryptedData, secretKey) => {const algorithm = "aes-256-cbc";// š·ļø Split IV and encrypted text (IV is required for decryption)const [ivHex, encryptedText] = encryptedData.split(":");// šļø Create AES decipher with the same secret key & IVconst decipher = crypto.createDecipheriv(algorithm,Buffer.from(secretKey, "hex"),Buffer.from(ivHex, "hex"));// š Decrypt data (Convert hex back to UTF-8 text)let decrypted = decipher.update(encryptedText, "hex", "utf-8");decrypted += decipher.final("utf-8"); // Finalize decryptionreturn JSON.parse(decrypted); // Convert string back to JSON};// š Decrypt the encrypted dataconst decryptedData = decryptData(encryptedData, secretKey);console.log("ā Decrypted Data:", decryptedData);
š Output
powershellā Decrypted Data: [{ _id: 'jhon', username: 'DevX@123', password: '1200012' },{ _id: 'jhon2', username: 'DevX@1232', password: '12000122' }]
š AES-256-CBC Encryption & Decryption (Final Code)
javascriptconst crypto = require("crypto"); // Import Node.js crypto module// š Generate a secure 256-bit secret key (32 bytes)const generateSecretKey = () => crypto.randomBytes(32).toString("hex");const secretKey = generateSecretKey(); // Generate a new random secret keyconsole.log("š Secret Key:", secretKey);// š Sample user data to encryptconst data = [{ _id: "john", username: "DevX@123", password: "1200012" },{ _id: "john2", username: "DevX@1232", password: "12000122" },];/*** š AES-256-CBC Encryption Function* @param {Object} data - Data to encrypt (JSON object)* @param {string} secretKey - 256-bit hex secret key* @returns {string} - IV + Encrypted data (hex encoded)*/const encryptData = (data, secretKey) => {const algorithm = "aes-256-cbc"; // AES algorithmconst iv = crypto.randomBytes(16); // 16-byte IV for randomness// šļø Create AES cipherconst cipher = crypto.createCipheriv(algorithm, Buffer.from(secretKey, "hex"), iv);// š Encrypt JSON data (Convert UTF-8 to hex)let encrypted = cipher.update(JSON.stringify(data), "utf-8", "hex");encrypted += cipher.final("hex");// š·ļø Return IV + Encrypted Data (Both in hex format)return iv.toString("hex") + ":" + encrypted;};/*** š AES-256-CBC Decryption Function* @param {string} encryptedData - Encrypted data string (IV + CipherText)* @param {string} secretKey - 256-bit hex secret key* @returns {Object} - Decrypted original data (JSON object)*/const decryptData = (encryptedData, secretKey) => {const algorithm = "aes-256-cbc";// š·ļø Extract IV and encrypted text (IV is required for decryption)const [ivHex, encryptedText] = encryptedData.split(":");// šļø Create AES decipherconst decipher = crypto.createDecipheriv(algorithm,Buffer.from(secretKey, "hex"),Buffer.from(ivHex, "hex"));// š Decrypt data (Convert hex back to UTF-8)let decrypted = decipher.update(encryptedText, "hex", "utf-8");decrypted += decipher.final("utf-8");return JSON.parse(decrypted); // Convert string back to JSON};// š Encrypt the user dataconst encryptedData = encryptData(data, secretKey);console.log("š”ļø Encrypted Data:", encryptedData);// š Decrypt the encrypted dataconst decryptedData = decryptData(encryptedData, secretKey);console.log("ā Decrypted Data:", decryptedData);
š Output
javascriptš Secret Key: 692d033ed7e582cb76704d6b02e5eb28411a00f7449bfda03a56103b1c0eb90fš”ļø Encrypted Data: 8704dc1e2da674be89589cc419b11855:603c3f867e34cd0afc94af9d7732527c...ā Decrypted Data: [{ _id: "john", username: "DevX@123", password: "1200012" },{ _id: "john2", username: "DevX@1232", password: "12000122" }]
plain text1b2d4a5f9c44a6b3e3f7a15d78c1e9b2e9b8c4d7a8a2f7e9d4b2a8c3d1f0e9c
ā Use a unique IV for every encryption (never reuse IVs).
ā Store the secret key securely (Environment Variables, Vaults, etc.).
ā IV is NOT secret (It must be included with ciphertext).
ā CBC mode prevents identical plaintext from having identical ciphertext (more secure than ECB)
Thank you for taking the time to read this blog! š I hope you found it useful in understanding AES encryption and decryption in Node.js.
š Stay secure, keep coding, and happy encrypting! š