Reputation: 1109
Does any one know how can I convert a BSTR to an int in VC++ 2008
Thanks in advance.
Upvotes: 4
Views: 14187
Reputation: 17692
Google suggests VarI4FromStr
:
HRESULT VarI4FromStr(
_In_ LPCOLESTR strIn,
_In_ LCID lcid,
_In_ ULONG dwFlags,
_Out_ LONG *plOut
);
Upvotes: 7
Reputation: 264501
You should be able to use boost::lexical_cast<>
#include <boost/lexical_cast.hpp>
#include <iostream>
int main()
{
wchar_t plop[] = L"123";
int value = boost::lexical_cast<int>(plop);
std::cout << value << std::endl;
}
The cool thing is that lexical_cast<>
It will work for any types that can be passed through a stream and its type safe!
Upvotes: 1
Reputation: 28164
You should use VarI4FromStr like others pointed out. BSTR
is not wchar_t*
because of differences in their NULL semantics (SysStringLen(NULL)
is ok, but wcslen(NULL)
is not).
Upvotes: 0
Reputation: 89085
You can pass a BSTR safely to any function expecting a wchar_t *
. So you can use _wtoi().
Upvotes: 12
Reputation: 37463
This is a method I use to parse values out of strings. It's similar to Boost's lexical cast.
std::wistringstream iss(mybstr); // Should convert from bstr to wchar_t* for the constructor
iss >> myint; // Puts the converted string value in to myint
if(iss.bad() || iss.fail())
{
// conversion failed
}
Upvotes: 1