4

我从 Windows 上的 (PROCESSENTRY32) pe32.szExeFile 获得了 WCHAR[MAX_PATH]。以下不起作用:

std::string s;
s = pe32.szExeFile; // compile error. cast (const char*) doesnt work either

std::string s;
char DefChar = ' ';
WideCharToMultiByte(CP_ACP,0,pe32.szExeFile,-1, ch,260,&DefChar, NULL);
s = pe32.szExeFile;
4

4 回答 4

3

对于您的第一个示例,您可以这样做:

std::wstring s(pe32.szExeFile);

第二:

char DefChar = ' ';
WideCharToMultiByte(CP_ACP,0,pe32.szExeFile,-1, ch,260,&DefChar, NULL);
std::wstring s(pe32.szExeFile);

std::wstringchar*演员一样

于 2012-04-18T06:44:03.310 回答
2

如果缓冲区足够大,您的调用WideCharToMultiByte看起来是正确的。ch但是,在此之后,您希望将缓冲区 ( ch) 分配给字符串(或使用它来构造字符串),而不是 pe32.szExeFile.

于 2012-04-18T07:38:42.970 回答
2

ATL有方便的转换类;您可能想要使用其中的一些,例如:

std::string s( CW2A(pe32.szExeFile) );

但是请注意,从 Unicode UTF-16 到 ANSI 的转换可能是有损的。如果您不想进行无损转换,则可以从 UTF-16 转换为 UTF-8,并将 UTF-8 存储在std::string.

如果您不想使用 ATL,可以使用一些方便的免费 C++ 包装器围绕原始 Win32WideCharToMultiByte使用STL 字符串从 UTF-16 转换为 UTF-8

于 2012-04-18T08:52:50.580 回答
1
#ifndef __STRINGCAST_H__
#define __STRINGCAST_H__

#include <vector>
#include <string>
#include <cstring>
#include <cwchar>
#include <cassert>

template<typename Td>
Td string_cast(const wchar_t* pSource, unsigned int codePage = CP_ACP);

#endif // __STRINGCAST_H__

template<>
std::string string_cast( const wchar_t* pSource, unsigned int codePage )
{
    assert(pSource != 0);
    size_t sourceLength = std::wcslen(pSource);
    if(sourceLength > 0)
    {
        int length = ::WideCharToMultiByte(codePage, 0, pSource, sourceLength, NULL, 0, NULL, NULL);
        if(length == 0)
            return std::string();

        std::vector<char> buffer( length );
        ::WideCharToMultiByte(codePage, 0, pSource, sourceLength, &buffer[0], length, NULL, NULL);

        return std::string(buffer.begin(), buffer.end());
    }
    else
        return std::string();

}

并使用此模板如下

PWSTR CurWorkDir;
std::string CurWorkLogFile;

CurWorkDir = new WCHAR[length];

CurWorkLogFile = string_cast<std::string>(CurWorkDir);

....


delete [] CurWorkDir;
于 2013-12-26T10:50:31.457 回答