15

大家好,我在成员函数中有以下内容

int tt = 6; 
vector<set<int>>& temp = m_egressCandidatesByDestAndOtMode[tt]; 
set<int>& egressCandidateStops = temp.at(dest);

以及成员变量的以下声明

map<int, vector<set<int>>> m_egressCandidatesByDestAndOtMode;

但是编译时出现错误(Intel Compiler 11.0)

1>C:\projects\svn\bdk\Source\ZenithAssignment\src\Iteration\PtBranchAndBoundIterationOriginRunner.cpp(85): error: no operator "[]" matches these operands
1>            operand types are: const std::map<int, std::vector<std::set<int, std::less<int>, std::allocator<int>>, std::allocator<std::set<int, std::less<int>, std::allocator<int>>>>, std::less<int>, std::allocator<std::pair<const int, std::vector<std::set<int, std::less<int>, std::allocator<int>>, std::allocator<std::set<int, std::less<int>, std::allocator<int>>>>>>> [ const int ]
1>          vector<set<int>>& temp = m_egressCandidatesByDestAndOtMode[tt]; 
1>                                                                    ^

我知道这一定很愚蠢,但我看不出我做错了什么。

更新我从一个 const 成员函数调用它,这就是为什么成员变量的类型是 const 所以我认为像下面这样的东西应该修复它:

int dest = 0, tt = 6; 
const set<int>& egressCandidateStops = m_egressCandidatesByDestAndOtMode[tt].at(dest); 

但是没有骰子......仍然是同样的错误。

4

2 回答 2

26

操作数类型为:const std::map < int …</p>

map::operator[]不适用于const map.

我几天前回答了这个问题。

map::operator[] 有点奇怪。它这样做:

  1. 寻找钥匙。
  2. 如果找到,请将其退回。
  3. 如果没有,则插入它并默认构造其关联值。
  4. 然后返回对新值的引用。

第 3 步与 constness 不兼容。该语言没有两个功能不同的 operator[] 重载,而是强制您将 map::find 用于 const 对象。

于 2010-05-05T10:10:58.277 回答
7

的原型[]

 data_type& operator[](const key_type& k)

即非 const 操作,因此您不能在 const 成员函数的成员上调用它。

您可以将代码更改为:

std::map<...>::const_iterator where = m_egressCandidatesByDestAndOtMode.find(tt);
if (egressCandidatesByDestAndOtMode.end() != where) {
    const vector<set<int>>& temp = where->second;
}
于 2010-05-05T10:11:10.480 回答