C ++在地图中插入unique_ptr

时间:2013-06-04 17:16:19

标签: c++ pointers map stl unique-ptr

我有一个ObjectArray

类型的C ++对象
typedef map<int64_t, std::unique_ptr<Class1>> ObjectArray;

unique_ptr类型的新对象创建Class1并将其插入到ObjectArray类型的对象中的语法是什么?

3 个答案:

答案 0 :(得分:70)

作为第一个评论,如果是地图而不是数组,我不会将其称为ObjectArray

无论如何,你可以这样插入对象:

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

或者这样:

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

两种形式之间的区别在于,如果地图中已存在键0,前者将失败,而第二种形式将使用新值覆盖其值。

在C ++ 14中,您可能希望使用std::make_unique()而不是从unique_ptr表达式构建new。例如:

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

答案 1 :(得分:49)

如果要添加要插入到地图中的现有指针,则必须使用std :: move。

例如:

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

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

答案 2 :(得分:1)

除了先前的答案,我想指出还有一种方法emplace(当您不能/不希望复制时很方便),因此可以这样编写:

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>(...));