0

我想将 TCHAR 数组转换为 wstring。

    TCHAR szFileName[MAX_PATH+1];
#ifdef _DEBUG
    std::string str="m:\\compiled\\data.dat";
    TCHAR *param=new TCHAR[str.size()+1];
    szFileName[str.size()]=0;
    std::copy(str.begin(),str.end(),szFileName);
#else
    //Retrieve the path to the data.dat in the same dir as our data.dll is located
    GetModuleFileName(_Module.m_hInst, szFileName, MAX_PATH+1);
    StrCpy(PathFindFileName(szFileName), _T("data.dat"));
#endif  

wstring sPath(T2W(szFileName));

我需要传递szFileName给期望的函数

const WCHAR *

为了完整起见,我正在说明我需要传递szFileName给的空白:

HRESULT CEngObj::MapFile( const WCHAR * pszTokenVal,  // Value that contains file path
                        HANDLE * phMapping,          // Pointer to file mapping handle
                        void ** ppvData )            // Pointer to the data

但是,T2W 对我不起作用。编译器说that "_lpa" is not defined,我不知道从哪里开始。我已经尝试了我在网上找到的其他转换方法,但它们也不起作用。

4

2 回答 2

2

有类似的功能

mbstowcs_s()

从 转换char*wchar_t*

#include <iostream>
#include <stdlib.h>
#include <string>

using namespace std;

char *orig = "Hello, World!";
cout << orig << " (char *)" << endl;

// Convert to a wchar_t*
size_t origsize = strlen(orig) + 1;
const size_t newsize = 100;
size_t convertedChars = 0;
wchar_t wcstring[newsize];
mbstowcs_s(&convertedChars, wcstring, origsize, orig, _TRUNCATE);
wcscat_s(wcstring, L" (wchar_t *)");
wcout << wcstring << endl;

在此处查找文章,在此处查找 MSDN。

于 2013-04-03T11:32:37.627 回答
0

的定义TCHAR取决于是否定义了某些预处理器宏。有关可能的组合,请参见例如这篇文章

这意味着TCHAR可能已经是一个wchar_t.

您可以使用_UNICODE宏来检查是否需要转换字符串。如果你这样做,那么你可以使用mbstowcs来进行转换:

std::wstring str;

#ifdef _UNICODE
    // No need to convert the string
    str = your_tchar_string;
#else
    // Need to convert the string
    // First get the length needed
    int length = mbstowcs(nullptr, your_tchar_string, 0);

    // Allocate a temporary string
    wchar_t* tmpstr = new wchar_t[length + 1];

    // Do the actual conversion
    mbstowcs(tmpstr, your_tchar_str, length + 1);

    str = tmpstr;

    // Free the temporary string
    delete[] tmpstr;
#endif
于 2013-04-03T11:50:24.873 回答