I am currently trying to learn how to use smart pointers. However while doing some experiments I discovered the following situation for which I could not find a satifying solution:
Imagine you have an object of class A being parent of an object of class B (the child), but both should know each other:
class A;
class B;
class A
{
public:
    void addChild(std::shared_ptr<B> child)
    {
        children->push_back(child);
        // How to do pass the pointer correctly?
        // child->setParent(this);  // wrong
        //                  ^^^^
    }
private:        
    std::list<std::shared_ptr<B>> children;
};
class B
{
public:
    setParent(std::shared_ptr<A> parent)
    {
        this->parent = parent;
    };
private:
    std::shared_ptr<A> parent;
};
The question is how can an object of class A pass a std::shared_ptr of itself (this) to its child?
There are solutions for Boost shared pointers (Getting a boost::shared_ptr for this), but how to handle this using the std:: smart pointers?
 
     
     
    