前端使用CryptoJS的AES CTR模式进行加密,后端使用java的AES/CTR/NoPadding进行解密,写出代码
时间: 2024-03-27 21:39:06 浏览: 306
好的,以下是前端使用CryptoJS的AES CTR模式进行加密,后端使用Java的AES/CTR/NoPadding进行解密的代码示例:
前端加密代码(使用CryptoJS):
```javascript
// 密钥(需要与后端一致)
const key = CryptoJS.enc.Utf8.parse('1234567890123456');
// 偏移量(需要与后端一致)
const iv = CryptoJS.enc.Utf8.parse('abcdef0123456789');
// 加密方法
function encrypt(word) {
const srcs = CryptoJS.enc.Utf8.parse(word);
const encrypted = CryptoJS.AES.encrypt(srcs, key, {
iv,
mode: CryptoJS.mode.CTR,
padding: CryptoJS.pad.NoPadding
});
return encrypted.toString();
}
// 调用加密方法
const encryptedData = encrypt('hello world');
console.log(encryptedData);
```
后端解密代码(使用Java):
```java
import javax.crypto.Cipher;
import javax.crypto.spec.IvParameterSpec;
import javax.crypto.spec.SecretKeySpec;
public class AesUtil {
// 密钥(需要与前端一致)
private static final String KEY = "1234567890123456";
// 偏移量(需要与前端一致)
private static final String IV = "abcdef0123456789";
/**
* AES解密
* @param content 待解密内容
* @param key 密钥
* @param iv 偏移量
* @return
*/
public static String decrypt(String content, String key, String iv) {
try {
SecretKeySpec skeySpec = new SecretKeySpec(key.getBytes("UTF-8"), "AES");
Cipher cipher = Cipher.getInstance("AES/CTR/NoPadding");
IvParameterSpec ivParam = new IvParameterSpec(iv.getBytes("UTF-8"));
cipher.init(Cipher.DECRYPT_MODE, skeySpec, ivParam);
byte[] encryptedBytes = hex2byte(content);
byte[] original = cipher.doFinal(encryptedBytes);
return new String(original, "UTF-8");
} catch (Exception ex) {
ex.printStackTrace();
return null;
}
}
/**
* 16进制字符串转字节数组
* @param hex
* @return
*/
public static byte[] hex2byte(String hex) {
byte[] bytes = new byte[hex.length() / 2];
for (int i = 0; i < bytes.length; i++) {
String subStr = hex.substring(i * 2, i * 2 + 2);
boolean isNegative = false;
int num = Integer.parseInt(subStr, 16);
if (num > 127) {
isNegative = true;
}
if (isNegative) {
bytes[i] = (byte) (num - 256);
} else {
bytes[i] = (byte) num;
}
}
return bytes;
}
public static void main(String[] args) {
// 调用解密方法
String encryptedData = "4e9ce7c1b7259a";
String decryptedData = decrypt(encryptedData, KEY, IV);
System.out.println(decryptedData);
}
}
```
请注意,Java的AES/CTR/NoPadding需要使用16字节的密钥和偏移量,而CryptoJS的AES CTR模式需要使用32字节的密钥和16字节的偏移量。因此,在示例代码中,我们使用CryptoJS.enc.Utf8.parse方法将字符串转换为字节数组。在实际使用中,您需要根据自己的需求调整密钥和偏移量。
阅读全文