帮我用Java写一个AES加密解密的代码,输入密钥和明文生成密文,输入密钥和密文生成明文
时间: 2024-04-30 22:22:23 浏览: 169
以下是一个基本的Java代码示例,它使用AES对给定的明文进行加密和解密:
```java
import javax.crypto.Cipher;
import javax.crypto.spec.SecretKeySpec;
import java.util.Base64;
public class AESUtil {
private static final String KEY = "mySecretKey12345"; // 128 bit key
public static String encrypt(String plainText) throws Exception {
SecretKeySpec secretKey = new SecretKeySpec(KEY.getBytes(), "AES");
Cipher cipher = Cipher.getInstance("AES");
cipher.init(Cipher.ENCRYPT_MODE, secretKey);
byte[] encryptedBytes = cipher.doFinal(plainText.getBytes());
return Base64.getEncoder().encodeToString(encryptedBytes);
}
public static String decrypt(String encryptedText) throws Exception {
SecretKeySpec secretKey = new SecretKeySpec(KEY.getBytes(), "AES");
Cipher cipher = Cipher.getInstance("AES");
cipher.init(Cipher.DECRYPT_MODE, secretKey);
byte[] encryptedBytes = Base64.getDecoder().decode(encryptedText);
byte[] decryptedBytes = cipher.doFinal(encryptedBytes);
return new String(decryptedBytes);
}
public static void main(String[] args) throws Exception {
String plainText = "Hello World!";
String encryptedText = encrypt(plainText);
String decryptedText = decrypt(encryptedText);
System.out.println("Plain Text: " + plainText);
System.out.println("Encrypted Text: " + encryptedText);
System.out.println("Decrypted Text: " + decryptedText);
}
}
```
在上面的代码中,我们使用AES算法和Base64编码将给定的明文加密为密文,并将其解密回明文。要使用不同的密钥,请替换`KEY`变量中的内容。请注意,此代码示例是为了便于理解而简化的,它不包括任何错误处理或安全性检查。
阅读全文