我正在从C#文件中读取一些二进制数据,还有需要正确解码的字符串。
例如,对于Windows-1251代码页,我没有任何问题,但是对于ISO6937,我的结果不正确-看起来C#忽略了two byte chars(accent + char)。
我正在使用这种方式从字节解码字符串:
Encoding.Convert(Encoding.GetEncoding("20269"), Encoding.UTF8, data)
例:
克拉科夫
字节[] = 4B 72 61 6B C2 6F 77
结果-克拉科夫
我做了一些研究,但是我只从MediaPortal at their GitHub中找到了一些代码,这些代码手动读取了两个字节的字符-这不是最好的方法。
我是在做错什么,还是Visual Studio错误? (如果它们不能正常工作,为什么他们赋予了对ISO6937进行编码的能力?)
最佳答案
编码的Wikipedia page确实暗示了潜在的问题。 Quote:“ ISO / IEC 6937不会对任何组合字符进行编码”。因此,.NET编码器正式执行标准所说的内容,实际上是没有用的。
与链接的GitHub代码相比,这可以做得更好,更简洁的方法是创建自己的Encoding类。几乎所有工作都可以委托给.NET编码,您只需拦截变音符号即可。这需要使用组合标记并将其与字母交换。像这样:
class ISO6937Encoding : Encoding {
private Encoding enc = Encoding.GetEncoding(20269);
public override int GetChars(byte[] bytes, int byteIndex, int byteCount, char[] chars, int charIndex) {
int cnt = enc.GetChars(bytes, byteIndex, byteCount, chars, charIndex);
for (int ix = 0; ix < byteCount; ix++, charIndex++) {
int bx = byteIndex + ix;
if (bytes[bx] >= 0xc1 && bytes[bx] <= 0xcf) {
if (charIndex == chars.Length - 1) chars[charIndex] = '?';
else {
const string subst = "\u0300\u0301\u0302\u0303\u0304\u0306\u0307\u0308?\u030a\u0337?\u030b\u0328\u030c";
chars[charIndex] = chars[charIndex + 1];
chars[charIndex + 1] = subst[bytes[bx] - 0xc1];
++ix;
++charIndex;
}
}
}
return cnt;
}
// Rest is boilerplate
public override int GetByteCount(char[] chars, int index, int count) {
return enc.GetByteCount(chars, index, count);
}
public override int GetBytes(char[] chars, int charIndex, int charCount, byte[] bytes, int byteIndex) {
return enc.GetBytes(chars, charIndex, charCount, bytes, byteIndex);
}
public override int GetCharCount(byte[] bytes, int index, int count) {
return enc.GetCharCount(bytes, index, count);
}
public override int GetMaxByteCount(int charCount) {
return enc.GetMaxByteCount(charCount);
}
public override int GetMaxCharCount(int byteCount) {
return enc.GetMaxCharCount(byteCount);
}
}
未经广泛测试。