51

出于记录目的,我们将日志转换为字节数组,然后转换为十六进制字符串。我想用 Java 字符串取回它,但我做不到。

日志文件中的十六进制字符串看起来像

fd00000aa8660b5b010006acdc0100000101000100010000

我该如何解码?

4

6 回答 6

67

Hex在 Apache Commons 中使用:

String hexString = "fd00000aa8660b5b010006acdc0100000101000100010000";    
byte[] bytes = Hex.decodeHex(hexString.toCharArray());
System.out.println(new String(bytes, "UTF-8"));
于 2012-12-21T13:30:13.307 回答
34
byte[] bytes = javax.xml.bind.DatatypeConverter.parseHexBinary(hexString);
String result= new String(bytes, encoding);
于 2015-02-19T15:53:44.083 回答
13

您可以从String (hex)byte arrayString as UTF-8(?)确保您的十六进制字符串没有前导空格和内容

public static byte[] hexStringToByteArray(String hex) {
    int l = hex.length();
    byte[] data = new byte[l / 2];
    for (int i = 0; i < l; i += 2) {
        data[i / 2] = (byte) ((Character.digit(hex.charAt(i), 16) << 4)
                + Character.digit(hex.charAt(i + 1), 16));
    }
    return data;
}

用法:

String b = "0xfd00000aa8660b5b010006acdc0100000101000100010000";
byte[] bytes = hexStringToByteArray(b);
String st = new String(bytes, StandardCharsets.UTF_8);
System.out.println(st);
于 2016-04-05T04:35:06.567 回答
10

首先读取数据,然后将其转换为字节数组:

 byte b = Byte.parseByte(str, 16); 

然后使用String构造函数:

new String(byte[] bytes) 

或者如果字符集不是系统默认值,那么:

new String(byte[] bytes, String charsetName) 
于 2012-12-21T13:21:14.027 回答
6

试试下面的代码:

public static byte[] decode(String hex){

        String[] list=hex.split("(?<=\\G.{2})");
        ByteBuffer buffer= ByteBuffer.allocate(list.length);
        System.out.println(list.length);
        for(String str: list)
            buffer.put(Byte.parseByte(str,16));

        return buffer.array();

}

要转换为字符串,只需使用解码方法返回的 byte[] 创建一个新字符串。

于 2015-02-02T06:16:20.153 回答
5

将十六进制字符串转换为 java 字符串的另一种方法:

public static String unHex(String arg) {        

    String str = "";
    for(int i=0;i<arg.length();i+=2)
    {
        String s = arg.substring(i, (i + 2));
        int decimal = Integer.parseInt(s, 16);
        str = str + (char) decimal;
    }       
    return str;
}
于 2016-04-01T13:35:01.253 回答