pkcs1解密 springboot_Java 使用AES/CBC/PKCS7Padding 加解密字符串
时间: 2024-01-11 11:02:55 浏览: 135
好的,您想要了解如何在 Spring Boot 中使用 AES/CBC/PKCS7Padding 加解密字符串,我可以给您提供一些帮助。
首先,您需要使用 Java 中的 `javax.crypto` 包来进行加解密操作。以下是一个示例代码:
```java
import javax.crypto.Cipher;
import javax.crypto.spec.IvParameterSpec;
import javax.crypto.spec.SecretKeySpec;
import org.apache.tomcat.util.codec.binary.Base64;
public class AesUtil {
private static final String ENCODING = "UTF-8";
private static final String ALGORITHM = "AES";
private static final String TRANSFORMATION = "AES/CBC/PKCS7Padding";
private static final String IV = "0123456789abcdef";
public static String encrypt(String content, String key) throws Exception {
byte[] contentBytes = content.getBytes(ENCODING);
byte[] keyBytes = key.getBytes(ENCODING);
byte[] ivBytes = IV.getBytes(ENCODING);
SecretKeySpec secretKeySpec = new SecretKeySpec(keyBytes, ALGORITHM);
IvParameterSpec iv = new IvParameterSpec(ivBytes);
Cipher cipher = Cipher.getInstance(TRANSFORMATION);
cipher.init(Cipher.ENCRYPT_MODE, secretKeySpec, iv);
byte[] encryptedBytes = cipher.doFinal(contentBytes);
return Base64.encodeBase64String(encryptedBytes);
}
public static String decrypt(String content, String key) throws Exception {
byte[] contentBytes = Base64.decodeBase64(content);
byte[] keyBytes = key.getBytes(ENCODING);
byte[] ivBytes = IV.getBytes(ENCODING);
SecretKeySpec secretKeySpec = new SecretKeySpec(keyBytes, ALGORITHM);
IvParameterSpec iv = new IvParameterSpec(ivBytes);
Cipher cipher = Cipher.getInstance(TRANSFORMATION);
cipher.init(Cipher.DECRYPT_MODE, secretKeySpec, iv);
byte[] decryptedBytes = cipher.doFinal(contentBytes);
return new String(decryptedBytes, ENCODING);
}
}
```
在上面的代码中,我们使用 `Cipher` 类来进行加解密操作,其中 `TRANSFORMATION` 变量指定了加密算法的名称和填充方式。`encrypt` 方法接受要加密的字符串和密钥作为参数,并返回加密后的字符串。`decrypt` 方法接受要解密的字符串和密钥作为参数,并返回解密后的字符串。
请注意,为了确保加解密结果的一致性,必须使用相同的密钥和初始化向量(IV)进行加解密操作。在上面的代码中,我们使用了一个硬编码的 IV 值,但在实际应用中,应该使用一个随机生成的 IV 值,以增加加密的安全性。
希望这可以帮助您实现您的需求!
阅读全文