Commons Cli 简明教程
Apache Commons CLI - First Application
让我们创建一个基于示例控制台的应用程序,其目的是根据所用的选项获取所传递数字的总和或乘积。
Let’s create a sample console based application, whose purpose is to get either sum of passed numbers or multiplication of passed numbers based on the options used.
创建一个名为 CLITester 的 java 类。
Create a java class named CLITester.
Example
CLITester.java
CLITester.java
import org.apache.commons.cli.CommandLine;
import org.apache.commons.cli.CommandLineParser;
import org.apache.commons.cli.DefaultParser;
import org.apache.commons.cli.Options;
import org.apache.commons.cli.ParseException;
public class CLITester {
public static void main(String[] args) throws ParseException {
//***Definition Stage***
// create Options object
Options options = new Options();
// add option "-a"
options.addOption("a", false, "add numbers");
// add option "-m"
options.addOption("m", false, "multiply numbers");
//***Parsing Stage***
//Create a parser
CommandLineParser parser = new DefaultParser();
//parse the options passed as command line arguments
CommandLine cmd = parser.parse( options, args);
//***Interrogation Stage***
//hasOptions checks if option is present or not
if(cmd.hasOption("a")) {
System.out.println("Sum of the numbers: " + getSum(args));
} else if(cmd.hasOption("m")) {
System.out.println("Multiplication of the numbers: " + getMultiplication(args));
}
}
public static int getSum(String[] args) {
int sum = 0;
for(int i = 1; i < args.length ; i++) {
sum += Integer.parseInt(args[i]);
}
return sum;
}
public static int getMultiplication(String[] args) {
int multiplication = 1;
for(int i = 1; i < args.length ; i++) {
multiplication *= Integer.parseInt(args[i]);
}
return multiplication;
}
}
Output
运行文件,同时传递 -a 作为选项,并传递数字作为结果获取数字的总和。
Run the file, while passing -a as option and numbers to get the sum of the numbers as result.
java CLITester -a 1 2 3 4 5
Sum of the numbers: 15
运行文件,同时传递 -m 作为选项,并传递数字作为结果获取数字的乘积。
Run the file, while passing -m as option and numbers to get the multiplication of the numbers as result.
java CLITester -m 1 2 3 4 5
Multiplication of the numbers: 120