3

我有一个接收 BSTR 的类函数。在我的课堂上,我有一个成员变量是 LPCSTR。现在我需要在 LPCSTR 中附加 BSTR。我怎么能做到这一点。这是我的功能。

void MyClass::MyFunction(BSTR text)
{
    LPCSTR name = "Name: ";
    m_classMember = name + text; // m_classMember is LPCSTR.
}

在我的 m_classMember 中,我希望在这个函数值之后应该是“名称:text_received_in_function”。我怎么能做到这一点。

4

2 回答 2

2

使用 Microsoft 特定的_bstr_t类,它本机处理 ANSI/Unicode。就像是

#include <comutils.h>
// ...

void MyClass::MyFunction(BSTR text)
{
    _bstr_t name = "Name: " + _bstr_t(text, true);
    m_classMember = (LPCSTR)name;
}

几乎是你想要的。但是,正如评论所指出的,您必须管理m_classMember连接字符串的生命周期。在上面的示例中,代码很可能会崩溃。

如果您拥有该MyClass对象,您可以简单地添加另一个成员变量:

class MyClass {
private:
  _bstr_t m_concatened;
//...
};

然后m_classMember用作指向字符串内容的指针m_concatened

void MyClass::MyFunction(BSTR text)
{
    m_concatened = "Name: " + _bstr_t(text, true);
    m_classMember = (LPCSTR)m_concatened;
}

否则,在分配 之前m_classMember,您应该以分配它的相同方式释放它(freedelete []等),并创建一个新char*数组,在其中复制连接字符串的内容。就像是

void MyClass::MyFunction(BSTR text)
{
    _bstr_t name = "Name: " + _bstr_t(text, true);

    // in case it was previously allocated with 'new'
    // should be initialized to 0 in the constructor
    delete [] m_classMember; 
    m_classMember = new char[name.length() + 1];

    strcpy_s(m_classMember, name.length(), (LPCSTR)name);
    m_classMember[name.length()] = 0;
}

应该做的工作。

于 2012-10-18T07:52:07.560 回答
1

首先,我建议您不要使用原始char/wchar_t*指针作为字符串的数据成员;一般来说,使用健壮的 C++字符串类会更好(更容易、更易于维护、异常安全等)。

由于您正在编写 Windows 代码,您可能希望使用它,它很好地集成在 Win32 编程的上下文中(例如:它提供了一些便利,例如从资源中加载字符串,它与模型ATL::CString一起开箱即用, TCHARETC。)。

如果您想使用该TCHAR模型(并使您的代码在 ANSI/MBCS 和 Unicode 版本中可编译),您可能需要使用ATL 字符串转换帮助程序类 CW2TBSTR(即 Unicode wchar_t*)转换char*为 ANSI/MBCS 版本,并将其保留wchar_t*在 Unicode 版本中。

#include <atlstr.h>    // for CString
#include <atlconv.h>   // for CW2T

void MyClass::MyFunction(BSTR text)
{
    // Assume:
    // CString m_classMember;

    m_classMember = _T("Name: ");

    // Concatenate the content of the BSTR.
    // CW2T keeps the BSTR as Unicode in Unicode builds,
    // and converts to char* in ANSI/MBCS builds.
    m_classMember += CW2T(text);
}

相反,如果您只想用 Unicode 编译代码(这在当今世界很有意义),您可以去掉_T("...")装饰和CW2T,而只需使用:

void MyClass::MyFunction(BSTR text)
{
    // Assume:
    // CString m_classMember;

    m_classMember = L"Name: ";

    // Concatenate the content of the BSTR.
    m_classMember += text;
}

std::wstring(或者按照其他人的建议使用 STL 。)

于 2012-10-18T08:41:26.870 回答