如何在boost::program_options::variable_map中存储数据?

How to store data in boost::program_options::variable_map?

我目前正在尝试重新编写一些交给我的代码。代码的原始点是读取配置文件,并在 boost::program_options::variable_map 中设置文件中的不同选项,然后在代码的其他部分读取它已经可以正常工作。

这是我要替换的代码:

// Some helpful definitions
boost::program_options::variables_map vm;
std::string filecfg = "File_name";
std::ifstream ifs(filecfg.c_str());

// Setting options (This is command line example, but config file is the same)
boost::program_options::options_description df("Command Line");
df.add_options()
    ("help", "display help message")
    ("file-cfg,f", boost::program_options::value<std::string>(), "config file")
    ("version", "display version and revision number");

boost::program_options::parsed_options parsedc = boost::program_options::parse_config_file(ifs, df, true);
boost::program_options::store(parsedc, vm);
boost::program_options::notify(vm);
std::vector <std::string> unrc = boost::program_options::collect_unrecognized(parsedc.options, boost::program_options::include_positional)

我的想法是简单地替换 boost::program_options::parsed_options parsedc 并自己创建这个对象。我 运行 遇到的问题只是没有关于如何执行此操作的文档。我认为这主要是因为它不是为了这样使用而设计的。

无论如何,我只是想用 dc 中描述的选项和我可以在单独的数据结构(如向量)中保存的值来填充 vm 对象。

是否可以简单地向虚拟机添加值?或者我是否必须通过 boost::program_options::store()?

之类的函数

如有任何帮助,我们将不胜感激!如果有什么不清楚的地方,或者您希望我尝试什么,请告诉我!

谢谢!

是的,你可以。

请注意,您必须决定如何“模拟”/“伪造”它的其他语义。 (例如,您可能希望将选项伪装成默认值)

从概念上讲,variable_map 将是 map<string, variable_value>variable_value:

Class holding value of option. Contains details about how the value is set and allows to conveniently obtain the value.

另请注意,由于 variable_value 使用 boost::any 进行存储,因此您必须 准确 您将存储的类型。 (因此,如果您需要 std::string("ah okay"),请不要存储 "oops")。

这是一个简单的演示:

Live On Coliru

#include <boost/program_options.hpp>
#include <iostream>
#include <iomanip>

namespace po = boost::program_options;
using namespace std::string_literals;

int main(/*int argc, char** argv*/) {
    // Some helpful definitions
    po::variables_map vm;

    vm.emplace("file-cfg", po::variable_value("string"s, true));
    vm.emplace("log-level", po::variable_value(3, false));
    vm.emplace("option3", po::variable_value{});
    notify(vm);

    std::vector unrc = { "unrecognized"s, "options"s };

    for (auto& [name, value] : vm) {
        std::cout
            << "Name: " << name
            << std::boolalpha
            << "\tdefaulted:" << value.defaulted()
            << "\tempty:" << value.empty();

        if (typeid(std::string) == value.value().type())
            std::cout << " - string " << std::quoted(value.as<std::string>()) << "\n";
        else if (typeid(int) == value.value().type())
            std::cout << " - int " << value.as<int>() << "\n";
        else if (!value.empty())
            std::cout << " - unknown type\n";
    }
}

版画

Name: file-cfg  defaulted:true  empty:false - string "string"
Name: log-level defaulted:false empty:false - int 3
Name: option3   defaulted:false empty:true