5

我正在使用以下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

所以解密后的文本和纯文本是不一样的。知道我尝试了原始链接中的示例并且它与字符串一起使用,我应该怎么做才能解决这个问题?

4

3 回答 3

8

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

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

于 2012-05-12T10:33:11.637 回答
8

但是我的输出是:

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

那是因为您正在打印调用toString()字节数组的结果。除了参考身份的建议之外,这不会向您显示任何有用的信息。

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

于 2012-05-12T10:32:02.243 回答
2

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

检查类:

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));
    }
}
于 2014-01-14T18:30:27.903 回答