Search code examples
c++c++11dictionaryshared-ptr

C++ Create shared_ptr from Object


So on my header file I have this declaration:

typedef std::map<const std::string, std::shared_ptr<House> > myHouseMap;
myHouseMap _myHouseMap;

On my source file I can insert an object in my map like this:

_myHouseMap.insert(std::pair<const std::string, std::shared_ptr<House>>("apartment", std::make_shared<House>("apartment")));

But now, I need to return the reference of the object. Therefore, I need to create first the object, add him to the map, and return the reference to it.

House& Obj::CreateHouse (const char *name)
{
     House aaa ("apartment");
    _myHouseMap.insert(std::pair<const std::string, std::shared_ptr<House>>(aaa)); <--- ERROR!
     return &aaa;
}

How can I, after creating an Object, create a shared_ptr from it, and insert into a map?

Thanks in advance


Solution

  • You can simply construct the shared pointer first rather than inline when inserting it into the map.

    House& Obj::CreateHouse(const char *name)
    {
        // make the ptr first!
        auto aaa = std::make_shared<House>("apartment");
        _myHouseMap.insert(std::make_pair("apartment", aaa));
        return *aaa;
    }