boost::program_options 配置文件格式

boost::program_options config file format

我正在使用 boost::program_options 加载命令行参数。现在我想另外加载一个具有相同参数集的配置文件。我以非常标准的方式使用它:

ifstream ifs(filename.c_str());
if (ifs) {
    po::store(po::parse_config_file(ifs, optionsDescription), vm);
    po::notify(vm);
}

问题是 parse_config_file 接受以下标准格式的 ini 文件:

key1=value
key2 = value

但是我的文件没有使用 "equal sign" 来分隔键和值,而是只使用空格 and/or 制表符,如下所示:

key1 value
key2  value

出于兼容性原因,我需要保留此格式。有什么办法可以通过 boost program_options 来实现吗? 我找到了 command_line 解析的样式选项,但是 parse_config_file.

似乎没有这样的选项

根据 source code,boost 似乎在明确地寻找 = 符号。

因此没有直接的方法来处理您的文件格式。您可能必须更改提升源或将文件加载到内存并将值作为命令行输入进行处理。

else if ((n = s.find('=')) != string::npos) {
    string name = m_prefix + trim_ws(s.substr(0, n));
    string value = trim_ws(s.substr(n+1));

    bool registered = allowed_option(name);
    if (!registered && !m_allow_unregistered)
        boost::throw_exception(unknown_option(name));

    found = true;
    this->value().string_key = name;
    this->value().value.clear();
    this->value().value.push_back(value);
    this->value().unregistered = !registered;
    this->value().original_tokens.clear();
    this->value().original_tokens.push_back(name);
    this->value().original_tokens.push_back(value);
    break;

}

我需要类似的东西,但输入配置文件是一个基本的 CSV 文件(即不支持处理包含逗号的值的引号)。

我的解决方案是重复 miradham 上面写的内容,将输入文件流通过 filtering_istream 并应用一个简单的正则表达式过滤器,将 ',' 翻译成 '='。

如果以后我们需要用逗号添加值,那么我可能必须实现自己的 filtering_istream(我知道这是一个模板)来处理这种更复杂的情况。

#include <boost/iostreams/filtering_stream.hpp>
#include <boost/iostreams/filter/regex.hpp>
#include <boost/program_options.hpp>
#include <boost/regex.hpp>

...

// do we have a config file?
if (vm.count("config"))
{
    std::ifstream fConfig{ vm["config"].as<std::string>().c_str() };
    if (fConfig)
    {
        // prep_config = filtered stream, replacing ',' with '='
        boost::iostreams::filtering_istream prep_config;
        prep_config.push(boost::iostreams::regex_filter{ boost::regex{","}, "="});
        prep_config.push(fConfig);

        po::store(parse_config_file( prep_config, desc), vm);
        po::notify(vm);
    }
    else
    {
        std::cerr << "Could not open the configuration file - ignoring.\n";
    }
}
// drop through to the main configuration interpretation