我得到了HTML Javascript字符串,例如:
htmlString = "https\x3a\x2f\x2ftest.com"
但我想将其解码如下:
str = "https://test.com"
那就是说,我想要一个像这样的Util API:
public static String decodeHex(String htmlString){
// do decode and converter here
}
public static void main(String ...args){
String htmlString = "https\x3a\x2f\x2ftest.com";
String str = decodeHex(htmlString);
// str should be "https://test.com"
}
有人知道如何实现此API-decodeHex吗?
最佳答案
这应该足以让您入门。我将保留实施hexDecode
并整理格式错误的输入作为练习。
public String decode(String encoded) {
StringBuilder sb = new StringBuilder();
for (int i = 0; i < encoded.length(); i++) {
if (encoded.charAt(i) == '\' && (i + 3) < encoded.length() && encoded.charAt(i + 1) == 'x') {
sb.append(hexDecode(encoded.substring(i + 2, i + 4)));
i += 3;
} else {
sb.append(encoded.charAt(i));
}
}
return sb.toString;
}
关于java - 如何从十六进制编码的字符串解码为UTF-8字符串,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/23208998/