-3

如果我不明确使用 std::pair 和 map insert ,有人可以解释为什么下面的代码不起作用:

#include <iostream>
#include <string>
#include <map>
#include <memory>
typedef std::shared_ptr<int>(*CreatorFunction)();
std::shared_ptr<int> test()
{
    std::shared_ptr<int> p(new int);
    return p;
}
int main()
{
  std::map<int, CreatorFunction> tmap; 
  tmap.insert(1,test); //this doesn't work
  tmap.insert(std::pair<int,CreatorFunction>(1,test)); //this works
 return 0;
}

我的理解是在 c++14 中我们不需要使用 std::pair 因为插入函数定义被更改为接受通用引用,如下所示:

template <class P> pair<iterator,bool> insert (P&& val);
4

1 回答 1

1

没有任何重载std::map::insert需要您应该使用的两个参数std::make_pair。请参阅下面的片段

#include <iostream>
#include <string>
#include <map>
#include <memory>

#include <functional> // for std::function.

// typedef std::shared_ptr<int>(*CreatorFunction)();
typedef std::function<std::shared_ptr<int>()> CreatorFunction; // The c++ way.

// Take a look at this function. std::shared_ptr<int> will automatically destroy the int* and might result in undefined.
std::shared_ptr<int> test()
{
    std::shared_ptr<int> p(new int);
    return p;
}
int main()
{
    std::map<int, CreatorFunction> tmap; 
    tmap.insert(std::make_pair(1,test)); // edited this line
    tmap.insert(std::pair<int,CreatorFunction>(1,test)); // this works
    return 0;
}
于 2018-04-20T08:31:12.217 回答