2

我正在使用 apache-commons-cli 来解析我的 java 程序中的命令行参数。

现在,我正在尝试找到一种方法来排除使用帮助中显示一些敏感调试选项的方法。顺便说一句,我正在使用帮助。HelpFormatter

Option first = Option.builder("f").hasArg().desc("First argument").build();
Option second = Option.builder("s").hasArg().desc("Second argument").build();
Option debug = Option.builder("d").hasArg().desc("Debug argument. Shouldn't be displayed in help").build();

commandOptions.addOption(first).addOption(second).addOption(debug);

HelpFormatter help = new HelpFormatter();
help.printHelp("Test App", commandOptions);

这是打印所有选项。但我不希望打印第三个选项。

实际输出:

usage: Test App
 -d <arg>   Debug argument. Shouldn't be displayed in help // This shouldn't be displayed.
 -f <arg>   First argument
 -s <arg>   Second argument

预期输出:

usage: Test App
 -f <arg>   First argument
 -s <arg>   Second argument

这样,调试参数将只有实际需要了解它以进行调试的人知道。

有没有办法单独从帮助输出中禁用特定选项。但仍然像其他选项一样解析它?

顺便说一句,我正在使用commons-cli-1.3.1.jar

4

1 回答 1

4

据我所知,HelpFormatter不打算为这样的东西子类化,尤其appendOption()是私有的,因此不允许过滤掉选项。

因此,我将简单地构建两个Options对象,一个用于实际解析命令行选项,一个用于打印帮助,即

Option first = Option.builder("f").hasArg().desc("First argument").build();
Option second = Option.builder("s").hasArg().desc("Second argument").build();
Option debug = Option.builder("d").hasArg().desc("Debug argument. Shouldn't be displayed in help").build();

commandOptions.addOption(first).addOption(second).addOption(debug);

helpOptions.addOption(first).addOption(second);
HelpFormatter help = new HelpFormatter();
help.printHelp("Test App", helpOptions);
于 2016-03-12T06:48:53.320 回答