我已经实施了一个应用程序(让我们称之为#34;应用程序"),它执行两种类型的任务TA
和TB
。命令行选项因每种类型的任务而异。这就是为什么我决定用户使用"命令指定任务类型":
app command_a --opt_1 --opt_2 # For TA
app command_b --opt_3 --opt_4 # For TB
当然command_a
和command_b
是相互排斥的。 (您可以看到如何执行此操作here)。
问题1:选择哪个options_description对象我们将用命令行解析的最佳方式是什么?
问题2:实施命令帮助系统的最佳方法是什么?例如:
app help command_a # Display help for TA
答案 0 :(得分:0)
这是我在研究图书馆2小时后可以实施的最佳答案。我发布这个作为答案,因为在某种程度上提出了问题的解决方案,但我知道有人可能会有更好的解决方案。
到目前为止,我根据第一个选项设法在两个options_description对象之间进行选择(请参阅代码以获取更多详细信息)。我做的是以下内容:
OptDescA
为TA
,OptDescB
为TB
。command_a
还是command_b
。OptDescA
或OptDescB
对于第3点,我不得不将argc
递减1并将argv
指针1向前移动。
po::store(po::parse_command_line(argc - 1, argv + 1, OptDescA), vm);
这样我就不必在command_a
或command_b
中处理OptDescA
或OptDescB
。
嗯,这对我来说是(实际上是)最难的。有关实施细节,请参阅下面的代码。
我的帮助系统的问题是我必须输入:
app help command_a
而不是最常见的:
app command_a help
此外,在您输入应用帮助后,输出为:
Available commands:
--help arg Display this message
--command_a Do command_a stuff
--command_b Do command_b stuff
请注意丑陋的 - help arg
#include <iostream>
#include <string>
#include <boost/program_options.hpp>
using namespace std;
void help_system(string target);
int main(int argc, char *argv[])
{
namespace po = boost::program_options;
po::options_description command_a("Command_a options");
command_a.add_options()
("option_1", po::value<int>()->required(), "option_1 desc")
("option_2", po::value<int>()->required(), "option_2 desc")
;
po::options_description command_b("Command_b options");
command_b.add_options()
("option_3", po::value<int>()->required(), "option_3 desc")
("option_4", po::value<int>()->required(), "option_4 desc")
;
po::options_description commands("Available commands");
commands.add_options()
("help", po::value<string>()->default_value(""), "Display this message")
("command_a", "Do command_a stuff")
("command_b", "Do command_b stuff")
;
po::variables_map vm;
if (string("command_a") == string(*(argv + 1))) {
try{ po::store(po::parse_command_line(argc - 1, argv + 1, command_a), vm); }
catch (exception &e){ cout << "Error: " << e.what() << endl; }
}
else if (string("command_b") == string(*(argv + 1))) {
try{ po::store(po::parse_command_line(argc - 1, argv + 1, command_b), vm); }
catch (exception &e){ cout << "Error: " << e.what() << endl; }
}
else if (string("help") == string(*(argv + 1)))
{
cout << commands << endl;
}
try { po::notify(vm); }
catch (exception &e) { cout << "Error: " << e.what() << endl; }
return 0;
}
void help_system(string target)
{
if (target.c_str() == "command_a") {} // The ideal is to do "cout << command_a" here
// but right now command_a is out of the scope.
if (target.c_str() == "command_b") {}
}