如何快速地将包含动态分配的内存的map映射为值?

时间:2017-07-08 14:59:38

标签: c++ c++11 pointers unordered-map stdmap

Map包含字符串作为键,A作为值的对象。来自std :: map / std :: unordered_map的函数clear()不会调用析构函数。当我想要清除地图时,我必须照顾自己的记忆。它只是一种使用for循环来处理内存的方法吗? 代码:

#include <iostream>
#include <unordered_map>
class A
{
public:
    A() { std::cout << "A()" << std::endl; }
    ~A() { std::cout << "~A()" << std::endl; }
};
int main ()
{
  std::unordered_map<std::string, const A*> mymap = { {"house",new A()}, {"car", new A()}, {"grapefruit", new A()} };
  //mymap.clear();//won`t call destructor
  for(const auto &i : mymap)
      delete i.second;      //dealocate value
  mymap.clear();            //clear whole object from tha map
}

是否可以更快地完成此操作,例如不使用for循环?

2 个答案:

答案 0 :(得分:5)

是的!使用unique_ptr并自动执行此操作。

(请注意我已将const A*转换为std::unique_ptr<const A>

#include <iostream>
#include <memory>
#include <unordered_map>

class A {
public:
    A() { std::cout << "A()" << std::endl; }
    ~A() { std::cout << "~A()" << std::endl; }
};

int main() {
  std::unordered_map<std::string, std::unique_ptr<const A>> mymap;
  mymap["house"] = std::make_unique<A>();
  mymap["car"] = std::make_unique<A>();
  mymap["grapefruit"] = std::make_unique<A>();

  mymap.clear(); // Will call destructor!
}

答案 1 :(得分:3)

使用std::unique_ptr s和clear()的地图。或者只是在地图中保留A个对象而不是指针。