共计 2500 个字符,预计需要花费 7 分钟才能阅读完成。
当波及到 JavaScript 加密时,有多种加密算法和技术可供选择。上面我将列举一些常见的加密品种、它们的优缺点,并提供一些代码案例作为参考。
- 对称加密算法:对称加密算法应用雷同的密钥进行加密和解密。常见的对称加密算法包含 AES(Advanced Encryption Standard)和 DES(Data Encryption Standard)。
- 长处:对称加密算法速度快、加密解密过程简略。
- 毛病:密钥的散发和治理绝对艰难。
示例代码(应用 Node.js 的 Crypto 模块)
const crypto = require('crypto');
// 加密
function encryptSymmetric(text, key) {const cipher = crypto.createCipher('aes-256-cbc', key);
let encrypted = cipher.update(text, 'utf8', 'hex');
encrypted += cipher.final('hex');
return encrypted;
}
// 解密
function decryptSymmetric(encryptedText, key) {const decipher = crypto.createDecipher('aes-256-cbc', key);
let decrypted = decipher.update(encryptedText, 'hex', 'utf8');
decrypted += decipher.final('utf8');
return decrypted;
}
const plaintext = 'Hello, world!';
const key = 'a1b2c3d4e5f6g7h8'; // 密钥
const encryptedText = encryptSymmetric(plaintext, key);
const decryptedText = decryptSymmetric(encryptedText, key);
console.log('加密后:', encryptedText);
console.log('解密后:', decryptedText);
- 非对称加密算法:非对称加密算法应用公钥和私钥进行加密和解密。常见的非对称加密算法包含 RSA(Rivest-Shamir-Adleman)和 ECC(Elliptic Curve Cryptography)。
- 长处:密钥的散发和治理绝对简略,更平安。
- 毛病:加密和解密的速度绝对较慢。
示例代码(应用 Node.js 的 Crypto 模块和 OpenSSL):
const crypto = require('crypto');
const fs = require('fs');
// 生成密钥对
function generateKeyPair() {const { publicKey, privateKey} = crypto.generateKeyPairSync('rsa', {modulusLength: 2048,});
fs.writeFileSync('publicKey.pem', publicKey);
fs.writeFileSync('privateKey.pem', privateKey);
}
// 加密
function encryptAsymmetric(text, publicKeyPath) {const publicKey = fs.readFileSync(publicKeyPath, 'utf8');
const encryptedBuffer = crypto.publicEncrypt(publicKey, Buffer.from(text));
return encryptedBuffer.toString('base64');
}
// 解密
function decryptAsymmetric(encryptedText, privateKeyPath) {const privateKey = fs.readFileSync(privateKeyPath, 'utf8');
const decryptedBuffer = crypto.privateDecrypt(
{
key: privateKey,
passphrase: '', // 如果有明码,填写明码
},
Buffer.from(encryptedText, 'base64')
);
return decryptedBuffer.toString('utf8');
}
const plaintext = 'Hello, world!';
// 生成密钥对
generateKeyPair();
// 加密
const encryptedText = encryptAsymmetric(plaintext, 'publicKey.pem');
// 解密
const decryptedText = decryptAsymmetric(encryptedText, 'privateKey.pem');
console.log('加密后:', encryptedText);
console.log('解密后:', decryptedText);
- 哈希算法:哈希算法将输出数据转换为固定长度的散列值。常见的哈希算法包含 MD5、SHA-1、SHA-256。
- 长处:哈希算法是单向的,散列值难以逆向计算失去原始数据。
- 毛病:因为哈希算法是固定长度的,可能会存在散列抵触。
示例代码(应用 Node.js 的 Crypto 模块):
const crypto = require('crypto');
// 哈希
function hash(data) {const hash = crypto.createHash('sha256');
hash.update(data);
return hash.digest('hex');
}
const data = 'Hello, world!';
const hashedData = hash(data);
console.log('哈希值:', hashedData);
这些只是一些常见的加密算法和技术,JavaScript 还有其余加密库和工具能够用于更高级的加密需要。请依据您的具体需要抉择最适宜的加密形式。
正文完