使用boost程序选项从ini文件中读取时遇到了一些麻烦。问题是包含hashmarks的键(简单示例):
[第]
键= “XXX#YYY”
检索密钥,返回“xxx”,这是因为哈希标记似乎被解释为注释的开头,因此跳过了该行的其余部分。不幸的是,我无法用其他字符替换'#',因为该值是正则表达式。我没有找到引用hashmark的方法,并且不愿意这样做,因为它会改变我的正则表达式并使其更难以理解。
有没有办法在不重写ini文件解析器的情况下处理这个问题? 谢谢你的帮助。
我检索密钥的代码如下:
std::string key;
boost::program_options::options_description opDesc("test");
opDesc.add_options()("section.key", po::value<string>(&key))
std::ifstream ifs("file.ini");
boost::program_options::parse_config_file(ifs, opDesc);
答案 0 :(得分:1)
也许现在是时候开始使用Boost Property Tree,因为你已经超越了'我正在解析程序选项'这一点,真的。
http://www.boost.org/doc/libs/1_46_1/doc/html/property_tree.html
属性树具有JSON,Xml,Ini(<-- you are here
)和INFO格式的解析器/格式化程序。链接页面在几行中准确指出了往返行程(大多数事情是往返的,除了JSON特殊类型信息,有时还有尾随空格)。
我想你喜欢INI格式(因为它接近你正在使用的格式)和INFO设置(因为除了分层嵌套的部分之外,它还有更多的字符串语法)。
来自样本:
#include <boost/property_tree/ptree.hpp>
#include <boost/property_tree/xml_parser.hpp>
#include <boost/foreach.hpp>
#include <string>
#include <set>
#include <exception>
#include <iostream>
struct debug_settings
{
std::string m_file; // log filename
int m_level; // debug level
std::set<std::string> m_modules; // modules where logging is enabled
void load(const std::string &filename);
void save(const std::string &filename);
};
void debug_settings::load(const std::string &filename)
{
using boost::property_tree::ptree;
ptree pt;
read_xml(filename, pt);
m_file = pt.get<std::string>("debug.filename");
m_level = pt.get("debug.level", 0);
BOOST_FOREACH(ptree::value_type &v, pt.get_child("debug.modules"))
m_modules.insert(v.second.data());
}
void debug_settings::save(const std::string &filename)
{
using boost::property_tree::ptree;
ptree pt;
pt.put("debug.filename", m_file);
pt.put("debug.level", m_level);
BOOST_FOREACH(const std::string &name, m_modules)
pt.add("debug.modules.module", name);
write_xml(filename, pt);
}
int main()
{
try
{
debug_settings ds;
ds.load("debug_settings.xml");
ds.save("debug_settings_out.xml");
std::cout << "Success\n";
}
catch (std::exception &e)
{
std::cout << "Error: " << e.what() << "\n";
}
return 0;
}