您的位置:首页 > 其它

Unicode下CString和char *之间的互相转换

2015-03-23 14:19 337 查看
CString中存储的字符的数据类型为wchar_t类型。

一、CString转换为char *

(1)方法一:使用wcstombs()

#include <iostream>  
using namespace std;  
#include <atlstr.h>  
  
int main()  
{  
    CString str = L"liuxijiao计算机网络";  
    wchar_t *pWChar = str.GetBuffer(); //获取str的宽字符用数组保存  
    str.ReleaseBuffer();  
  
    int nLen = str.GetLength(); //获取str的字符数  
    char *pChar = new char[nLen * 2 + 1];   
    memset(pChar, 0, nLen * 2 + 1);  
    int rtnVal = (int)wcstombs(pChar, pWChar, nLen * 2 + 1); //宽字符转换为多字节字符  
  
    cout<<pChar<<endl;  
  
         delete[] pChar;  
    return 0;
输出结果:

liuxijiao


注意到结果没有输出“计算机网络”,那是因为wcstombs()不支持中文。

(2)方法二:使用WideCharToMultiByte();
#include <iostream>  
using namespace std;  
#include <atlstr.h>  
  
int main()  
{  
    CString str = L"liuxijiao计算机网络";  
    int n = str.GetLength(); //获取str的字符数  
    int len = WideCharToMultiByte(CP_ACP, 0, str, n, NULL, 0, NULL, NULL); //获取宽字节字符的大小,大小是按字节计算的  
    char *pChar = new char[len + 1]; //以字节为单位  
    WideCharToMultiByte(CP_ACP, 0, str, n, pChar, len, NULL, NULL); //宽字节编码转换成多字节编码  
    pChar[len + 1] = '\0'; //多字节字符以'\0'结束  
    cout<<pChar<<endl;  
         delete[] pChar;  
    return 0;  
}

输出结果:

liuxijiao计算机网络


二、char *转换为CString

(1)方法一:使用_T()宏

CString str = _T("liuxijiao计算机网络");
(2)方法二:使用API的函数MultiByteToWideChar()

#include <iostream>  
using namespace std;  
#include <atlstr.h>  
#include <stdio.h>  
#include <string.h>  
  
int main()  
{  
    //将char数组转换为wchar_t数组  
    char *pChar = "liuxijiao计算机网络";  
    int charLen = strlen(pChar); //计算pChar所指向的字符串大小,以字节为单位,一个汉字占两个字节  
    int len = MultiByteToWideChar(CP_ACP, 0, pChar, charLen, NULL, 0); //计算多字节字符的大小,按字符计算  
    wchar_t *pWChar = new wchar_t[len + 1]; //为宽字节字符数申请空间,  
    MultiByteToWideChar(CP_ACP, 0, pChar, charLen, pWChar, len); //多字节编码转换成宽字节编码  
    pWChar[len] = '\0';  
  
    //将wchar_t数组转换为CString  
    CString str;  
    str.Append(pWChar);  
  
    delete[] pChar;  
    delete[] pWChar;  
    return 0;  
}


在str.Append(pWChar);这条语句处设断点,调试运行,可查看到str的内容为"liuxijiao计算机网络"。

(三)方法三:使用A2T()、A2W()
char *pChar = "liuxijiao计算机网络";  
USES_CONVERSION;  
CString str = A2T(pChar);


char *pChar = "liuxijiao计算机网络";  
USES_CONVERSION;  
CString str = A2W(pChar);


本文转自:http://blog.csdn.net/candyliuxj/article/details/6796001
内容来自用户分享和网络整理,不保证内容的准确性,如有侵权内容,可联系管理员处理 点击这里给我发消息
标签: