Caused by: javax.crypto.IllegalBlockSizeException: Input length must be multiple of 8 when decrypting with padded cipher
时间: 2023-11-25 19:51:19 浏览: 210
Caused by: java.lang.ClassNotFoundException: org.apache.commons.collections.Transformer异常
5星 · 资源好评率100%
这个异常是因为在使用填充密码时,解密的输入长度必须是块大小的倍数。块大小是加密算法使用的固定大小的数据块。在AES算法中,块大小为16字节(128位)。因此,如果解密的输入长度不是16的倍数,则会出现此异常。
解决此问题的方法是在加密时使用填充来确保输入长度是块大小的倍数。常用的填充方案包括PKCS5Padding和PKCS7Padding。在Java中,可以使用javax.crypto.Cipher类来进行加密和解密,并使用javax.crypto.spec.IvParameterSpec类来指定初始化向量。
以下是一个使用AES算法进行加密和解密的示例代码:
```java
import javax.crypto.Cipher;
import javax.crypto.spec.IvParameterSpec;
import javax.crypto.spec.SecretKeySpec;
import java.util.Base64;
public class AESUtils {
private static final String ALGORITHM = "AES/CBC/PKCS5Padding";
private static final String CHARSET = "UTF-8";
public static String encrypt(String data, String key, String iv) throws Exception {
Cipher cipher = Cipher.getInstance(ALGORITHM);
SecretKeySpec keySpec = new SecretKeySpec(key.getBytes(CHARSET), "AES");
IvParameterSpec ivSpec = new IvParameterSpec(iv.getBytes(CHARSET));
cipher.init(Cipher.ENCRYPT_MODE, keySpec, ivSpec);
byte[] encrypted = cipher.doFinal(data.getBytes(CHARSET));
return Base64.getEncoder().encodeToString(encrypted);
}
public static String decrypt(String data, String key, String iv) throws Exception {
Cipher cipher = Cipher.getInstance(ALGORITHM);
SecretKeySpec keySpec = new SecretKeySpec(key.getBytes(CHARSET), "AES");
IvParameterSpec ivSpec = new IvParameterSpec(iv.getBytes(CHARSET));
cipher.init(Cipher.DECRYPT_MODE, keySpec, ivSpec);
byte[] decrypted = cipher.doFinal(Base64.getDecoder().decode(data));
return new String(decrypted, CHARSET);
}
}
```
阅读全文