Lightweight and flexible command line argument parser with derive and combinatoric style API
bpaf
supports both combinatoric and derive APIs and it’s possible to mix and match both APIs at once. Both APIs provide access to mostly the same features, some things are more convenient to do with derive (usually less typing), some - with combinatoric (usually maximum flexibility and reducing boilerplate structs). In most cases using just one would suffice. Whenever possible APIs share the same keywords and overall structure. Documentation for combinatoric API also explains how to perform the same action in derive style.
bpaf
supports dynamic shell completion for bash
, zsh
, fish
and elvish
.
bpaf
under [dependencies]
in your Cargo.toml
toml
[dependencies]
bpaf = { version = "0.5", features = ["derive"] }
```rust use bpaf::Bpaf;
/// Accept speed and distance, print them struct SpeedAndDistance { /// Speed in KPH speed: f64, /// Distance in miles distance: f64, }
fn main() { // #[derive(Bpaf) generates function speedanddistance let opts = speedanddistance().run(); println!("Options: {:?}", opts); } ```
```console % very_basic --help Accept speed and distance, print them
Usage: --speed ARG --distance ARG
Available options:
--speed
% very_basic --speed 100 Expected --distance ARG, pass --help for usage information
% very_basic --speed 100 --distance 500 Options: SpeedAndDistance { speed: 100.0, distance: 500.0 }
% very_basic --version Version: 0.5.0 (taken from Cargo.toml by default) ```
bpaf
under [dependencies]
in your Cargo.toml
toml
[dependencies]
bpaf = "0.5"
```rust use bpaf::{construct, long, Parser};
struct SpeedAndDistance { /// Dpeed in KPH speed: f64, /// Distance in miles distance: f64, }
fn main() {
// primitive parsers
let speed = long("speed")
.help("Speed in KPG")
.argument("SPEED")
.from_str::
let distance = long("distance")
.help("Distance in miles")
.argument("DIST")
.from_str::<f64>();
// parser containing information about both speed and distance
let parser = construct!(SpeedAndDistance { speed, distance });
// option parser with metainformation attached
let speed_and_distance
= parser
.to_options()
.descr("Accept speed and distance, print them");
let opts = speed_and_distance.run();
println!("Options: {:?}", opts);
} ```
Library allows to consume command line arguments by building up parsers for individual arguments and combining those primitive parsers using mostly regular Rust code plus one macro. For example it’s possible to take a parser that requires a single floating point number and transform it to a parser that takes several of them or takes it optionally so different subcommands or binaries can share a lot of the code:
```rust
// a regular function that doesn't depend on anything, you can export it
// and share across subcommands and binaries
fn speed() -> impl Parser
// this parser accepts multiple --speed
flags from a command line when used,
// collecting them into a vector
fn multiple_args() -> impl Parser
// this parser checks if --speed
is present and uses value of 42 if it's not
fn with_fallback() -> impl Parser
At any point you can apply additional validation or fallback values in terms of current parsed state of each subparser and you can have several stages as well:
```rust
struct Speed(f64);
fn speed() -> impl Parserimpl Parser<String>
.from_str::from_str
uses FromStr trait to transform contained value into f64
// You can perform additional validation with `parse` and `guard` functions
// in as many steps as required.
// Before and after next two applications the type is still `impl Parser<f64>`
.guard(|&speed| speed >= 0.0, "You need to buy a DLC to move backwards")
.guard(|&speed| speed <= 100.0, "You need to buy a DLC to break the speed limits")
// You can transform contained values, next line gives `impl Parser<Speed>` as a result
.map(|speed| Speed(speed))
} ```
Library follows parse, don’t validate approach to validation when possible. Usually you parse your values just once and get the results as a rust struct/enum with strict types rather than a stringly typed hashmap with stringly typed values in both combinatoric and derive APIs.
The main restricting library sets is that you can’t use parsed values (but not the fact that parser succeeded or failed) to decide how to parse subsequent values. In other words parsers don’t have the monadic strength, only the applicative one.
To give an example, you can implement this description:
Program takes one of
--stdout
or--file
flag to specify the output target, when it’s--file
program also requires-f
attribute with the filenameBut not this one:
Program takes an
-o
attribute with possible values of'stdout'
and'file'
, when it’s'file'
program also requires-f
attribute with the filenameThis set of restrictions allows to extract information about the structure of the computations to generate help and overall results in less confusing enduser experience
bpaf
performs no parameter names validation, in fact having multiple parameters with the same name is fine and you can combine them as alternatives and performs no fallback other than fallback
. You need to pay attention to the order of the alternatives inside the macro: parser that consumes the left most available argument on a command line wins, if this is the same - left most parser wins. So to parse a parameter --test
that can be both switch
and argument
you should put the argument one first.
bpaf
doesn’t support short flag names followed by immediate values: while this -fbar
could mean -f
followed by a parameter "bar"
- this isn’t supported. bpaf
supports only -f val
and -f=val
forms for short flags, and only -f=-val
if value starts with -
.
You must place positional
and positional_os
items at the end of a structure in derive API or consume them as last arguments in derive API.
bpaf
implements shell completion to allow to automatically fill in not only flag and command names, but also argument and positional item values.
Enable autocomplete
feature:
toml
bpaf = { version = "0.5.5", features = ["autocomplete"] }
Decorate argument
and positional
parsers with complete
to autocomplete argument values
Depending on your shell generate appropriate completion file and place it to whereever your shell is going to look for it, name of the file should correspond in some way to name of your program. Consult manual for your shell for the location and named conventions:
bash: for the first bpaf
completion you need to install the whole script
console
$ your_program --bpaf-complete-style-bash >> ~/.bash_completion
but since the script doesn’t depend on a program name - it’s enough to do this for each next program
console
echo "complete -F _bpaf_dynamic_completion your_program" >> ~/.bash_completion
zsh: note _
at the beginning of the filename
console
$ your_program --bpaf-complete-style-zsh > ~/.zsh/_your_program
fish
console
$ your_program --bpaf-complete-style-fish > ~/.config/fish/completions/your_program.fish
elvish - not sure where to put it, documentation is a bit cryptic
console
$ your_program --bpaf-complete-style-elvish
Restart your shell - you need to done it only once or optionally after bpaf major version upgrade: generated completion files contain only instructions how to ask your program for possible completions and don’t change even if options are different.
Generated scripts rely on your program being accessible in $PATH
Library aims to optimize for flexibility, reusability and compilation time over runtime performance which means it might perform some additional clones, allocations and other less optimal things. In practice unless you are parsing tens of thousands of different parameters and your app exits within microseconds - this won’t affect you. That said - any actual performance related problems with real world applications is a bug.
You can find a bunch more examples here: https://github.com/pacak/bpaf/tree/master/examples
They’re usually documented or at least contain an explanation to important bits and you can see how they work by cloning the repo and running
shell
$ cargo run --example example_name
You can test your own parsers to maintain compatibility or simply checking expected output with run_inner
```rust
pub struct Options { pub user: String }
fn testmyoptions() {
let help = options()
.runinner(Args::from(&["--help"]))
.unwraperr()
.unwrapstdout();
let expectedhelp = "\
Usage --user
assert_eq!(help, expected_help);
} ```
derive
: adds a dependency on bpaf_derive
crate and reexport Bpaf
derive macro. You need to enable it to use derive API. Disabled by default.
extradocs
: used internally to include tutorials to https://docs.rs/bpaf, no reason to enable it for local development unless you want to build your own copy of the documentation (https://github.com/rust-lang/cargo/issues/8905). Disabled by default.
batteries
: helpers implemented with public bpaf
API. Enabled by default.
autocomplete
: enables support for shell autocompletion. Disabled by default.