字符串加密工作,byte []数组类型的加密不起作用

时间:2012-05-12 10:29:52

标签: java arrays encryption aes

我正在使用以下LINK进行加密,并使用Strings进行了尝试,但它确实有效。但是,由于我正在处理图像,我需要使用字节数组进行加密/解密过程。所以我将该链接中的代码修改为以下内容:

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;
    }

并且检查员类是:

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 个答案:

答案 0 :(得分:6)

  

但我的输出是:

Plain Text : [B@1b10d42
Encrypted Text : [B@dd87b2
Decrypted Text : [B@1f7d134

那是因为你打印出在字节数组上调用toString()的结果。除了参考标识的建议之外,这不会向你展示任何有用的东西。

您应该只是将明文数据与字节的解密数据字节进行比较(您可以使用Arrays.equals(byte[], byte[])进行比较),或者如果您确实要显示内容,请打印出hex或base64表示。 [Arrays.toString(byte\[\])][2]将为您提供 表示,但十六进制可能更容易阅读。第三方库中有大量的十六进制格式化类,或者您可以在Stack Overflow上找到一个方法。

答案 1 :(得分:6)

您所看到的是数组的toString()方法的结果。它不是字节数组的内容。使用java.util.Arrays.toString(array)显示数组的内容。

[B是类型(字节数组),1b10d42是数组的hashCode。

答案 2 :(得分:2)

我知道为时已晚,但我正在分享我的答案。在这里,我使用了您的代码进行了一些修改。尝试使用以下checker类来加密和解密字节数组。

Checker类:​​

public class Checker {

    public static void main(String[] args) throws Exception {

        byte[] array = "going to encrypt".getBytes();
        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 : " + new String(arrayDec));
    }
}