0

问题:

我正在尝试制作一个getmap获取map<string, string>元素的函数,但如果不存在则返回指定的默认值(即getmap(mymap, "keyA", mydefault);.

我将其模板化int, floatchar*返回类型,但出现错误:

error C2664: 'getmap' : cannot convert parameter 3 from 'const char *' to 'char *const '

即使我没有使用char *const. 为什么会这样?

编码:

template <typename T> inline
T getmap(const std::map<std::string, std::string> &m, const char* key, const T def, T (*f)(const char*) = NULL) {
    std::map<std::string, std::string>::const_iterator i = m.find(std::string(key));
    return i == m.end() ? def : (f == NULL ? i->second.c_str() : f(i->second.c_str()));
}

inline int getmap(const std::map<std::string, std::string> &m, const char* key, const int def) {
    return getmap<int>(m, key, def, &std::atoi);
}

float atofl(const char* s) {
    return (float)std::atof(s);
}

inline float getmap(const std::map<std::string, std::string> &m, const char* key, const float def) {
    return getmap<float>(m, key, def, &atofl);
}

inline char* getmap(const std::map<std::string, std::string> &m, const char* key, const char* def) {
    return getmap<char*>(m, key, def);  // ERROR HERE
}
4

1 回答 1

3

getmap<char*>(m, key, def);

使T的。getmap_ char*您接受的第三个参数是const T. 我知道看起来应该使它成为一个const char*,但实际上使它成为一个char* const

然后,您尝试将 a 传递const char*给 a char* const,如错误所示。您可以将非常量传递给 const,但不能反过来。

所以改写这个...

getmap<const char*>(m, key, def);
       ^^^^^
于 2013-05-15T15:36:02.837 回答