在 LPCSTR 中追加 BSTR



我有一个接收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"。我怎么能做到。

使用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;
}

应该做这项工作。

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

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

如果要使用TCHAR

模型(并使代码在 ANSI/MBCS 和 Unicode版本中都可编译),则可能需要使用 ATL 字符串转换帮助程序类CW2T在 ANSI/MBCS 生成中从BSTR(即 Unicodewchar_t*)转换为char*,并将其保留为 Unicode 生成中的wchar_t*

#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;
}

(或者像其他人建议的那样使用STL的std::wstring

相关内容

  • 没有找到相关文章

最新更新