Caporal
A full-featured framework for building command line applications (cli) with node.js,
including help generation, colored output, verbosity control, custom logger, coercion
and casting, typos suggestions, and auto-complete for bash/zsh/fish.
Install
Simply add Caporal as a dependency:
$ npm install caporal --save
$ yarn add caporal
Glossary
- Program: a cli app that you can build using Caporal
- Command: a command within your program. A program may have multiple commands.
- Argument: a command may have one or more arguments passed after the command.
- Options: a command may have one or more options passed after (or before) arguments.
Angled brackets (e.g. <item>
) indicate required input. Square brackets (e.g. [env]
) indicate optional input.
Examples
#!/usr/bin/env node
const prog = require('caporal');
prog
.version('1.0.0')
.command('deploy', 'Deploy an application')
.argument('<app>', 'App to deploy', /^myapp|their-app$/)
.argument('[env]', 'Environment to deploy on', /^dev|staging|production$/, 'local')
.option('--tail <lines>', 'Tail <lines> lines of logs after deploy', prog.INT)
.action(function(args, options, logger) {
});
prog.parse(process.argv);
Variadic arguments
You can use ...
to indicate variadic arguments. In that case, the resulted value will be an array.
Note: Only the last argument of a command can be variadic !
#!/usr/bin/env node
const prog = require('caporal');
prog
.version('1.0.0')
.command('deploy', 'Our deploy command')
.argument('<app>', 'App to deploy')
.argument('<env>', 'Environment')
.argument('[other-env...]', 'Other environments')
.action(function(args, options, logger) {
console.log(args);
});
prog.parse(process.argv);
Simple program (single command)
For a very simple program with just one command, you can omit the .command() call:
#!/usr/bin/env node
const prog = require('caporal');
prog
.version('1.0.0')
.description('A simple program that says "biiiip"')
.action(function(args, options, logger) {
logger.info("biiiip")
});
prog.parse(process.argv);
Programmatic Caporal usage
You can pass arguments and options directly to Caporal API.
#!/usr/bin/env node
const prog = require('caporal');
prog
.version('1.0.0')
.command('deploy', 'Our deploy command')
.argument('<app>', 'App to deploy')
.argument('<env>', 'Environment')
.option('--how-much', 'How much app to deploy', prog.INT, 1)
.action(function(args, options, logger) {
logger.info(args);
logger.info(options);
});
prog.exec(['deploy', 'myapp', 'env'], {
howMuch: 2
});
Logging
Inside your action(), use the logger argument (third one) to log informations.
#!/usr/bin/env node
const prog = require('caporal');
prog
.version('1.0.0')
.command('deploy', 'The deploy command')
.action((args, options, logger) => {
logger.info("Application deployed !");
});
prog.parse(process.argv);
Logging levels
The default logging level is 'info'. The predefined options can be used to change the logging level:
-v, --verbose
: Set the logging level to 'debug' so debug() logs will be output.--quiet, --silent
: Set the logging level to 'warn' so only warn() and error() logs will be output.
Custom logger
Caporal uses winston
for logging. You can provide your own winston-compatible logger using .logger()
the following way:
#!/usr/bin/env node
const prog = require('caporal');
const myLogger = require('/path/to/my/logger.js');
prog
.version('1.0.0')
.logger(myLogger)
.command('foo', 'Foo command description')
.action((args, options, logger) => {
logger.info("Foo !!");
});
prog.parse(process.argv);
-v, --verbose
: Set the logging level to 'debug' so debug() logs will be output.--quiet, --silent
: Set the logging level to 'warn' so only warn() and error() logs will be output.
Coercion and casting using validators
You can apply coercion and casting using various validators:
Flag validator
INT
(or INTEGER
): Check option looks like an int and cast it with parseInt()
FLOAT
: Will Check option looks like a float and cast it with parseFloat()
BOOL
(or BOOLEAN
): Check for string like 0
, 1
, true
, false
, on
, off
and cast itLIST
(or ARRAY
): Transform input to array by splitting it on commaREPEATABLE
: Make the option repeatable, eg ./mycli -f foo -f bar -f joe
#!/usr/bin/env node
const prog = require('caporal');
prog
.version('1.0.0')
.command('order pizza')
.option('--number <num>', 'Number of pizza', prog.INT, 1)
.option('--kind <kind>', 'Kind of pizza', /^margherita|hawaiian$/)
.option('--discount <amount>', 'Discount offer', prog.FLOAT)
.option('--add-ingredients <ingredients>', 'Ingredients', prog.LIST)
.action(function(args, options) {
});
prog.parse(process.argv);
#!/usr/bin/env node
const prog = require('caporal');
prog
.version('1.0.0')
.command('concat')
.option('-f <file>', 'File to concat', prog.REPEATABLE)
.action(function(args, options) {
});
prog.parse(process.argv);
Function validator
Using this method, you can check and cast user input. Make the check fail by throwing an Error
,
and cast input by returning a new value from your function.
#!/usr/bin/env node
const prog = require('caporal');
prog
.version('1.0.0')
.command('order pizza')
.option('--kind <kind>', 'Kind of pizza', function(opt) {
if (['margherita', 'hawaiian'].includes(opt) === false) {
throw new Error("You can only order margherita or hawaiian pizza!");
}
return opt.toUpperCase();
})
.action(function(args, options) {
});
prog.parse(process.argv);
Array validator
Using an Array
, Caporal will check that it contains the argument/option passed.
Note: It is not possible to cast user input with this method, only checking it,
so it's basically only interesting for strings, but a major advantage is that this method
will allow autocompletion of arguments and option values.
#!/usr/bin/env node
const prog = require('caporal');
prog
.version('1.0.0')
.command('order pizza')
.option('--kind <kind>', 'Kind of pizza', ["margherita", "hawaiian"])
.action(function(args, options) {
});
prog.parse(process.argv);
RegExp validator
Simply pass a RegExp object to test against it.
Note: It is not possible to cast user input with this method, only checking it,
so it's basically only interesting for strings.
#!/usr/bin/env node
const prog = require('caporal');
prog
.version('1.0.0')
.command('order pizza')
.option('--kind <kind>', 'Kind of pizza', /^margherita|hawaiian$/)
.action(function(args, options) {
});
prog.parse(process.argv);
Colors
By default, Caporal will output colors for help and errors.
This behaviour can be disabled by passing --no-colors
.
Auto-generated help
Caporal automatically generates help/usage instructions for you.
Help can be displayed using -h
or --help
options, or with the default help
command.
Custom help
You can add some custom help to the whole program or to specific commands using .help()
.
Custom help for the whole program
#!/usr/bin/env node
const prog = require('caporal');
prog
.version('1.0.0')
.help('my global help')
.command('order pizza')
.action(function(args, options) {
});
prog.parse(process.argv);
Custom help for specific commands
#!/usr/bin/env node
const prog = require('caporal');
prog
.version('1.0.0')
.command('order')
.help('my help for the order command')
.action(function(args, options) {
})
.command('cancel')
.help('my help for the cancel command')
.action(function(args, options) {
})
prog.parse(process.argv);
Typo suggestions
Caporal will automatically make suggestions for option typos.
Shell auto-completion
Caporal comes with an auto-completion feature out of the box for bash
, zsh
, and fish
,
thanks to tabtab.
For this feature to work, you will have to:
- Put your cli app in your
$PATH
(this is the case if your app is installed globally using npm install -g <myapp>
) - Setup auto-completion for your shell, like bellow.
If you are using bash
source <(myapp completion bash)
echo "source <(myapp completion bash)" >> ~/.bashrc \
&& source ~/.bashrc
If you are using zsh
source <(myapp completion zsh)
echo "source <(myapp completion zsh)" >> ~/.zshrc \
&& source ~/.zshrc
If you are using fish
source <(myapp completion fish)
echo "source <(myapp completion fish)" >> ~/.config/fish/config.fish \
&& source ~/.config/fish/config.fish
Basic auto-completion
By default, it will autocomplete commands and option names.
Also, options having an Array validator will be autocompleted.
Auto-completion setup example
#!/usr/bin/env node
const prog = require('caporal');
prog
.version('1.0.0')
.command('order', 'Order a pizza')
.alias('give-it-to-me')
.argument('<kind>', 'Kind of pizza', ["margherita", "hawaiian", "fredo"])
.argument('<from-store>', 'Which store to order from')
.complete(function() {
return ['store-1', 'store-2', 'store-3', 'store-4', 'store-5'];
})
.argument('<account>', 'Which account id to use')
.complete(function() {
return Promise.resolve(['account-1', 'account-2']);
})
.option('-n, --number <num>', 'Number of pizza', prog.INT, 1)
.option('-d, --discount <amount>', 'Discount offer', prog.FLOAT)
.option('-p, --pay-by <mean>', 'Pay by option')
.complete(function() {
return Promise.resolve(['cash', 'credit-card']);
})
.option('-e, --extra <ingredients>', 'Add extra ingredients', ['pepperoni', 'onion', 'cheese'])
.action(function(args, options, logger) {
logger.info("Command 'order' called with:");
logger.info("arguments: %j", args);
logger.info("options: %j", options);
})
.command('return', 'Return an order')
.argument('<order-id>', 'Order id')
.complete(function() {
return Promise.resolve(['#82792', '#71727', '#526Z52']);
})
.argument('<to-store>', 'Store id')
.option('--ask-change <other-kind-pizza>', 'Ask for other kind of pizza')
.complete(function() {
return Promise.resolve(["margherita", "hawaiian", "fredo"]);
})
.option('--say-something <something>', 'Say something to the manager')
.action(function(args, options, logger) {
logger.info("Command 'return' called with:");
logger.info("arguments: %j", args);
logger.info("options: %j", options);
});
prog.parse(process.argv);
API
require('caporal')
Returns a Program
instance.
Program API
.version(version) : Program
Set the version of your program. You may want to use your package.json
version to fill it:
const myProgVersion = require('./package.json').version;
const prog = require('caporal');
prog
.version(myProgVersion)
prog.parse(process.argv);
Your program will then automaticaly handle -V
and --version
options:
matt@mb:~$ ./my-program --version
1.0.0
.command(name, description) -> Command
Set up a new command with name and description. Multiple commands can be added to one program.
Returns a {Command}.
const prog = require('caporal');
prog
.version('1.0.0')
.command('walk', 'Make the player walk')
.action((args, options, logger) => { logger.log("I'm walking !")})
.command('run', 'Make the player run')
.action((args, options, logger) => { logger.log("I'm running !")})
.command('cook pizza', 'Make the player cook a pizza')
.argument('<kind>', 'Kind of pizza')
.action((args, options, logger) => { logger.log("I'm cooking a pizza !")})
prog.parse(process.argv);
.logger([logger]) -> Program | winston
Get or set the logger instance. Without argument, it returns the logger instance (winston by default).
With the logger argument, it sets a new logger.
Command API
.argument(synopsis, description, [validator, [defaultValue]]) -> Command
Add an argument to the command. Can be called multiple times to add several arguments.
- synopsis (String): something like
<my-required-arg>
or [my-optional-arg]
- description (String): argument description
- validator (Caporal Flag | Function | Array | RegExp): optional validator, see Coercion and casting
- defaultValue (*): optional default value
.option(synopsis, description, [validator, [defaultValue, [required]]) -> Command
Add an option to the command. Can be called multiple times to add several options.
- synopsis (String): You can pass short or long notation here, or both. See examples.
- description (String): option description
- validator (Caporal Flag | Function | Array | RegExp): optional validator, see Coercion and casting
- defaultValue (*): optional default value
- required (Bool): Is the option itself required ? Default to
false
.action(action) -> Command
Define the action, e.g a Function, for the current command.
The action callback will be called with 3 arguments:
- args (Object): Passed arguments
- options (Object): Passed options
- logger (winston): Winston logger instance
const prog = require('caporal');
prog
.version('1.0.0')
.command('walk', 'Make the player walk')
.action((args, options, logger) => {
logger.log("I'm walking !")
});
You can make your actions async by using Promises:
const prog = require('caporal');
prog
.version('1.0.0')
.command('walk', 'Make the player walk')
.action((args, options, logger) => {
return new Promise();
});
.alias(alias) -> Command
Define an alias for the current command. A command can only have one alias.
const prog = require('caporal');
prog
.version('1.0.0')
.command('walk', 'Make the player walk')
.alias('w')
.action((args, options, logger) => { logger.log("I'm walking !")});
prog.parse(process.argv);
.complete(completer) -> Command
Define an auto-completion handler for the latest argument or option added to the command.
- completer (Function): The completer function has to return either an
Array
or a Promise
which resolves to an Array
.
Credits
Caporal is strongly inspired by commander.js and Symfony Console.
Caporal make use of the following npm packages:
License
Copyright © Matthias ETIENNE
Permission is hereby granted, free of charge, to any person obtaining a copy of this software and associated documentation files (the “Software”), to deal in the Software without restriction, including without limitation the rights to use, copy, modify, merge, publish, distribute, sublicense, and/or sell copies of the Software, and to permit persons to whom the Software is furnished to do so, subject to the following conditions:
The above copyright notice and this permission notice shall be included in all copies or substantial portions of the Software.
The Software is provided “as is”, without warranty of any kind, express or implied, including but not limited to the warranties of merchantability, fitness for a particular purpose and noninfringement. In no event shall the authors or copyright holders be liable for any claim, damages or other liability, whether in an action of contract, tort or otherwise, arising from, out of or in connection with the software or the use or other dealings in the Software.