Своя командная строка java

Создайте программу командной строки Java с помощью Picocli

В этом руководстве мы подойдем к библиотеке picocli , которая позволяет нам легко создавать программы командной строки на Java.

Сначала мы начнем с создания команды Hello World. Затем мы углубимся в ключевые особенности библиотеки, частично воспроизведя команду git .

2. Привет, мир командования

Начнем с простого: с команды Hello World!

Перво- наперво нам нужно добавить зависимость в проект picocli :

Как мы видим, мы будем использовать версию библиотеки 3.9.6 , хотя версия 4.0.0 находится в стадии разработки (в настоящее время доступна в альфа-тестировании).

Теперь, когда зависимость настроена, давайте создадим нашу команду Hello World. Для этого воспользуемся аннотацией @Command из библиотеки :

@Command( name = "hello", description = "Says hello" ) public class HelloWorldCommand

Как видим, аннотация может принимать параметры. Здесь мы используем только два из них. Их цель — предоставить информацию о текущей команде и текст для автоматического справочного сообщения.

На данный момент мы мало что можем сделать с этой командой. Для того, чтобы это сделать что — то, нам нужно добавить основной метод , призывающие удобства CommandLine.run (Runnable, String []) метод . Он принимает два параметра: экземпляр нашей команды, которая, таким образом, должна реализовывать интерфейс Runnable , и массив String, представляющий аргументы команды (параметры, параметры и подкоманды):

public class HelloWorldCommand implements Runnable < public static void main(String[] args) < CommandLine.run(new HelloWorldCommand(), args); >@Override public void run() < System.out.println("Hello World!"); >>

Теперь, когда мы запустим основной метод, мы увидим, что консоль выводит «Hello World!»

При упаковке в банку мы можем запустить нашу команду Hello World, используя команду java :

java -cp "pathToPicocliJar;pathToCommandJar" com.baeldung.picoli.helloworld.HelloWorldCommand

Неудивительно, что это также выводит «Hello World!» строка к консоли.

3. Конкретный пример использования

Теперь, когда мы познакомились с основами, мы углубимся в библиотеку picocli . Для этого мы частично воспроизведем популярную команду: git .

Конечно, цель заключается не в реализации поведения команды git, а в воспроизведении возможностей команды git — какие подкоманды существуют и какие опции доступны для особой подкоманды.

Во-первых, мы должны создать класс GitCommand, как мы это делали для нашей команды Hello World:

@Command public class GitCommand implements Runnable < public static void main(String[] args) < CommandLine.run(new GitCommand(), args); >@Override public void run() < System.out.println("The popular git command"); >>

4. Добавление подкоманд

Команда git предлагает множество подкоманд — добавить, зафиксировать, удаленно и многое другое. Здесь мы сосредоточимся на добавлении и фиксации .

Итак, нашей целью здесь будет объявить эти две подкоманды основной команде. Picocli предлагает три способа добиться этого.

4.1. Использование аннотации @Command в классах

В @command аннотации предлагают возможность зарегистрировать подкоманды через подкоманды параметров :

В нашем случае мы добавляем два новых класса: GitAddCommand и GitCommitCommand . Оба аннотированы @Command и реализуют Runnable . Важно дать им имя, так как эти имена будут использоваться программой picocli для распознавания того, какую подкоманду (-ы) выполнить:

@Command( name = "add" ) public class GitAddCommand implements Runnable < @Override public void run() < System.out.println("Adding some files to the staging area"); >>
@Command( name = "commit" ) public class GitCommitCommand implements Runnable < @Override public void run() < System.out.println("Committing files in the staging area, how wonderful?"); >>

Таким образом, если мы запустим нашу основную команду с добавлением в качестве аргумента, консоль выдаст «Добавление файлов в промежуточную область» .

4.2. Использование аннотации @Command в методах

Другой способ объявить подкоманды — создать аннотированные @Command методы, представляющие эти команды в классе GitCommand :

@Command(name = "add") public void addCommand() < System.out.println("Adding some files to the staging area"); >@Command(name = "commit") public void commitCommand()

Таким образом, мы можем напрямую реализовать нашу бизнес-логику в методах, а не создавать отдельные классы для ее обработки.

Читайте также:  Javascript get data in url

