13

如何使选项仅接受某些指定值,如下例所示:

$ java -jar Mumu.jar -a foo
OK
$ java -jar Mumu.jar -a bar
OK
$ java -jar Mumu.jar -a foobar
foobar is not a valid value for -a
4

3 回答 3

8

另一种方法是扩展 Option 类。在工作中,我们做到了:

    public static class ChoiceOption extends Option {
        private final String[] choices;

        public ChoiceOption(
            final String opt,
            final String longOpt,
            final boolean hasArg,
            final String description,
            final String... choices) throws IllegalArgumentException {
        super(opt, longOpt, hasArg, description + ' ' + Arrays.toString(choices));
        this.choices = choices;
       }

      public String getChoiceValue() throws RuntimeException {
        final String value = super.getValue();
        if (value == null) {
            return value;
        }
        if (ArrayUtils.contains(choices, value)) {
            return value;
        }
        throw new RuntimeException( value " + describe(this) + " should be one of " + Arrays.toString(choices));
     }

      @Override
      public boolean equals(final Object o) {
        if (this == o) {
            return true;
        } else if (o == null || getClass() != o.getClass()) {
            return false;
        }
        return new EqualsBuilder().appendSuper(super.equals(o))
                .append(choices, ((ChoiceOption) o).choices)
                .isEquals();
     }

      @Override
      public int hashCode() {
        return new ashCodeBuilder().appendSuper(super.hashCode()).append(choices).toHashCode();
      }
  }
于 2010-08-09T12:46:10.613 回答
7

由于 commons-cli 不直接支持,最简单的解决方案可能是在获得选项时检查它的值。

于 2009-11-28T00:02:41.953 回答
7

我以前就想要这种行为,但从来没有遇到过使用已经提供的方法来做到这一点的方法。这并不是说它不存在。一种蹩脚的方式,是自己添加代码如:

private void checkSuitableValue(CommandLine line) {
    if(line.hasOption("a")) {
        String value = line.getOptionValue("a");
        if("foo".equals(value)) {
            println("OK");
        } else if("bar".equals(value)) {
            println("OK");
        } else {
            println(value + "is not a valid value for -a");
            System.exit(1);
        }
     }
 }

显然,有比长 if/else 更好的方法来做到这一点,可能使用enum,但这应该是你所需要的。我也没有编译这个,但我认为它应该可以工作。

此示例也没有强制使用“-a”开关,因为问题中没有指定。

于 2009-11-28T00:10:10.830 回答