我想为我的一些命令行参数使用默认值。我如何知道program_options
默认选项是什么,如果用户不提供参数,我如何告诉我的程序使用默认值?
假设我想要一个参数来指定要发送的机器人数量,默认值为 3。
robotkill --robots 5
会产生5 robots have begun the silicon revolution
,而
robotkill
(没有提供参数)会产生3 robots have begun the silicon revolution
.
我想为我的一些命令行参数使用默认值。我如何知道program_options
默认选项是什么,如果用户不提供参数,我如何告诉我的程序使用默认值?
假设我想要一个参数来指定要发送的机器人数量,默认值为 3。
robotkill --robots 5
会产生5 robots have begun the silicon revolution
,而
robotkill
(没有提供参数)会产生3 robots have begun the silicon revolution
.
program_options
当用户不提供这些选项时,自动为选项分配默认值。您甚至不需要检查用户是否提供了给定选项,只需在任何一种情况下使用相同的分配即可。
#include <iostream>
#include <boost/program_options.hpp>
namespace po = boost::program_options;
int main (int argc, char* argv[]) {
po::options_description desc("Usage");
desc.add_options()
("robots", po::value<int>()->default_value(3),
"How many robots do you want to send on a murderous rampage?");
po::variables_map opts;
po::store(po::parse_command_line(argc, argv, desc), opts);
try {
po::notify(opts);
} catch (std::exception& e) {
std::cerr << "Error: " << e.what() << "\n";
return 1;
}
int nRobots = opts["robots"].as<int>();
// automatically assigns default when option not supplied by user!!
std::cout << nRobots << " robots have begun the silicon revolution"
<< std::endl;
return 0;
}