4.3. Программное добавление подкоманд

Наконец, picocli предлагает нам возможность программно регистрировать наши подкоманды. Это немного сложнее, так как нам нужно создать объект CommandLine, обертывающий нашу команду, а затем добавить к нему подкоманды:

CommandLine commandLine = new CommandLine(new GitCommand()); commandLine.addSubcommand("add", new GitAddCommand()); commandLine.addSubcommand("commit", new GitCommitCommand());

После этого мы еще должны запустить нашу команду, но мы не можем использовать CommandLine.run () метод больше . Теперь нам нужно вызвать метод parseWithHandler () для нашего вновь созданного объекта C ommandLine :

commandLine.parseWithHandler(new RunLast(), args);

Мы должны отметить использование класса RunLast , который сообщает picocli о необходимости выполнения наиболее конкретной подкоманды. Picocli предоставляет два других обработчика команд : RunFirst и RunAll . Первый запускает самую верхнюю команду, а второй запускает их все.

При использовании метода удобства CommandLine.run () , то RunLast обработчик используется по умолчанию.

5. Управление параметрами с помощью аннотации @Option

5.1. Вариант без аргумента

Let’s now see how to add some options to our commands. Indeed, we would like to tell our add command that it should add all modified files. To achieve that, we’ll add a field annotated with the @Option annotation to our GitAddCommand class:

@Option(names = ) private boolean allFiles; @Override public void run() < if (allFiles) < System.out.println("Adding all files to the staging area"); >else < System.out.println("Adding some files to the staging area"); >>

As we can see, the annotation takes a names parameter, which gives the different names of the option. Therefore, calling the add command with either -A or –all will set the allFiles field to true. So, if we run the command with the option, the console will show “Adding all files to the staging area”.

5.2. Option with an Argument

As we just saw, for options without arguments, their presence or absence is always evaluated to a boolean value.

However, it’s possible to register options that take arguments. We can do this simply by declaring our field to be of a different type. Let’s add a message option to our commit command:

@Option(names = ) private String message; @Override public void run() < System.out.println("Committing files in the staging area, how wonderful?"); if (message != null) < System.out.println("The commit message is " + message); >>

Unsurprisingly, when given the message option, the command will show the commit message on the console. Later in the article, we’ll cover which types are handled by the library and how to handle other types.

5.3. Option with Multiple Arguments

But now, what if we want our command to take multiple messages, as is done with the real git commit command? No worries, let’s make our field be an array or a Collection, and we’re pretty much done:

@Option(names = ) private String[] messages; @Override public void run() < System.out.println("Committing files in the staging area, how wonderful?"); if (messages != null) < System.out.println("The commit message is"); for (String message : messages) < System.out.println(message); >> >

Now, we can use the message option multiple times:

commit -m "My commit is great" -m "My commit is beautiful"

However, we might also want to give the option only once and separate the different parameters by a regex delimiter. Hence, we can use the split parameter of the @Option annotation:

@Option(names = , split = ",") private String[] messages;

Now, we can pass -m “My commit is great”,”My commit is beautiful” to achieve the same result as above.

Читайте также:  Python посмотреть все методы объекта

5.4. Required Option

Sometimes, we might have an option that is required. The required argument, which defaults to false, allows us to do that:

@Option(names = , required = true) private String[] messages;

Now it’s impossible to call the commit command without specifying the message option. If we try to do that, picocli will print an error:

Missing required option '--message=' Usage: git commit -m= [-m=]. -m, --message=

6. Managing Positional Parameters

6.1. Capture Positional Parameters

Now, let’s focus on our add command because it’s not very powerful yet. We can only decide to add all files, but what if we wanted to add specific files?

We could use another option to do that, but a better choice here would be to use positional parameters. Indeed, positional parameters are meant to capture command arguments that occupy specific positions and are neither subcommands nor options.

In our example, this would enable us to do something like:

In order to capture positional parameters, we’ll make use of the @Parameters annotation:

@Parameters private List files; @Override public void run() < if (allFiles) < System.out.println("Adding all files to the staging area"); >if (files != null) < files.forEach(path ->System.out.println("Adding " + path + " to the staging area")); > >

Now, our command from earlier would print:

Adding file1 to the staging area Adding file2 to the staging area

