提供的代码不能用 java.security.NoSuchAlgorithmException: Cannot find any provider supporting AES/ECB/ZeroPadding at javax.crypto.Cipher.getInstance(Cipher.java:539) at com.sxd.iec.util.AESUtils.encrypt(AESUtils.java:14) at com.sxd.iec.util.AESUtils.main(AESUtils.java:51)
时间: 2023-10-27 08:04:45 浏览: 363
jce_policy-8.AES加密版本.zip
对不起,我之前提供的代码有误。AES/ECB/ZeroPadding是不被标准Java加密提供程序支持的一个加密算法。在Java标准库中,只支持PKCS5Padding作为填充模式。
以下是修正后的代码示例,使用AES/ECB/PKCS5Padding算法:
```java
import javax.crypto.Cipher;
import javax.crypto.spec.SecretKeySpec;
import java.util.Base64;
public class AESUtil {
private static final String ALGORITHM = "AES";
private static final String TRANSFORMATION = "AES/ECB/PKCS5Padding";
public static String encrypt(String plainText, String key) throws Exception {
SecretKeySpec secretKeySpec = new SecretKeySpec(key.getBytes(), ALGORITHM);
Cipher cipher = Cipher.getInstance(TRANSFORMATION);
cipher.init(Cipher.ENCRYPT_MODE, secretKeySpec);
byte[] encryptedBytes = cipher.doFinal(plainText.getBytes());
return Base64.getEncoder().encodeToString(encryptedBytes);
}
public static String decrypt(String encryptedText, String key) throws Exception {
SecretKeySpec secretKeySpec = new SecretKeySpec(key.getBytes(), ALGORITHM);
Cipher cipher = Cipher.getInstance(TRANSFORMATION);
cipher.init(Cipher.DECRYPT_MODE, secretKeySpec);
byte[] encryptedBytes = Base64.getDecoder().decode(encryptedText);
byte[] decryptedBytes = cipher.doFinal(encryptedBytes);
return new String(decryptedBytes);
}
public static void main(String[] args) {
try {
String plainText = "Hello, World!";
String key = "ThisIsASecretKey"; // 密钥长度必须是16、24或32字节
String encryptedText = encrypt(plainText, key);
System.out.println("Encrypted Text: " + encryptedText);
String decryptedText = decrypt(encryptedText, key);
System.out.println("Decrypted Text: " + decryptedText);
} catch (Exception e) {
e.printStackTrace();
}
}
}
```
请注意,此示例使用AES/ECB/PKCS5Padding算法进行加解密,密钥长度必须是16、24或32字节。在示例中,明文为"Hello, World!",密钥为"ThisIsASecretKey"。运行代码后,会输出加密后的密文和解密后的明文。如果仍然出现问题,请确保使用的Java版本支持AES加密算法。
阅读全文