The clargs
library can be used to parse command-line arguments.
Parsing command-line arguments requires quite a bit of boilerplate code. This library remedies that for rust projects.
A Parser
object can be used to parse command-line arguments after configuring the Parser
.
Configuring the Parser
consists of registering flags and named parameters, and (optionally) enabling or disabling some features.
A flag is an option that has a name and does not require an argument. A named parameter is an option that has a name and that does require an argument. An unnamed parameter is an option that is neither a flag, a named parameter, nor an argument to a named parameter.
All option names can contain only lower and uppercase letters and hyphens.
The double hyphen marker is a feature that is enabled by default. If enabled, any arguments that follow a '--' argument are interpreted as unnamed parameters. If disabled, the '--' argument itself is interpreted as an unnamed parameter.
Note that the first argument is always interpreted as the path to the running program.
There are two types of command-line syntax, single hyphen and double hyphen syntax.
Single hyphen syntax works by specifying options as letters preceded by a '-'. Any letters following a single '-' are interpreted as options. If the last option is a named parameter, then the next argument is that option's argument. If another option is a named parameter, then the next letter must be a digit. In that case, the digit and all following letters are interpreted as that option's argument.
Double hyphen syntax works by specifying options by preceding them with a '--'. If the string following a '--' does not match any option's name, a partial match will be looked for. A string partially matches an option's name, if that name starts with the specified string. Note that if there are multiple matches, an error will be returned. If the specified option is a named parameter, the next argument will be interpreted as that option's argument.
If an option specified using '--' contains a '=', it is interpreted as a named parameter. The part before the '=' is interpreted as the option's name, the part after the '=' is interpreted as the option's argument.
An example of how clargs
would be used:
``` // create and configure a parser object let mut parser = clargs::Parser::new();
parser.addflag(String::from("f")); parser.addflag(String::from("flag"));
parser.addnamedparam::
parser.addnamedparam::
// getting and parsing the command line arguments
let args: Vec
// code with path println!("{}", results.path());
if results.flag("f") { // code if flag 'f' was set } if results.flag("flag") { // code if flag 'flag' was set }
if let Some(value) = results.namedparam::
if let Some(value) = results.namedparam::
// code with unnamed parameters println!("{:?}", results.unnamed_params()); ```