我正在编写一个程序,以便在UCS-2 Little Endian中以* .rc文件编码获取信息。
int _tmain(int argc, _TCHAR* argv[]) {
wstring csvLine(wstring sLine);
wifstream fin("en.rc");
wofstream fout("table.csv");
wofstream fout_rm("temp.txt");
wstring sLine;
fout << "en\n";
while(getline(fin,sLine)) {
if (sLine.find(L"IDS") == -1)
fout_rm << sLine << endl;
else
fout << csvLine(sLine);
}
fout << flush;
system("pause");
return 0;
}
“en.rc”中的第一行是#include <windows.h>
,但sLine
显示如下:
[0] 255 L'ÿ'
[1] 254 L'þ'
[2] 35 L'#'
[3] 0
[4] 105 L'i'
[5] 0
[6] 110 L'n'
[7] 0
[8] 99 L'c'
. .
. .
. .
此程序可以正确使用UTF-8。我该怎么做到UCS-2?
答案 0 :(得分:8)
宽流使用宽流缓冲区来访问文件。 Wide流缓冲区从文件中读取字节,并使用其codecvt facet将这些字节转换为宽字符。默认的codecvt方面是std::codecvt<wchar_t, char ,std::mbstate_t>
,可以在wchar_t
和char
的原生字符集之间进行转换(例如,像mbstowcs(
一样)。
你没有使用本机字符集,所以你想要的是一个codecvt方面,它将UCS-2
读作多字节序列并将其转换为宽字符。
#include <fstream>
#include <string>
#include <codecvt>
#include <iostream>
int main(int argc, char *argv[])
{
wifstream fin("en.rc", std::ios::binary); // You need to open the file in binary mode
// Imbue the file stream with a codecvt facet that uses UTF-16 as the external multibyte encoding
fin.imbue(std::locale(fin.getloc(),
new std::codecvt_utf16<wchar_t, 0xffff, consume_header>));
// ^ We set 0xFFFF as the maxcode because that's the largest that will fit in a single wchar_t
// We use consume_header to detect and use the UTF-16 'BOM'
// The following is not really the correct way to write Unicode output, but it's easy
std::wstring sLine;
std::wstring_convert<std::codecvt_utf8<wchar_t>, wchar_t> convert;
while (getline(fin, sLine))
{
std::cout << convert.to_bytes(sLine) << '\n';
}
}
请注意,UTF-16
存在问题。 wchar_t
的目的是让一个wchar_t
代表一个代码点。但是,Windows使用UTF-16
代表某些代码点为两个 wchar_t
。这意味着标准API在Windows上不能很好地工作。
这里的结果是,当文件包含代理项对时,codecvt_utf16
将读取该对,将其转换为大于16位的单个代码点值,并且必须将该值截断为16位以将其保留在一个wchar_t
。这意味着此代码实际上仅限于UCS-2
。我已将maxcode模板参数设置为0xFFFF
以反映此情况。
wchar_t
存在许多其他问题,您可能希望完全避免它:What's “wrong” with C++ wchar_t?
答案 1 :(得分:0)
#include <filesystem>
namespace fs = std::filesystem;
FILE* f = _wfopen(L"myfile.txt", L"rb");
auto file_size = fs::file_size(filename);
std::wstring buf;
buf.resize((size_t)file_size / sizeof(decltype(buf)::value_type));// buf in my code is a template object, so I use decltype(buf) to decide its type.
fread(&buf[0], 1, 2, f); // escape UCS2 BOM
fread(&buf[0], 1, file_size, f);