如何使用weak_ptr构造一个包含父项引用的对象?

时间:2012-02-11 13:31:47

标签: c++ constructor weak-ptr

假设我有一个包含子对象的shared_ptr的对象。

我希望子对象有一个weak_ptr到父对象,子对象的构造函数应该是什么样的,我应该如何从父对象构造一个子对象?

提前致谢

1 个答案:

答案 0 :(得分:4)

由于您拥有儿童物品的唯一所有者船,因此保证儿童不会超过其父母。你可以拥有这样的模型。

struct Parent;

struct Child {
        Child( Parent& p ) : p_(&p) {}
        Parent* p_;
};

#include <memory>

struct Parent {
        std::unique_ptr<Child> c_;
        void AddChild() {
                c_.reset(new Child(*this));
        }
};

当然,孩子应该小心它与析构函数中的父对象所做的任何事情,因为它的父对象超出了范围,所以它可能会被销毁。这是一个孩子与其父母weak_ptr的唯一优势(它仍然无法与其析构函数中的父母做任何事情,但至少它可以安全地告诉它)但这依赖于它的父母由shared_ptr拥有,这对于孩子来说是一种更加灵活的设计。

这将是weak_ptr解决方案:

// NOT RECOMMENDED
#include <memory>

struct Parent;

struct Child {
        Child( const std::shared_ptr<Parent>& p ) : p_(p) {}
        std::weak_ptr<Parent> p_;
};

struct Parent : std::enable_shared_from_this<Parent> {
        std::unique_ptr<Child> c_;
        void AddChild() {
                // Warning, undefined behaviour if this Parent
                // isn't owner by shared_ptr
                c_.reset(new Child(shared_from_this()));
        }
};