import java.security.Key;
import javax.crypto.Cipher;
import javax.crypto.spec.SecretKeySpec;
import sun.misc.BASE64Decoder;
import sun.misc.BASE64Encoder;
public class CryptoUtils {
private static final String AES = "AES";
// private static byte[] keyValue = new byte[] // OK
// { 'T', 'h', 'e', 'B', 'e', 's', 't', 'S', 'e', 'c', 'r', 'e', 't', 'K', 'e', 'y' };
private static byte[] keyValue = new byte[] // FAILS !!! WTF!
{ 'T', 'h', 'e', 'B', 'e', 's', 't', 'S', 'e', 'c', 'r', 'e', 't', 'K', 'e', 'z' };
public static String encrypt(String Data) throws Exception {
Key key = new SecretKeySpec(keyValue, AES);
Cipher c = Cipher.getInstance(AES);
c.init(Cipher.ENCRYPT_MODE, key);
byte[] encVal = c.doFinal(Data.getBytes());
return new BASE64Encoder().encode(encVal);
}
public static String decrypt(String encryptedData) throws Exception {
Key key = new SecretKeySpec(keyValue, AES);
Cipher c = Cipher.getInstance(AES);
c.init(Cipher.DECRYPT_MODE, key);
byte[] decordedValue = new BASE64Decoder().decodeBuffer(encryptedData);
byte[] decValue = c.doFinal(decordedValue);
return new String(decValue);
}
public static void main(String[] args) throws Exception {
System.out.println(CryptoUtils.encrypt("<PASSWORD>"));
System.out.println(CryptoUtils.decrypt("Z4i3ywGXil2QCfM6R8S5qw=="));
}
}
我使用密钥&#39; TheBestSecretKey&#39;运行此文件。并且很好。
我使用密钥&#39; TheBestSecretKez&#39;运行此文件。它打破了!
在后一种情况下,它给了我一个
Exception in thread "main" javax.crypto.BadPaddingException: Given final block not properly padded
在解密方法内。
我不明白。为什么它在一个案例中有效而在另一个案例中不起作用?
谢谢, 哈德
答案 0 :(得分:2)
它不会解决您的问题,但是如果没有包含模式和填充,则不应指定密码算法。原因在于它默认情况下不太安全,并且在规范中无法保证指示用于加密的转换(算法/模式/填充)将默认与用于解密的转换相同。有了安全性,最好是明确的。所以这个:
Cipher c = Cipher.getInstance(AES);
应该成为这个:
Cipher c = Cipher.getInstance("AES/CBC/PKCS5Padding");
你看到的任何地方。
Artjom B.指出的问题是你的解密硬编码主方法中的密文,使用不同的密钥将是不同的值。