我正在解析一个文件,其中包含不同编码的各种字符串。这些字符串的存储方式是这样的:
0xFF 0xFF - block header 2 bytes
0xXX 0xXX - length in bytes 2 bytes
0xXX - encoding (can be 0, 1, 2, 3) 1 byte
... - actual string num bytes per length
这通常很容易,但是我不确定如何处理编码。编码可以是以下之一:
0x00 - regular ascii string (that is, actual bytes represent char*)
0x01 - utf-16 with BOM (wchar_t* with the first two bytes being 0xFF 0xFE or 0xFE 0xFF)
0x02 - utf-16 without BOM (wchar_t* directly)
0x03 - utf-8 encoded string (char* to utf-8 strings)
我需要以某种方式阅读/存储它。最初我在考虑简单string
,但这不适用于wchar_t*
. 然后我考虑将所有内容都转换为wstring
,但这将是相当多的不必要的转换。接下来想到的是boost::variant<string, wstring>
(我已经boost::variant
在代码的另一个地方使用了)。在我看来,这是一个合理的选择。所以现在我有点难以解析它。我正在考虑以下几点:
//after reading the bytes, I have these:
int length;
char encoding;
char* bytes;
boost::variant<string, wstring> value;
switch(encoding) {
case 0x00:
case 0x03:
value = string(bytes, length);
break;
case 0x01:
value = wstring(??);
//how do I use BOM in creating the wstring?
break;
case 0x02:
value = wstring(bytes, length >> 1);
break;
default:
throw ERROR_INVALID_STRING_ENCODING;
}
由于我只是稍后打印这些字符串,因此我可以将 UTF8 存储在一个简单的文件中string
而无需太多麻烦。
我的两个问题是:
这种方法是否合理(即使用 boost::variant)?
如何
wstring
使用特定的 BOM 创建?