18

我想在不知道键的情况下获取地图中的每个节点。

我的 YAML 看起来像这样:

characterType :
 type1 :
  attribute1 : something
  attribute2 : something
 type2 :
  attribute1 : something
  attribute2 : something

我不知道将声明多少个“类型”或这些键的名称。这就是我尝试遍历地图的原因。

struct CharacterType{
  std::string attribute1;
  std::string attribute2;
};

namespace YAML{
  template<>
  struct convert<CharacterType>{
    static bool decode(const Node& node, CharacterType& cType){ 
       cType.attribute1 = node["attribute1"].as<std::string>();
       cType.attribute2 = node["attribute2"].as<std::string>();
       return true;
    }
  };
}

---------------------
std::vector<CharacterType> cTypeList;

for(YAML::const_iterator it=node["characterType"].begin(); it != node["characterType"].end(); ++it){
   cTypeList.push_back(it->as<CharacterType>());
}

前面的代码在编译时没有任何问题,但是在执行时我得到了这个错误:在抛出一个实例后调用终止YAML::TypedBadConversion<CharacterType>

我也尝试过使用子索引而不是迭代器,得到了同样的错误。

我确定我做错了什么,我只是看不到它。

4

2 回答 2

27

当您遍历映射时,迭代器指向节点的键/值对,而不是单个节点。例如:

YAML::Node characterType = node["characterType"];
for(YAML::const_iterator it=characterType.begin();it != characterType.end();++it) {
   std::string key = it->first.as<std::string>();       // <- key
   cTypeList.push_back(it->second.as<CharacterType>()); // <- value
}

(即使您的节点是映射节点,您的代码编译的原因YAML::Node是它是有效的动态类型,因此它的迭代器必须(静态地)充当序列迭代器和映射迭代器。)

于 2012-09-11T17:43:43.000 回答
1

@jesse-beder 的答案是正确的,我提供了另一种选择,使用基于范围的 for 循环,如下所示:

for(const auto& characterType : node["characterType"]) {
   std::string key = characterType.first.as<std::string>();
   cTypeList.push_back(characterType.second.as<CharacterType>());
}
于 2021-11-08T12:54:06.413 回答