类enable_shared_from_this
enable_shared_from_this 是个 模板类, 定义于头文件<memory>, 原型为
template <class T> class enable_shared_from_this;
public member functions: shared_from_this
类enable_shared_from_this提供的功能是 允许派生类的对象 创建指向自己的shared_ptr实例, 并与现有的shared_ptr对象共享所有权.
如 std::enable_shared_from_this能让一个对象 temp (且被一个std::shared_ptr对象tempShared管理), 安全地生成其它额外的std::shared_ptr实例(如tempShared1, tempShared2,...), 它们与tempShared共享对象temp的所有权.
使用场合
当类A被shared_ptr管理, 且在类A的成员函数里需要把当前类对象作为参数传给其它函数时, 就需要传递一个指向自身的shared_ptr.
在异步调用过程中, 存在一个保活机制, 异步函数执行的时间点是无法确定的, 然而异步函数可能会使用到异步调用之前就存在的变量. 为了保证变量在异步函数执行期间一直有效, 可以传递一个指向自身的shared_ptr给异步函数, 这样在异步函数执行期间shared_ptr所管理的对象不会析构, 所使用的变量就一直有效了.
Why not this pointer?
使用智能指针的初衷是 为了方便资源管理, 如果在某些地方使用智能指针, 某些地方使用原始指针, 很容易破坏智能指针的语义, 从而产生各种错误.
Why not shared_ptr<this>?
#include <memory>
#include <iostream>
class BadShared
{
public:
std::shared_ptr<BadShared> getPtr()
{
return std::shared_ptr<BadShared>(this);
}
~BadShared()
{
std::cout << "Destructor" << std::endl;
}
};
int main()
{
std::shared_ptr<BadShared> bp1(new BadShared());
std::shared_ptr<BadShared> bp2 = bp1->getPtr();
std::cout << "bp1.use_count() = " << bp1.use_count() << std::endl;
std::cout << "bp2.use_count() = " << bp2.use_count() << std::endl;
return 0;
}
一个对象被删除两次, 产生crash.
shared_from_this
#include <memory>
#include <iostream>
class GoodShared : public std::enable_shared_from_this<GoodShared>
{
public:
std::shared_ptr<GoodShared> getPtr()
{
return shared_from_this();
}
~GoodShared()
{
std::cout << "Destructor" << std::endl;
}
};
int main()
{
std::shared_ptr<GoodShared> bp1(new GoodShared());
std::shared_ptr<GoodShared> bp2 = bp1->getPtr();
std::cout << "bp1.use_count() = " << bp1.use_count() << std::endl;
std::cout << "bp2.use_count() = " << bp2.use_count() << std::endl;
return 0;
}
shared_from_this不能用在构造函数中
#include <memory>
#include <iostream>
class B;
class A : public std::enable_shared_from_this<A>
{
public:
A()
{
std::shared_ptr<B> b = std::make_shared<B>(shared_from_this());
}
std::shared_ptr<A> getPtr()
{
return shared_from_this();
}
~A()
{
std::cout << "Destructor" << std::endl;
}
};
class B
{
public:
B(std::shared_ptr<A> a)
{
}
};
int main()
{
std::shared_ptr<A> bp1(new A());
std::cout << "bp1.use_count() = " << bp1.use_count() << std::endl;
return 0;
}