问题描述
如何从 boost :: property_tree
中获取枚举?
这是我的不工作示例。
<root>
<fooEnum>EMISSION::EMIT1</fooEnum>
<fooDouble>42</fooDouble>
</root>
main.cpp
main.cpp
#include <iostream>
#include <boost/property_tree/ptree.hpp>
#include <boost/property_tree/xml_parser.hpp>
int main()
{
enum class EMISSION { EMIT1, EMIT2 } ;
enum EMISSION myEmission;
//Initialize the XML file into property_tree
boost::property_tree::ptree pt;
read_xml("config.xml", pt);
//test enum (SUCCESS)
myEmission = EMISSION::EMIT1;
std::cout << (myEmission == EMISSION::EMIT1) << "\n";
//test basic ptree interpreting capability (SUCCESS)
const double fooDouble = pt.get<double>("root.fooDouble");
std::cout << fooDouble << "\n";
//read from enum from ptree and assign (FAILURE)
myEmission = pt.get<enum EMISSION>( "root.fooEnum" );
std::cout << (myEmission == EMISSION::EMIT1) << "\n";
return 0;
}
编译输出
Compile Output
/usr/include/boost/property_tree/stream_translator.hpp:36:15:
error: cannot bind 'std::basic_istream<char>' lvalue to
'std::basic_istream<char>&&'
/usr/include/c++/4.8/istream:872:5: error:
initializing argument 1 of 'std::basic_istream<_CharT,
_Traits>& std::operator>
(std::basic_istream<_CharT, _Traits>&&, _Tp&)
[with _CharT = char; _Traits = std::char_traits<char>;
_Tp = main()::EMISSION]'
推荐答案
C ++中的枚举名称是一个符号,而不是字符串。没有一种方法可以在字符串和枚举值之间映射,除非您通过编写一个方法来提供该映射:
The name of an enum in C++ is a symbol, not a string. There isn't a way to map between a string and an enum value unless you provide that mapping yourself by writing a method such as:
EMISSION emission_to_string(const std::string& name)
{
if ( name == "EMISSION::EMIT1")
{
return EMISSION::EMIT1;
}
... etc
}
从property_tree获取值作为字符串并应用此映射。
You would then get the value as a string from the property_tree and apply this mapping.
有更好的方法来实现这一点,使用许多枚举值更优雅地扩展。我做了这个使用boost :: bimap启用映射enum-> string或从string-> enum,当然这也给你一个地图,而不是一个愚蠢的大if语句。如果你这样做,看看使用boost :: assign初始化你的静态地图,因为它看起来比其他方法更干净。
There are nicer ways to implement this which scale more elegantly with many enum values. I have done this using boost::bimap to enable a mapping from enum->string OR from string->enum, and of course this also gives you a map instead of a silly big if statement. If you do this, look into using boost::assign to initialise your static map, as it looks cleaner than other methods.
这篇关于如何从boost :: property_tree获取枚举?的文章就介绍到这了,希望我们推荐的答案对大家有所帮助,也希望大家多多支持!