0

我有一个带有stl map的c ++代码,第二个参数定义为一对

int keys[10] = {1, 1, 1, 2, 3, 4, 5, 7, 6, 6};
char s[5];
map< unsigned int, pair<string, int> > tmpMap;

for (int i=0; i<10; i++)
{
  if (tmpMap.find(keys[i])==tmpMap.end())
  {
    sprintf(s, "%i", keys[i]);
    tmpMap.insert(make_pair(keys[i], make_pair(s, 1)));
  }
  else tmpMap[keys[i]].second++;
}

for (map< unsigned int, pair<string, int> >::iterator it=tmpMap.begin();   it!=tmpMap.end(); ++it)
{
cout << (*it).first << "  " << (*it).second << endl;
}

但是它编译失败,它说没有匹配运算符<<。但是 (*it).first 和 (*it).second 只是 string 和 int,为什么它不起作用?

4

2 回答 2

9

这不是真的,first是一个unsigned intsecond而是一个,pair<string,int>因为映射的迭代器不会直接给你一对,而是一对键,值。

我想你应该这样做

pair<string,int> pair = (*it).second;
cout << pair.first << "  " << pair.second << endl;
于 2012-04-12T17:19:32.120 回答
1

你的 (*it).second 是 pair ,你需要有

cout << (*it).first << "  " << (*it).second.first << " " << 
(*it).second.first << endl;

这是因为在迭代 map 时,您会得到对,然后第一个是键,第二个是值-在您的情况下也是一对。

于 2012-04-12T17:23:38.480 回答