6.2. Capture a Subset of Positional Parameters

It’s possible to be more fine-grained about which positional parameters to capture, thanks to the index parameter of the annotation. The index is zero-based. Thus, if we define:

This would capture arguments that don’t match options or subcommands, from the third one to the end.

The index can be either a range or a single number, representing a single position.

7. A Word About Type Conversion

As we’ve seen earlier in this tutorial, picocli handles some type conversion by itself. For example, it maps multiple values to arrays or Collections, but it can also map arguments to specific types like when we use the Path class for the add command.

As a matter of fact, picocli comes with a bunch of pre-handled types. This means we can use those types directly without having to think about converting them ourselves.

However, we might need to map our command arguments to types other than those that are already handled. Fortunately for us, this is possible thanks to the ITypeConverter interface and the CommandLine#registerConverter method, which associates a type to a converter.

Let’s imagine we want to add the config subcommand to our git command, but we don’t want users to change a configuration element that doesn’t exist. So, we decide to map those elements to an enum:

public enum ConfigElement < USERNAME("user.name"), EMAIL("user.email"); private final String value; ConfigElement(String value) < this.value = value; >public String value() < return value; >public static ConfigElement from(String value) < return Arrays.stream(values()) .filter(element ->element.value.equals(value)) .findFirst() .orElseThrow(() -> new IllegalArgumentException("The argument " + value + " doesn't match any ConfigElement")); > >

Plus, in our newly created GitConfigCommand class, let’s add two positional parameters:

@Parameters(index = "0") private ConfigElement element; @Parameters(index = "1") private String value; @Override public void run()

This way, we make sure that users won’t be able to change non-existent configuration elements.

Читайте также:  Php вывести все глобальные переменные

Finally, we have to register our converter. What’s beautiful is that, if using Java 8 or higher, we don’t even have to create a class implementing the ITypeConverter interface. We can just pass a lambda or method reference to the registerConverter() method:

CommandLine commandLine = new CommandLine(new GitCommand()); commandLine.registerConverter(ConfigElement.class, ConfigElement::from); commandLine.parseWithHandler(new RunLast(), args);

This happens in the GitCommand main() method. Note that we had to let go of the convenience CommandLine.run() method.

When used with an unhandled configuration element, the command would show the help message plus a piece of information telling us that it wasn’t possible to convert the parameter to a ConfigElement:

Invalid value for positional parameter at index 0 (): cannot convert 'user.phone' to ConfigElement (java.lang.IllegalArgumentException: The argument user.phone doesn't match any ConfigElement) Usage: git config 

8. Integrating with Spring Boot

Finally, let’s see how to Springify all that!

Indeed, we might be working within a Spring Boot environment and want to benefit from it in our command-line program. In order to do that, we must create a SpringBootApplication implementing the CommandLineRunner interface:

@SpringBootApplication public class Application implements CommandLineRunner < public static void main(String[] args) < SpringApplication.run(Application.class, args); >@Override public void run(String. args) < >>

Plus, let’s annotate all our commands and subcommands with the Spring @Component annotation and autowire all that in our Application:

private GitCommand gitCommand; private GitAddCommand addCommand; private GitCommitCommand commitCommand; private GitConfigCommand configCommand; public Application(GitCommand gitCommand, GitAddCommand addCommand, GitCommitCommand commitCommand, GitConfigCommand configCommand)

Note that we had to autowire every subcommand. Unfortunately, this is because, for now, picocli is not yet able to retrieve subcommands from the Spring context when declared declaratively (with annotations). Thus, we’ll have to do that wiring ourselves, in a programmatic way:

@Override public void run(String. args)

And now, our command line program works like a charm with Spring components. Therefore, we could create some service classes and use them in our commands, and let Spring take care of the dependency injection.

9. Conclusion

In this article, we’ve seen some key features of the picocli library. We’ve learned how to create a new command and add some subcommands to it. We’ve seen many ways to deal with options and positional parameters. Plus, we’ve learned how to implement our own type converters to make our commands strongly typed. Finally, we’ve seen how to bring Spring Boot into our commands.

Of course, there are many things more to discover about it. The library provides complete documentation.

As for the full code of this article, it can be found on our GitHub.

Популярные посты

Источник

Оцените статью