其他分享
首页 > 其他分享> > 我怎样才能遍历C地图?

我怎样才能遍历C地图?

作者:互联网

如何在C中循环std :: map?我的地图定义为:

std::map< std::string, std::map<std::string, std::string> >

例如,上面的容器包含如下数据:

m["name1"]["value1"] = "data1";
m["name1"]["value2"] = "data2";
m["name2"]["value1"] = "data1";
m["name2"]["value2"] = "data2";
m["name3"]["value1"] = "data1";
m["name3"]["value2"] = "data2";

如何遍历此地图并访问各种值?

解决方法:

旧问题,但剩下的答案从C 11开始已过时 – 您可以使用ranged based for loop并简单地执行:

std::map<std::string, std::map<std::string, std::string>> mymap;

for(auto const &ent1 : mymap) {
  // ent1.first is the first key
  for(auto const &ent2 : ent1.second) {
    // ent2.first is the second key
    // ent2.second is the data
  }
}

这应该比早期版本更清晰,并避免不必要的副本.

有人赞成用引用变量的明确定义替换注释(如果未使用则会被优化掉):

for(auto const &ent1 : mymap) {
  auto const &outer_key = ent1.first;
  auto const &inner_map = ent1.second;
  for(auto const &ent2 : inner_map) {
    auto const &inner_key   = ent2.first;
    auto const &inner_value = ent2.second;
  }
}

标签:c,dictionary,loops,iteration,idioms
来源: https://codeday.me/bug/20190915/1805158.html