C++ inserting unique_ptr in map

C++PointersMapStlUnique Ptr

C++ Problem Overview


I have a C++ object of type ObjectArray

typedef map<int64_t, std::unique_ptr<Class1>> ObjectArray;

What is the syntax to create a unique_ptr to a new object of type Class1 and insert it into an object of type ObjectArray?

C++ Solutions


Solution 1 - C++

As a first remark, I wouldn't call it ObjectArray if it is a map and not an array.

Anyway, you can insert objects this way:

ObjectArray myMap;
myMap.insert(std::make_pair(0, std::unique_ptr<Class1>(new Class1())));

Or this way:

ObjectArray myMap;
myMap[0] = std::unique_ptr<Class1>(new Class1());

The difference between the two forms is that the former will fail if the key 0 is already present in the map, while the second one will overwrite its value with the new one.

In C++14, you may want to use std::make_unique() instead of constructing the unique_ptr from a new expression. For instance:

myMap[0] = std::make_unique<Class1>();

Solution 2 - C++

If you want to add an existing pointer to insert into the map, you will have to use std::move.

For example:

std::unique_ptr<Class1> classPtr(new Class1);

myMap.insert(std::make_pair(0,std::move(classPtr)));

Solution 3 - C++

In addition to previous answers, I wanted to point out that there is also a method emplace (it's convenient when you cannot/don't want to make a copy), so you can write it like this:

ObjectArray object_array;
auto pointer = std::make_unique<Class1>(...);  // since C++14
object_array.emplace(239LL, std::move(pointer));
// You can also inline unique pointer:
object_array.emplace(30LL, std::make_unique<Class1>(...));

Attributions

All content for this solution is sourced from the original question on Stackoverflow.

The content on this page is licensed under the Attribution-ShareAlike 4.0 International (CC BY-SA 4.0) license.

Content TypeOriginal AuthorOriginal Content on Stackoverflow
Questionvigs1990View Question on Stackoverflow
Solution 1 - C++Andy ProwlView Answer on Stackoverflow
Solution 2 - C++SaurabhView Answer on Stackoverflow
Solution 3 - C++antonppView Answer on Stackoverflow