以下程序执行后为什么sp3的引用计数为2?#include <memory> #include <iostream> using namespace std; class Point : public std::enable_shared_from_this<Point> { public: Point(int ix = 0, int iy = 0) : _ix(ix) , _iy(iy) { cout << "Point(int,int)" << endl; } ~Point() { cout << "~Point()" << endl; } shared_ptr<Point> addPoint(Point & pt) { _ix += pt._ix; _iy += pt._iy; return shared_from_this(); } private: int _ix; int _iy; }; void test() { shared_ptr<Point> sp1(new Point(1, 2)); shared_ptr<Point> sp2(new Point(11, 12)); shared_ptr<Point> sp3(sp1->addPoint(*sp2)); cout << "sp1.use_count = " << sp1.use_count() << endl; cout << "sp2.use_count = " << sp2.use_count() << endl; cout << "sp3.use_count = " << sp3.use_count() << endl; } int main() { test(); return 0; }
时间: 2024-04-02 07:37:54 浏览: 106
#include <iostream> #include<iomanip> using namespace std;九九乘法表
这是因为在类 Point 中使用了 std::enable_shared_from_this,它是一个模板类,可以让一个对象 shared_ptr 类型的智能指针来管理。在类 Point 中,addPoint 函数返回的是 shared_from_this(),它会返回一个指向此对象的 shared_ptr 智能指针,这个指针会增加对象的引用计数,因此 sp3 的引用计数为2。如果没有使用 std::enable_shared_from_this,addPoint 函数返回的是一个普通指针,此时 sp3 的引用计数就是1。
阅读全文