1 回答
TA贡献1757条经验 获得超8个赞
main对于@Command作为入口点的每个方法都有一个单独的方法是完全没问题的。main需要该方法,以便可以从命令行独立调用该命令。
例如:
@Command(name = "hello")
class Hello implements Runnable {
public static void main(String[] args) {
CommandLine.run(new Hello(), args);
}
public void run() { System.out.println("hello"); }
}
@Command(name = "bye")
class Bye implements Runnable {
public static void main(String[] args) {
CommandLine.run(new Bye(), args);
}
public void run() { System.out.println("bye"); }
}
一种例外情况是当您的应用程序具有带有子命令的命令时。在这种情况下,您只需要main为顶级命令提供方法,而不需要为子命令提供方法。
带有子命令的示例:
@Command(name = "git", subcommands = {Commit.class, Status.class})
class Git implements Runnable {
public static void main(String[] args) { // top-level command needs main
CommandLine.run(new Git(), args);
}
public void run() { System.out.println("Specify a subcommand"); }
}
@Command(name = "commit")
class Commit implements Runnable {
@Option(names = "-m") String message;
@Parameters File[] files;
public void run() {
System.out.printf("Committing %s with message '%s'%n",
Arrays.toString(files), message);
}
}
@Command(name = "status")
class Status implements Runnable {
public void run() { System.out.println("All ok."); }
}
注意,main当有子命令时,只有顶级命令需要一个方法。即使使用子命令,也不需要工厂。
添加回答
举报