我正在使用下面的链接进行加密,并尝试了字符串和它的工作。但是,由于我处理的是图像,所以需要对字节数组进行加密/解密。因此,我将链接中的代码修改为:
public class AESencrp {
private static final String ALGO = "AES";
private static final byte[] keyValue =
new byte[] { 'T', 'h', 'e', 'B', 'e', 's', 't',
'S', 'e', 'c', 'r','e', 't', 'K', 'e', 'y' };
public static byte[] encrypt(byte[] Data) throws Exception {
Key key = generateKey();
Cipher c = Cipher.getInstance(ALGO);
c.init(Cipher.ENCRYPT_MODE, key);
byte[] encVal = c.doFinal(Data);
//String encryptedValue = new BASE64Encoder().encode(encVal);
return encVal;
}
public static byte[] decrypt(byte[] encryptedData) throws Exception {
Key key = generateKey();
Cipher c = Cipher.getInstance(ALGO);
c.init(Cipher.DECRYPT_MODE, key);
byte[] decValue = c.doFinal(encryptedData);
return decValue;
}
private static Key generateKey() throws Exception {
Key key = new SecretKeySpec(keyValue, ALGO);
return key;
}
checker类是:
public class Checker {
public static void main(String[] args) throws Exception {
byte[] array = new byte[]{127,-128,0};
byte[] arrayEnc = AESencrp.encrypt(array);
byte[] arrayDec = AESencrp.decrypt(arrayEnc);
System.out.println("Plain Text : " + array);
System.out.println("Encrypted Text : " + arrayEnc);
System.out.println("Decrypted Text : " + arrayDec);
}
}
但是,我的输出是:
Plain Text : [B@1b10d42
Encrypted Text : [B@dd87b2
Decrypted Text : [B@1f7d134
所以解密的文本和纯文本不一样。如果知道我在原始链接中尝试了这个示例,并且它使用了字符串,我应该怎么做才能解决这个问题?
3条答案
按热度按时间q9rjltbz1#
您看到的是数组的tostring()方法的结果。它不是字节数组的内容。使用
java.util.Arrays.toString(array)
显示数组的内容。[B
是类型(字节数组),并且1b10d42
数组的哈希码。kiayqfof2#
但是,我的输出是:
那是因为你正在打印打电话的结果
toString()
在字节数组上。这不会给你任何有用的东西,除了一个参考身份的建议。您应该将明文数据与解密数据逐字节进行比较(您可以使用
Arrays.equals(byte[], byte[])
),或者如果确实要显示内容,请打印十六进制或base64表示形式。[Arrays.toString(byte\[\])][2]
会给你一个表示,但十六进制可能会更容易阅读。第三方库中有大量的十六进制格式类,或者您可以在堆栈溢出上找到一个方法。bvk5enib3#
我知道为时已晚,但我正在分享我的答案。在这里,我已经使用了一些修改你的代码。尝试下面的checker类来加密和解密字节数组。
检查器类: