如何在Visual Studio C ++ 2010中将BSTR转换为std :: string?

时间:2012-12-05 14:32:25

标签: c++ api visual-studio-2010 com

我正在研究COM dll。我希望将BSTR转换为std :: string以传递给采用const引用参数的方法。

似乎使用_com_util :: ConvertBSTRToString()来获取BSTR的char *等价物是一种合适的方法。但是,API文档很稀疏,实现可能有问题:

http://msdn.microsoft.com/en-us/library/ewezf1f6(v=vs.100).aspx http://www.codeproject.com/Articles/1969/BUG-in-_com_util-ConvertStringToBSTR-and-_com_util

示例:

#include <comutil.h>
#include <string>

void Example(const std::string& Str) {}

int main()
{
    BSTR BStr = SysAllocString("Test");
    char* CharStr = _com_util::ConvertBSTRToString(BStr);
    if(CharStr != NULL)
    {
        std::string StdStr(CharStr);
        Example(StdStr);
        delete[] CharStr;
    }
    SysFreeString(BStr);
}

使用ConvertBSTRToString()的替代方案有哪些优缺点,最好是基于标准方法和类?

2 个答案:

答案 0 :(得分:10)

你可以自己做。如果可能,我更愿意转换为目标std::string。如果没有,请使用临时值覆盖。

// convert a BSTR to a std::string. 
std::string& BstrToStdString(const BSTR bstr, std::string& dst, int cp = CP_UTF8)
{
    if (!bstr)
    {
        // define NULL functionality. I just clear the target.
        dst.clear();
        return dst;
    }

    // request content length in single-chars through a terminating
    //  nullchar in the BSTR. note: BSTR's support imbedded nullchars,
    //  so this will only convert through the first nullchar.
    int res = WideCharToMultiByte(cp, 0, bstr, -1, NULL, 0, NULL, NULL);
    if (res > 0)
    {
        dst.resize(res);
        WideCharToMultiByte(cp, 0, bstr, -1, &dst[0], res, NULL, NULL);
    }
    else
    {    // no content. clear target
        dst.clear();
    }
    return dst;
}

// conversion with temp.
std::string BstrToStdString(BSTR bstr, int cp = CP_UTF8)
{
    std::string str;
    BstrToStdString(bstr, str, cp);
    return str;
}

调用为:

BSTR bstr = SysAllocString(L"Test Data String")
std::string str;

// convert directly into str-allocated buffer.
BstrToStdString(bstr, str);

// or by-temp-val conversion
std::string str2 = BstrToStdString(bstr);

// release BSTR when finished
SysFreeString(bstr);

无论如何都是这样的。

答案 1 :(得分:-1)

简单方法

BSTR =&gt; CStringW =&gt; CW2A =&gt;的std :: string。