30

我正在用 Java 编写命令行应用程序,并且我选择了 Apache Commons CLI 来解析输入参数。

假设我有两个必需的选项(即 -input 和 -output)。我创建新的 Option 对象并设置所需的标志。现在一切都很好。但我有第三个,不是必需的选项,即。-帮助。使用我提到的设置,当用户想要显示帮助(使用 -help 选项)时,它会说“-input and -output”是必需的。有什么方法可以实现这个(通过 Commons CLI API,而不是简单的 if (!hasOption) throw new XXXException())。

4

2 回答 2

36

在这种情况下,您必须定义两组选项并解析命令行两次。第一组选项包含所需组之前的选项(通常是--helpand --version),第二组包含所有选项。

您首先解析第一组选项,如果没有找到匹配项,则继续使用第二组。

这是一个例子:

Options options1 = new Options();
options1.add(OptionsBuilder.withLongOpt("help").create("h"));
options1.add(OptionsBuilder.withLongOpt("version").create());

// this parses the command line but doesn't throw an exception on unknown options
CommandLine cl = new DefaultParser().parse(options1, args, true);

if (!cl.getOptions().isEmpty()) {

    // print the help or the version there.

} else {
    OptionGroup group = new OptionGroup();
    group.add(OptionsBuilder.withLongOpt("input").hasArg().create("i"));
    group.add(OptionsBuilder.withLongOpt("output").hasArg().create("o"));
    group.setRequired(true);

    Options options2 = new Options();
    options2.addOptionGroup(group);

    // add more options there.

    try {
        cl = new DefaultParser().parse(options2, args);

        // do something useful here.

    } catch (ParseException e) {
        // print a meaningful error message here.
    }
}
于 2012-05-29T12:02:22.870 回答
0

commons-cli 库有一个流利的包装器:https ://github.com/bogdanovmn/java-cmdline-app

帮助选项是内置的。还有一些方便的功能。例如,如果您必须指定以下两个选项之一:

new CmdLineAppBuilder(args)
// Optional argument
.withArg("input", "input description")
.withArg("output", "output description")

// "input" or "output" must be specified
.withAtLeastOneRequiredOption("input", "output")

.withEntryPoint(
    cmdLine -> {
        ...
    }
).build().run();
于 2020-04-06T10:49:59.483 回答