C++:提升program_options:多个参数列表

C++: Boost program_options: Multiple lists of arguments

本文关键字:参数 列表 提升 program C++ options      更新时间:2023-10-16

我目前正在与boost::program_options合作。我的程序应该将任意数量的任意长度的"列表"作为参数(除其他外)。例如,用户应该能够调用

./myprogram -list item1 item2 item3 -list item1 item2 -list item1 item2
显然,我不想得到一个列表/向量,结果是所有项目一个接一个,而是(在这种情况下)三个列表/向量(

或者,例如,一个包含元素的向量),每个列表有两个或三个项目(每个项目都应该是一个字符串,但我想这无关紧要)。正如我之前所说,列表的数量(以及每个列表的项目数量!)应该是任意的。我怎样才能用boost::program_options做到这一点?

这可以在没有大量额外代码的情况下完成。秘诀是将解析步骤与存储步骤分开,就像本答案中所做的那样。

解析器将返回一个键/值结构容器,因为选项来自用户。如果多次提交选项,则容器将为每个选项提交提供一个单独的条目。扫描特定选项并按照我们想要的方式组织其值非常简单。

下面是一个示例,该示例在单独的行上打印出每个输入多标记选项:

#include <iostream>
#include <string>
#include <vector>
#include <boost/program_options.hpp>
namespace po = boost::program_options;
int main(int argc, char *argv[]) {
   // Define a multi-token option.
   po::options_description desc("Allowed options");
   desc.add_options()
      ("list", po::value<std::vector<std::string>>()->multitoken(), "multiple values");
   // Just parse the options without storing them in a map.
   po::parsed_options parsed_options = po::command_line_parser(argc, argv)
      .options(desc)
      .run();
   // Build list of multi-valued option instances. We iterate through
   // each command-line option, whether it is repeated or not. We
   // accumulate the values for our multi-valued option in a
   // container.
   std::vector<std::vector<std::string>> lists;
   for (const po::option& o : parsed_options.options) {
      if (o.string_key == "list")
         lists.push_back(o.value);
   }
   // If we had other normal options, we would store them in a map
   // here. In this demo program it isn't really necessary because
   // we are only interested in our special multi-valued option.
   po::variables_map vm;
   po::store(parsed_options, vm);
   // Print out the multi-valued option, each separate instance on its
   // own line.
   for (size_t i = 0; i < lists.size(); ++i) {
      for (size_t j = 0; j < lists[i].size(); ++j)
         std::cout << lists[i][j] << ' ';
      std::cout << 'n';
   }
   return 0;
}

下面是一个示例调用(在 coliru 直播):

$ ./po --list 1 2 3 --list foo bar --list how now brown cow
1 2 3 
foo bar 
how now brown cow