3 回答
TA贡献1998条经验 获得超6个赞
假设#nnnn;序列是普通的旧 Unicode 字符表示,我建议采用以下方法。
class Cvt {
static String convert(String in) {
String str = in;
int curPos = 0;
while (curPos < str.length()) {
int j = str.indexOf("#x", curPos);
if (j < 0) // no more #x
curPos = str.length();
else {
int k = str.indexOf(';', curPos + 2);
if (k < 0) // unterminated #x
curPos = str.length();
else { // convert #xNNNN;
int n = Integer.parseInt(str.substring(j+2, k), 16);
char[] ch = { (char)n };
str = str.substring(0, j) + new String(ch) + str.substring(k+1);
curPos = j + 1; // after ch
}
}
}
return str;
}
static public void main(String... args) {
String doc = "#xC1;o thun b#xE9; g#xE1;i c#x1ED9;t d#xE2;y xanh bi#x1EC3;n";
System.out.println(convert(doc));
}
}
这与之前答案的方法非常相似,除了假设字符是 Unicode 代码点而不是 8859-1 代码点。
输出是
女婴蓝色领带 T 恤
TA贡献1836条经验 获得超3个赞
在这种情况下,代码确实会掩盖需求。要求有点不确定,但似乎是对类似于 HTML 和 XML 的专用 Unicode 字符实体引用进行解码,如评论中所述。
正则表达式引擎的优势超过理解模式语言所需的任何学习的情况也很少见。
String input = "#xC1;o thun b#xE9; g#xE1;i c#x1ED9;t d#xE2;y xanh bi#x1EC3;n";
// Hex digits between "#x" and ";" are a Unicode codepoint value
String text = java.util.regex.Pattern.compile("(#x([0-9A-Fa-f]+);)")
.matcher(input)
// group 2 is the matched input between the 2nd ( in the pattern and its paired )
.replaceAll(x -> new String(Character.toChars(Integer.parseInt(x.group(2), 16))));
System.out.println(text);
匹配器函数查找候选字符串以替换与模式匹配的字符串。replaceAll 函数将它们替换为计算出的 Unicode 代码点。由于 Unicode 代码点可能被编码为两个char(UTF-16) 值,因此所需的替换字符串必须从char[].
TA贡献1886条经验 获得超2个赞
Java 中的字符串没有十六进制语法。如果您需要支持该字符串格式,我会制作一个辅助函数来解析该格式并构建一个字节数组,然后将其解析为 ISO-8859-1。
import java.io.ByteArrayOutputStream;
public class translate {
private static byte[] parseBytesWithHexLiterals(String s) throws Exception {
final ByteArrayOutputStream baos = new ByteArrayOutputStream();
while (!s.isEmpty()) {
if (s.startsWith("#x")) {
s = s.substring(2);
while (s.charAt(0) != ';') {
int i = Integer.parseInt(s.substring(0, 2), 16);
baos.write(i);
s = s.substring(2);
}
} else {
baos.write(s.substring(0, 1).getBytes("US-ASCII")[0]);
}
s = s.substring(1);
}
return baos.toByteArray();
}
public static void main(String[] args) throws Exception {
String doc = "#xC1;o thun b#xE9; g#xE1;i c#x1ED9;t d#xE2;y xanh bi#x1EC3;n";
byte[] parsedAsISO88591 = parseBytesWithHexLiterals(doc);
doc = new String(parsedAsISO88591, "ISO-8859-1");
System.out.println(doc); // Print out the string, which is in Unicode internally.
byte[] asUTF8 = doc.getBytes("UTF-8"); // Get a UTF-8 version of the string.
}
}
添加回答
举报