4

我想创建一个带有这样签名的函数:

// Set found to be an iterator to the location of key in map or end()
// if not found.
bool lookup(const Key &key,
            const std::map<Key, Value> &map,
            std::map<Key, Value>::const_iterator &found);

但是我也想在 map 和 iterator 不是 const 的情况下调用它,以便我可以修改找到的值:

const Key key;
std::map<Key, Value> map;
std::map<Key, Value>::iterator found;

if (lookup(key, map, found)) {
  found->second.modifingNonConstFunction()
}

但是我不相信我可以将std::map<Key, Value>::iterator对象传递给期望引用 a 的函数,std::map<Key, Value>::const_iterator因为它们是不同的类型,而我通常可以,如果它const是 C++ 声明的一部分,我可以将非常量类型提升为一个常量类型:

void someFunction(const int &arg);

int notConstArg = 0;
someFunction(nonConstArg);

除了使用模板为 提供两个定义lookup(),一个带有const参数 2 和 3,另一个带有非 const 参数 2 和 3,C++ 中是否有更好的方法来完成这个,更类似于如何const int &传递一个非上面示例中的const int。换句话说,我可以只有一个功能而不是两个吗?

4

2 回答 2

4

如果函数很简单,或者您不介意二进制膨胀,只需将每个参数都设为模板参数。

template <typename Key, typename T, typename Iter>
bool lookup(Key const& key,
            T& map,
            Iter &found)
{
  return (found=map.find(key))!=map.end();
}

int main()
{
  std::map<std::string, int> m; m["hello"] = 42;
  std::map<std::string, int> const cm(m.begin(), m.end());

  std::map<std::string, int>::iterator it;
  std::map<std::string, int>::const_iterator cit;

  std::cout << std::boolalpha << lookup("hello", m, it) << '\n'; // Key isn't even std::string
  std::cout << std::boolalpha << lookup("hello", m, cit) << '\n';
  //std::cout << std::boolalpha << lookup("hello", cm, it) << '\n'; // error
  std::cout << std::boolalpha << lookup("hello", cm, cit) << '\n';
}

这是有效的,因为T可以两者兼而有之,ormap也是const map如此。T&map&const map&

于 2013-01-28T21:25:11.177 回答
3

不,我认为如果没有重载/模板魔法,你就无法做到这一点。

编译器保护您免受以下情况的影响:

typedef vector<int> T;

const T v;  // Can't touch me

void foo(T::const_iterator &it) {
    it = v.begin();  // v.begin() really is a const_iterator
}

int main() {
    T::iterator it;
    foo(it);
    *it = 5;   // Uh-oh, you touched me!
}
于 2013-01-28T21:16:22.783 回答