不要使用getBytes()
. 它与解码十六进制值无关。
getBytes()使用底层系统的默认字符集为字符串中的每个字符返回一个或多个字节。 该字符集几乎可以肯定是 UTF-8 或 windows-125x,这意味着您的字符串中的所有字符都将有一个相应的字节,因为这些字符集将字符转换为字节和从字节转换。
因此,您的字节数组将具有这样的值,这绝对不是您想要的:
{
56, // codepoint for the '8' character
48, // codepoint for the '0' character
56, // codepoint for the '8' character
50, // codepoint for the '2' character
48, // codepoint for the '0' character
52, // codepoint for the '4' character
69, // codepoint for the 'E' character
// etc.
}
“Hex”是十六进制或base 16 的缩写。在base 16 中,两位数字代表一个字节值——即从0 到2⁸−1 的值。您需要将每两个数字解析为一个字节值。
虽然为此有第三方实用程序,但它非常简单,您最好手动执行它:
String s = "0x808204E039EFB76D96D3780BB507674";
// chop off "0x"
s = s.substring(2);
byte[] bytes = new BigInteger(s, 16).toByteArray();
现在,字节数组将具有与您的十六进制数字表示的字节相对应的值:
{
8, // 0x8
8, // 0x08
32, // 0x20
78, // 0x4E
3, // 0x03
-98, // 0x9E
// etc.
}