我是C ++的新手,并且在使用函数指针时遇到了std:map
的问题。
我创建了一个map
,其中有string
作为键,并存储了一个函数指针作为值。当我尝试使用insert()
函数添加函数指针时,我遇到了一个复杂的问题。但是,当我使用[]
运算符时,它工作正常。如果可以的话,请解释这个区别。
以下是我编写的示例代码。
OperatorFactory.h
#ifndef OPERATORFACTORY_H
#define OPERATORFACTORY_H
#include <string>
#include <map>
using namespace std;
class OperatorFactory
{
public:
static bool AddOperator(string sOperator, void* (*fSolvingFunction)(void*));
static bool RemoveOperator(string sOperator);
static void RemoveAllOperators();
private:
static map<string , void* (*) (void*)> map_OperatorMap;
};
// Static member re-declaration
map<string, void* (*) (void*)> OperatorFactory::map_OperatorMap;
#endif // OPERATORFACTORY_H
OperatorFactory.cpp
#include "OperatorFactory.h"
void OperatorFactory::RemoveAllOperators()
{
map_OperatorMap.clear();
}
bool OperatorFactory::RemoveOperator(string sOperator)
{
return map_OperatorMap.erase(sOperator) != 0;
}
bool OperatorFactory::AddOperator(string sOperator, void* (*fSolvingFunction)(void*))
{
// This line works well.
map_OperatorMap[sOperator] = fSolvingFunction;
// But this line doesn't.
// map_OperatorMap.insert(sOperator, fSolvingFunction); // Error
return true;
}
错误说:
error: no matching function for call to 'std::map<std::basic_string<char>, void* (*)(void*)>::insert(std::string&, void* (*&)(void*))'
即使我使用[]
运算符工作(编译),我想知道为什么在使用insert()
时出现错误。
谢谢。
答案 0 :(得分:4)
使用键和值的std ::对将元素插入到std :: map中:
map.insert(std::make_pair(key,value));
或者你可以在c ++ 11中使用值:
map.emplace(key,value);
[]运算符返回对传入的键的值的引用:
value_type &
如果该密钥尚未存在,则自动构造该密钥的元素。确保您在使用它们之前了解insert()和[]运算符之间的行为差异(例如,后者将替换键的现有值)。