鉴于此代码:
void LoadFromYaml(const YAML::Node& node){
const YAML::Node& Data=node["Data"];
if(Data){
if(Data.ValueIsInt)// Do something with integer.
if(Data.ValueIsFloat)// Do something with float.
if(Data.ValueIsString)// Do something with string.
}
}
如何检查YAML节点中包含的数据'数据'是整数,浮点数还是字符串?注意:我不想检查Node是否是标量,映射,序列等。
答案 0 :(得分:2)
您可以尝试将节点转换为每种类型:
try {
int value = data.as<int>();
// do something
} catch (const BadConversion& e) {
// do something else
}
答案 1 :(得分:2)
在解析时引发大量异常可能会影响解析速度。不知道为什么yamlcpp
没有is_type<T>
方法或类似于std::optional
或std::expected
吸气剂的东西
通过Boost轻松解决问题的方法-将自己的模板特化注入YAML
名称空间中并返回boost::optional
(如果是C ++ 17,则返回std::optional
)>
namespace YAML
{
template <typename T>
struct as_if<T, boost::optional<T> >
{
explicit as_if(const Node& node_) : node(node_) {}
const Node& node;
const boost::optional<T> operator()() const
{
boost::optional<T> val;
T t;
if (node.m_pNode && convert<T>::decode(node, t))
val = std::move(t);
return val;
}
};
// There is already a std::string partial specialisation, so we need a full specialisation here
template <>
struct as_if<std::string, boost::optional<std::string> >
{
explicit as_if(const Node& node_) : node(node_) {}
const Node& node;
const boost::optional<std::string> operator()() const
{
boost::optional<std::string> val;
std::string t;
if (node.m_pNode && convert<std::string>::decode(node, t))
val = std::move(t);
return val;
}
};
}
然后您可以运行
boost::optional<bool> as_bool = YAML::as_if<bool, boost::optional<bool> >(node)();
boost::optional<int> as_int = YAML::as_if<int, boost::optional<int> >(node)();
boost::optional<double> as_double = YAML::as_if<double, boost::optional<double> >(node)();
boost::optional<std::string> as_string = YAML::as_if<std::string, boost::optional<std::string> >(node)();
此处的总建筑成本为4个可选值+ 4个默认值。这可能会或可能不会比我没有测试过的异常处理更快。