Shell completion
Cliffy supports shell completion out of the box. To enable shell completions it is required to register the completions command.
The completions command generates a shell completions script for your specific shell environment. Currently supported shells are:
The completions script enables completions for all sub-commands, options and arguments.
There are three ways to add shell completions to types which are explained in the following sections.
Enum type
One way is to use the EnumType
. All values defined with the EnumType
will be
used for shell completions. Read more about the enum type
here.
import { Command, EnumType } from "https://deno.land/x/cliffy@v0.24.2/command/mod.ts";
await new Command()
.type("color", new EnumType(["red", "blue", "yellow"]))
.arguments("[color-name:color]")
.option("-c, --color <name:color>", "Choose a color.")
.parse(Deno.args);
Copy
Complete method
Another way to add competions is by registering a completions action with the
.complete()
method. The values returned by the .complete()
method will be
used for shell completions.
To use these completions you can add the name of the action after the type separated by colon.
i❗ Completions defined with the
.complete()
method will override the completions defined with a type.
import { Command } from "https://deno.land/x/cliffy@v0.24.2/command/mod.ts";
await new Command()
.complete("color", () => ["red", "blue", "yellow"])
.arguments("[color-name:string:color]")
.option("-c, --color <name:string:color>", "Choose a color.")
.parse(Deno.args);
Copy
Custom type
The 3rd way to add shell completions is by creating a custom type with a
.complete()
method. The values returned by the .complete()
method will be
used for shell completions. You can read more about custom types
here.
import { Command, StringType } from "https://deno.land/x/cliffy@v0.24.2/command/mod.ts";
class ColorType extends StringType {
complete(): Array<string> {
return ["red", "blue", "yellow"];
}
}
await new Command()
.type("color", new ColorType())
.option("-c, --color <name:color>", "Choose a color.")
.parse(Deno.args);
Copy