I have a class function which is receving a BSTR. In my class I have a member variable which is LPCSTR. Now I need to append BSTR ins LPCSTR. How I can do that. Here is my function.
void MyClass::MyFunction(BSTR text)
{
LPCSTR name = "Name: ";
m_classMember = name + text; // m_classMember is LPCSTR.
}
in my m_classMember I want that after this function value should be "Name: text_received_in_function". How i can do that.
Use the Microsoft specific
_bstr_t
class, which handles the ANSI/Unicode natively. Something likeis what you almost want. However, as pointed out by the remarks, you have to manage the lifetime of
m_classMember
and the concatened string. In the example above, the code is likely to crash.If you own the
MyClass
object, you could simply add another member variable:and then use
m_classMember
as a pointer to the string content ofm_concatened
.Otherwise, prior to the assignment of
m_classMember
, you should free it in the same way you allocated it (free
,delete []
, etc), and create a newchar*
array in which you copy the content of the concatened string. Something likeshould do the work.
First, I suggest you to not use raw
char/wchar_t*
pointers as data members for strings; in general, it's better (easier, more maintainable, exception-safe, etc.) to use a robust C++ string class.Since you are writing Windows code, you may want to use
ATL::CString
, which is well integrated in the context of Win32 programming (e.g.: it offers several conveniences, like loading strings from resources, it works out-of-the-box with theTCHAR
model, etc.).If you want to work with the
TCHAR
model (and make your code compilable in both ANSI/MBCS and Unicode builds), you may want to use the ATL string conversion helper classCW2T
to convert fromBSTR
(which is Unicodewchar_t*
) tochar*
in ANSI/MBCS build, and leave it aswchar_t*
in Unicode builds.Instead, if you just want to compile your code in Unicode (which makes sense in today's world), you can get rid of
_T("...")
decoration andCW2T
, and just use:(Or use STL's
std::wstring
as others suggested.)