0

我正在尝试以十六进制编码字符串,然后将其再次转换为字符串。为此,我使用的是 apache 通用编解码器。特别是我定义了以下方法:

import org.apache.commons.codec.DecoderException;
import org.apache.commons.codec.binary.Hex;
public String toHex(byte[] byteArray){

    return Hex.encodeHexString(byteArray);    

}

public byte[]  fromHex(String hexString){

    byte[] array = null;

    try {
        array = Hex.decodeHex(hexString.toCharArray());
    } catch (DecoderException ex) {
        Logger.getLogger(SecureHash.class.getName()).log(Level.SEVERE, null, ex);
    }

    return array;

}

奇怪的是,我在转换回来时没有得到相同的初始字符串。更奇怪的是,我得到的字节数组,与字符串的初始字节数组不同。我写的小测试程序如下:

    String uno = "uno";
    byte[] uno_bytes = uno.getBytes();

    System.out.println(uno);
    System.out.println(uno_bytes);

    toHex(uno_bytes);
    System.out.println(hexed);

    byte [] arr = fromHex(hexed);
    System.out.println(arr.toString());

输出示例如下:

uno            #initial string
[B@1afe17b     #byte array of the initial string
756e6f         #string representation of the hex 
[B@34d46a      #byte array of the recovered string

还有另一种奇怪的行为。字节数组([B@1afe17b)不是固定的,但与代码的运行不同,但我不明白为什么。

4

1 回答 1

1

打印字节数组时,toString()表示不包含数组的内容。相反,它包含一个类型指示符([B表示字节数组)和哈希码。对于两个不同的字节数组,哈希码会有所不同,即使它们包含相同的内容。请参阅Object.toString()Object.hashCode()了解更多信息。

相反,您可能想要比较数组是否相等,使用:

System.out.println("Arrays equal: " + Arrays.equals(uno_bytes, arr));
于 2013-11-11T13:39:31.603 回答