java aes初始向量,加密AES-256和初始化向量
时间: 2023-12-17 20:03:33 浏览: 346
AES是一种对称加密算法,使用相同的密钥进行加密和解密。在AES加密中,初始向量(IV)是一个随机生成的值,用于增加加密强度并避免相同明文产生相同的密文。
在Java中使用AES加密并设置初始向量的示例代码如下:
```java
import javax.crypto.Cipher;
import javax.crypto.spec.IvParameterSpec;
import javax.crypto.spec.SecretKeySpec;
import java.nio.charset.StandardCharsets;
import java.util.Base64;
public class AesExample {
public static void main(String[] args) throws Exception {
String key = "0123456789abcdef0123456789abcdef"; // 256位密钥
String iv = "0123456789abcdef"; // 128位初始向量
String plaintext = "Hello, AES!";
byte[] encrypted = encrypt(plaintext, key, iv);
String decrypted = decrypt(encrypted, key, iv);
System.out.println("Original: " + plaintext);
System.out.println("Encrypted: " + Base64.getEncoder().encodeToString(encrypted));
System.out.println("Decrypted: " + decrypted);
}
public static byte[] encrypt(String plaintext, String key, String iv) throws Exception {
Cipher cipher = Cipher.getInstance("AES/CBC/PKCS5Padding");
SecretKeySpec secretKey = new SecretKeySpec(key.getBytes(StandardCharsets.UTF_8), "AES");
IvParameterSpec ivParameterSpec = new IvParameterSpec(iv.getBytes(StandardCharsets.UTF_8));
cipher.init(Cipher.ENCRYPT_MODE, secretKey, ivParameterSpec);
return cipher.doFinal(plaintext.getBytes(StandardCharsets.UTF_8));
}
public static String decrypt(byte[] ciphertext, String key, String iv) throws Exception {
Cipher cipher = Cipher.getInstance("AES/CBC/PKCS5Padding");
SecretKeySpec secretKey = new SecretKeySpec(key.getBytes(StandardCharsets.UTF_8), "AES");
IvParameterSpec ivParameterSpec = new IvParameterSpec(iv.getBytes(StandardCharsets.UTF_8));
cipher.init(Cipher.DECRYPT_MODE, secretKey, ivParameterSpec);
byte[] decrypted = cipher.doFinal(ciphertext);
return new String(decrypted, StandardCharsets.UTF_8);
}
}
```
在上述示例代码中,我们使用了AES-256加密算法(密钥长度为256位),初始向量的长度为128位。你可以根据需要修改密钥和初始向量的值。请注意,密钥和初始向量的长度需要符合AES算法规范。
希望以上代码对你有所帮助!如有更多问题,请随时提问。
阅读全文