我在Java中有一个字符串,其中包含正常字符下面的十六进制值。它看起来像这样:
String s = "Hello\xF6\xE4\xFC\xD6\xC4\xDC\xDF"
我想要的是将十六进制值转换为它们代表的字符,所以它看起来像这样:
"HelloöäüÖÄÜß"
有没有办法用它们代表的实际字符替换所有十六进制值?
我可以用这个来实现我想要的东西,但是我必须为每个角色做一行,它不包括不可接受的字符:
indexRequest = indexRequest.replace("\\xF6", "ö");
indexRequest = indexRequest.replace("\\xE4", "ä");
indexRequest = indexRequest.replace("\\xFC", "ü");
indexRequest = indexRequest.replace("\\xD6", "Ö");
indexRequest = indexRequest.replace("\\xC4", "Ä");
indexRequest = indexRequest.replace("\\xDC", "Ü");
indexRequest = indexRequest.replace("\\xDF", "ß");
public static void main(String[] args) {
String s = "Hello\\xF6\\xE4\\xFC\\xD6\\xC4\\xDC\\xDF\\xFF ";
StringBuffer sb = new StringBuffer();
Pattern p = Pattern.compile("\\\\x[0-9A-F]+");
Matcher m = p.matcher(s);
while(m.find()){
String hex = m.group(); //find hex values
int num = Integer.parseInt(hex.replace("\\x", ""), 16); //parse to int
char bin = (char)num; // cast int to char
m.appendReplacement(sb, bin+""); // replace hex with char
}
m.appendTail(sb);
System.out.println(sb.toString());
}
我会循环遍历每个字符以找到'\'而不是跳过一个字符并开始使用接下来的两个字符的方法。而不仅仅是使用Michael Berry的代码:qazxsw poi
您可以使用正则表达式Convert a String of Hex into ASCII in Java来识别字符串中的所有十六进制代码,使用[xX][0-9a-fA-F]+
将它们转换为相应的字符并将其替换为字符串。下面是它的示例代码
Integer.parseInt(matcher.group().substring(1), 16)
}
我已经使用你的字符串测试了这个正则表达式模式。如果您有其他测试用例,那么您可能需要相应地更改正则表达式
首先,您的String不是String。使用以下其中一个:
import java.util.regex.Matcher;
import java.util.regex.Pattern;
public class HexToCharacter {
public static void main(String[] args) {
String s = "HelloxF6xE4xFCxD6xC4xDCxDF";
StringBuilder sb = new StringBuilder(s);
Pattern pattern = Pattern.compile("[xX][0-9a-fA-F]+");
Matcher matcher = pattern.matcher(s);
while(matcher.find()) {
int indexOfHexCode = sb.indexOf(matcher.group());
sb.replace(indexOfHexCode, indexOfHexCode+matcher.group().length(), Character.toString((char)Integer.parseInt(matcher.group().substring(1), 16)));
}
System.out.println(sb.toString());
}