0

伪代码:</p>

typedef shared_ptr<B> ptr_child;
typedef shared_ptr<A> ptr_parent ;
class A
{
public:
    A()
    {
        child = ptr_child(new B);
    }

    ptr_child getB()
    {
        return child;
    }
private:
    ptr_child child;
};

我想使用 shared_ptr 来管理 A 和 B 的指针。B 是 A 的孩子。并且当对孩子有强引用时,父母A不能被破坏。

问题是当 B 引用增加时如何增加父 A 的引用计数。

4

2 回答 2

0

B可以将 ashared_ptr<A>作为其父级的成员,但它会创建一个引用循环,这样引用计数都不会减少到 0。要打破循环,请使用 a weak_ptr

于 2014-11-15T04:36:16.697 回答
0

我已经解决了这个问题,代码如下:

#include <memory>

class B;
class A;

typedef std::shared_ptr<A> a_ptr;
typedef std::shared_ptr<B> b_ptr;
class B
{
public:
    B(A* prt):parent(prt){}

private:    
    A* parent;
};

class A : public std::enable_shared_from_this<A>
{
public:
    A(){}
    b_ptr getChild()
    {
        b_ptr pb = b_ptr(this->shared_from_this(), child);
        return pb;
    }

    static a_ptr getA()
    {
        a_ptr pa = a_ptr(new A);
        pa->child = new B(pa.get());
        return pa;
    }

private:
    B* child;
};

int wmain(int argc, wchar_t* argv[])
{
    a_ptr a = A::getA();
    printf("a ref %d\n", a.use_count());
    b_ptr b1 = a->getChild();
    printf("a ref %d, b1 ref %d, \n", a.use_count(), b1.use_count());
    b_ptr b2 = a->getChild();
    printf("a ref %d, b1 ref %d, \n", a.use_count(), b1.use_count());
    b_ptr b3 = b2;
    printf("a ref %d, b1 ref %d, \n", a.use_count(), b1.use_count());

    //A and B are share reference, when no reference to A, but have reference to B, A will not be destroyed.

    return 0;
}

输出:

a ref 1
a ref 2, b1 ref 2,
a ref 3, b1 ref 3,
a ref 4, b1 ref 4,
于 2014-11-15T08:17:04.867 回答