3

考虑以下 C++ 代码:

// A.h
class A {
private:
    std::map<int, int> m;
    int getValue(int key) const;
};

// A.cpp
int A::getValue(int key) const {
    // build error: 
    // No viable overloaded operator[] for type 'const std::map<int, int>'
    return m[key];
}

如何从中获取值m以使其在函数的上下文中const起作用?

4

1 回答 1

7

您最好的选择是使用该at()方法,const如果找不到密钥,该方法将引发异常。

int A::getValue(int key) const 
{
  return m.at(key);
}

否则,您将不得不决定在找不到密钥的情况下返回什么。如果在这些情况下您可以返回一个值,那么您可以使用std::map::find

int A::getValue(int key) const 
{
  auto it = m.find(key);
  return (it != m.end()) ? it->second : TheNotFoundValue;
}
于 2013-10-16T16:59:19.400 回答