AES加密可以输出任意长度的字节流,这意味着它可以加密任意字符。然而,由于加密结果是字节流,所以需要将其转换为可读的字符串表示形式。
在大多数情况下,我们将使用Base64编码将字节流转换为字符串。下面是一个使用Java实现的示例代码:
import javax.crypto.Cipher;
import javax.crypto.KeyGenerator;
import javax.crypto.SecretKey;
import java.nio.charset.StandardCharsets;
import java.util.Base64;
public class AesExample {
public static void main(String[] args) throws Exception {
String plaintext = "Hello, AES!";
String key = "0123456789abcdef"; // 128-bit key represented as a hex string
byte[] encryptedBytes = encrypt(plaintext, key);
String encryptedText = Base64.getEncoder().encodeToString(encryptedBytes);
System.out.println("Encrypted text: " + encryptedText);
byte[] decryptedBytes = decrypt(encryptedBytes, key);
String decryptedText = new String(decryptedBytes, StandardCharsets.UTF_8);
System.out.println("Decrypted text: " + decryptedText);
}
public static byte[] encrypt(String plaintext, String key) throws Exception {
SecretKey secretKey = generateKey(key);
Cipher cipher = Cipher.getInstance("AES");
cipher.init(Cipher.ENCRYPT_MODE, secretKey);
return cipher.doFinal(plaintext.getBytes(StandardCharsets.UTF_8));
}
public static byte[] decrypt(byte[] encryptedBytes, String key) throws Exception {
SecretKey secretKey = generateKey(key);
Cipher cipher = Cipher.getInstance("AES");
cipher.init(Cipher.DECRYPT_MODE, secretKey);
return cipher.doFinal(encryptedBytes);
}
public static SecretKey generateKey(String key) throws Exception {
KeyGenerator keyGenerator = KeyGenerator.getInstance("AES");
keyGenerator.init(128); // 128-bit key
return keyGenerator.generateKey();
}
}
这个示例使用128位的AES密钥,将明文字符串加密为字节流,然后通过Base64编码转换为可读的字符串。解密过程相反,将Base64编码后的字符串解码为字节流,然后使用相同的密钥进行解密。
注意:在实际应用中,需要使用更安全的方式来存储和传输密钥,例如使用密钥管理服务(KMS)或安全的密钥交换协议。此示例中的密钥是硬编码的,仅用于演示目的。