Re: shared_ptr throw error: pointer being freed was not allocated
TZhang <tingnan.zhang@gmail.com> wrote:
On Friday, July 25, 2014 4:18:38 AM UTC-4, TZhang wrote:
#include <memory>
using namespace std;
shared_ptr<int> tmpfunc1(int* p)
{
return shared_ptr<int>(p);
}
void tmpfunc2(int * px)
{
shared_ptr<int> ptr1 = tmpfunc1(px);
}
int main()
{
int x = 1;
tmpfunc2(&x);
return 0;
}
The following code would abort before tmpfunc2() returns (and when ptr1
is destroyed). Can anybody explain what is happening? I think the
temporary object returned from tmpfunc1 is causing the problem, but cannot figure out why.
What would be a best practice to return shared_ptr?
Thanks!
Thanks Marcel. I was doing this because recently I was working on a code
base that is implemented in the following way:
#include <memory>
#include <vector>
using namespace std;
shared_ptr<int> tmpfunc1(int* p)
{
return shared_ptr<int>(p);
}
void tmpfunc2(int * px)
{
shared_ptr<int> ptr1 = tmpfunc1(px);
}
class A
{
public:
vector<int*> ptrvec;
vector<shared_ptr<int> > shrptrvec;
A() {};
~A() {};
};
int main()
{
A a;
for (int i = 0; i < 100; ++i)
{
shared_ptr<int> tmpptr(new int);
a.ptrvec.push_back(tmpptr.get());
a.shrptrvec.push_back(tmpptr);
}
tmpfunc2(a.ptrvec[0]);
}
The code will still crash though the integers were allocated on heap. ennnnn
As others already pointed out, be careful when creating a shared_ptr from a
raw pointer.
That constructor is 'explicit' for exactly this reason.
Especially don't create shared_ptr from raw pointer function parameters.
You can never know where they come from.
My advice is, create shared_ptr only from a ptr directly allocated with
'new', or even better, only use std::make_shared.
Tobi