1
#include <iostream>

using namespace std;

void f1()
{
    wcout.imbue(locale("chs"));
    wcout << L"您" << endl;
}

void f2()
{
    locale loc(wcout.getloc(), new codecvt<wchar_t, char, mbstate_t>());

    wcout.imbue(loc);
    wcout << L"好" << endl;
}

int main()
{
    f1(); // OK
    f2(); // Error. There is no output as expected.
}

根据cplusplus.com的在线文档:

codecvt<wchar_t,char,mbstate_t>: 

    converts between native wide and narrow character sets.

这个程序是用VC++编译的,在Windows上运行。

在这个程序中,内部字符集是UCS-2,由VC++编译器定义;外部字符集,即窄字符集,是控制台环境下的GBK(中文字符集)。如果文档为真,则wcout可以将 unicode 字符串从 UCS-2 转换为 GBK f1();但是,事实并非如此。为什么?

4

1 回答 1

3

您已经默认构建了一个std::codecvt,没有特定的转换规则。它无法知道您想要 GBK 而不是 GB18030 或 UTF-8。

获取将 wchar_t 转换为 GBK 的 codecvt 的方法:

  • 为 GBK构建一个std::locale只需将其与您的流一起使用,无需拉出一个方面

    wcout.imbue(std::locale("")); // this uses the current user settings,
    wcout.imbue(std::locale("zn_CN.gbk")); // or name the locale explicitly,
                                           // by whatever name Windows calls it
    
  • 直接用std::codecvt_byname

    wcout.imbue(std::locale(wcout.getloc(),
                new std::codecvt_byname("zh_CN.gbk")); // explict name
    
  • 编写您自己的转换例程并派生自std::codecvt,因此您可以将其与

    wcout.imbue(std::locale(wcout.getloc(), new yourcodecvt);
    

Windows 对 C++ 语言环境的支持很差,不过,WinAPI 可能有更合适的转换函数。

于 2013-09-21T11:57:04.650 回答