[go: up one dir, main page]

clap/_derive/
mod.rs

1//! # Documentation: Derive Reference
2//!
3//! 1. [Overview](#overview)
4//! 2. [Attributes](#attributes)
5//!     1. [Terminology](#terminology)
6//!     2. [Command Attributes](#command-attributes)
7//!     2. [ArgGroup Attributes](#arggroup-attributes)
8//!     3. [Arg Attributes](#arg-attributes)
9//!     4. [ValueEnum Attributes](#valueenum-attributes)
10//!     5. [Possible Value Attributes](#possible-value-attributes)
11//! 3. [Arg Types](#arg-types)
12//! 4. [Doc Comments](#doc-comments)
13//! 5. [Mixing Builder and Derive APIs](#mixing-builder-and-derive-apis)
14//! 6. [Tips](#tips)
15//!
16//! ## Overview
17//!
18//! To derive `clap` types, you need to enable the [`derive` feature flag][crate::_features].
19//!
20//! Example:
21//! ```rust
22#![doc = include_str!("../../examples/demo.rs")]
23//! ```
24//!
25//! Let's start by breaking down the anatomy of the derive attributes:
26//! ```rust
27//! use clap::{Parser, Args, Subcommand, ValueEnum};
28//!
29//! /// Doc comment
30//! #[derive(Parser)]
31//! #[command(CMD ATTRIBUTE)]
32//! #[group(GROUP ATTRIBUTE)]
33//! struct Cli {
34//!     /// Doc comment
35//!     #[arg(ARG ATTRIBUTE)]
36//!     field: UserType,
37//!
38//!     #[arg(value_enum, ARG ATTRIBUTE...)]
39//!     field: EnumValues,
40//!
41//!     #[command(flatten)]
42//!     delegate: Struct,
43//!
44//!     #[command(subcommand)]
45//!     command: Command,
46//! }
47//!
48//! /// Doc comment
49//! #[derive(Args)]
50//! #[command(PARENT CMD ATTRIBUTE)]
51//! #[group(GROUP ATTRIBUTE)]
52//! struct Struct {
53//!     /// Doc comment
54//!     #[command(ARG ATTRIBUTE)]
55//!     field: UserType,
56//! }
57//!
58//! /// Doc comment
59//! #[derive(Subcommand)]
60//! #[command(PARENT CMD ATTRIBUTE)]
61//! enum Command {
62//!     /// Doc comment
63//!     #[command(CMD ATTRIBUTE)]
64//!     Variant1(Struct),
65//!
66//!     /// Doc comment
67//!     #[command(CMD ATTRIBUTE)]
68//!     Variant2 {
69//!         /// Doc comment
70//!         #[arg(ARG ATTRIBUTE)]
71//!         field: UserType,
72//!     }
73//! }
74//!
75//! /// Doc comment
76//! #[derive(ValueEnum)]
77//! #[value(VALUE ENUM ATTRIBUTE)]
78//! enum EnumValues {
79//!     /// Doc comment
80//!     #[value(POSSIBLE VALUE ATTRIBUTE)]
81//!     Variant1,
82//! }
83//!
84//! fn main() {
85//!     let cli = Cli::parse();
86//! }
87//! ```
88//!
89//! Traits:
90//! - [`Parser`][crate::Parser] parses arguments into a `struct` (arguments) or `enum` (subcommands).
91//!   - [`Args`][crate::Args] allows defining a set of re-usable arguments that get merged into their parent container.
92//!   - [`Subcommand`][crate::Subcommand] defines available subcommands.
93//!   - Subcommand arguments can be defined in a struct-variant or automatically flattened with a tuple-variant.
94//! - [`ValueEnum`][crate::ValueEnum] allows parsing a value directly into an `enum`, erroring on unsupported values.
95//!   - The derive doesn't work on enums that contain non-unit variants, unless they are skipped
96//!
97//! *See also the [derive tutorial][crate::_derive::_tutorial] and [cookbook][crate::_cookbook]*
98//!
99//! ## Attributes
100//!
101//! ### Terminology
102//!
103//! **Raw attributes** are forwarded directly to the underlying [`clap` builder][crate::builder].  Any
104//! [`Command`][crate::Command], [`Arg`][crate::Arg], or [`PossibleValue`][crate::builder::PossibleValue] method can be used as an attribute.
105//!
106//! Raw attributes come in two different syntaxes:
107//! ```rust,ignore
108//! #[arg(
109//!     global = true, // name = arg form, neat for one-arg methods
110//!     required_if_eq("out", "file") // name(arg1, arg2, ...) form.
111//! )]
112//! ```
113//!
114//! - `method = arg` can only be used for methods which take only one argument.
115//! - `method(arg1, arg2)` can be used with any method.
116//!
117//! As long as `method_name` is not one of the magical methods it will be
118//! translated into a mere method call.
119//!
120//! **Magic attributes** have post-processing done to them, whether that is
121//! - Providing of defaults
122//! - Special behavior is triggered off of it
123//!
124//! Magic attributes are more constrained in the syntax they support, usually just
125//! `<attr> = <value>` though some use `<attr>(<value>)` instead.  See the specific
126//! magic attributes documentation for details.  This allows users to access the
127//! raw behavior of an attribute via `<attr>(<value>)` syntax.
128//!
129//! <div class="warning">
130//!
131//! **NOTE:** Some attributes are inferred from [Arg Types](#arg-types) and [Doc
132//! Comments](#doc-comments).  Explicit attributes take precedence over inferred
133//! attributes.
134//!
135//! </div>
136//!
137//! ### Command Attributes
138//!
139//! These correspond to a [`Command`][crate::Command] which is used for both top-level parsers and
140//! when defining subcommands.
141//!
142//! **Raw attributes:**  Any [`Command` method][crate::Command] can also be used as an attribute,
143//! see [Terminology](#terminology) for syntax.
144//! - e.g. `#[command(arg_required_else_help(true))]` would translate to `cmd.arg_required_else_help(true)`
145//!
146//! **Magic attributes:**
147//! - `name  = <expr>`: [`Command::name`][crate::Command::name]
148//!   - When not present: [package `name`](https://doc.rust-lang.org/cargo/reference/manifest.html#the-name-field) (if on [`Parser`][crate::Parser] container), variant name (if on [`Subcommand`][crate::Subcommand] variant)
149//! - `version [= <expr>]`: [`Command::version`][crate::Command::version]
150//!   - When not present: no version set
151//!   - Without `<expr>`: defaults to [crate `version`](https://doc.rust-lang.org/cargo/reference/manifest.html#the-version-field)
152//! - `author [= <expr>]`: [`Command::author`][crate::Command::author]
153//!   - When not present: no author set
154//!   - Without `<expr>`: defaults to [crate `authors`](https://doc.rust-lang.org/cargo/reference/manifest.html#the-authors-field)
155//!   - **NOTE:** A custom [`help_template`][crate::Command::help_template] is needed for author to show up.
156//! - `about [= <expr>]`: [`Command::about`][crate::Command::about]
157//!   - When not present: [Doc comment summary](#doc-comments)
158//!   - Without `<expr>`: [crate `description`](https://doc.rust-lang.org/cargo/reference/manifest.html#the-description-field) ([`Parser`][crate::Parser] container)
159//!     - **TIP:** When a doc comment is also present, you most likely want to add
160//!       `#[arg(long_about = None)]` to clear the doc comment so only [`about`][crate::Command::about]
161//!       gets shown with both `-h` and `--help`.
162//! - `long_about[ = <expr>]`: [`Command::long_about`][crate::Command::long_about]
163//!   - When not present: [Doc comment](#doc-comments) if there is a blank line, else nothing
164//!   - When present without a value: [Doc comment](#doc-comments)
165//! - `verbatim_doc_comment`: Minimizes pre-processing when converting doc comments to [`about`][crate::Command::about] / [`long_about`][crate::Command::long_about]
166//! - `next_display_order`: [`Command::next_display_order`][crate::Command::next_display_order]
167//! - `next_help_heading`: [`Command::next_help_heading`][crate::Command::next_help_heading]
168//!   - When `flatten`ing [`Args`][crate::Args], this is scoped to just the args in this struct and any struct `flatten`ed into it
169//! - `rename_all = <string_literal>`: Override default field / variant name case conversion for [`Command::name`][crate::Command::name] / [`Arg::id`][crate::Arg::id]
170//!   - When not present: `"kebab-case"`
171//!   - Available values: `"camelCase"`, `"kebab-case"`, `"PascalCase"`, `"SCREAMING_SNAKE_CASE"`, `"snake_case"`, `"lower"`, `"UPPER"`, `"verbatim"`
172//! - `rename_all_env = <string_literal>`: Override default field name case conversion for env variables for  [`Arg::env`][crate::Arg::env]
173//!   - When not present: `"SCREAMING_SNAKE_CASE"`
174//!   - Available values: `"camelCase"`, `"kebab-case"`, `"PascalCase"`, `"SCREAMING_SNAKE_CASE"`, `"snake_case"`, `"lower"`, `"UPPER"`, `"verbatim"`
175//!
176//! And for [`Subcommand`][crate::Subcommand] variants:
177//! - `skip`: Ignore this variant
178//! - `flatten`: Delegates to the variant for more subcommands (must implement
179//!   [`Subcommand`][crate::Subcommand])
180//! - `subcommand`: Nest subcommands under the current set of subcommands (must implement
181//!   [`Subcommand`][crate::Subcommand])
182//! - `external_subcommand`: [`Command::allow_external_subcommand(true)`][crate::Command::allow_external_subcommands]
183//!   - Variant must be either `Variant(Vec<String>)` or `Variant(Vec<OsString>)`
184//!
185//! And for [`Args`][crate::Args] fields:
186//! - `flatten`: Delegates to the field for more arguments (must implement [`Args`][crate::Args])
187//!   - Only [`next_help_heading`][crate::Command::next_help_heading] can be used with `flatten`.  See
188//!     [clap-rs/clap#3269](https://github.com/clap-rs/clap/issues/3269) for why
189//!     arg attributes are not generally supported.
190//!   - **Tip:** Though we do apply a flattened [`Args`][crate::Args]'s Parent Command Attributes, this
191//!     makes reuse harder. Generally prefer putting the cmd attributes on the
192//!     [`Parser`][crate::Parser] or on the flattened field.
193//! - `subcommand`: Delegates definition of subcommands to the field (must implement
194//!   [`Subcommand`][crate::Subcommand])
195//!   - When `Option<T>`, the subcommand becomes optional
196//!
197//! See [Configuring the Parser][_tutorial#configuring-the-parser] and
198//! [Subcommands][_tutorial#subcommands] from the tutorial.
199//!
200//! ### ArgGroup Attributes
201//!
202//! These correspond to the [`ArgGroup`][crate::ArgGroup] which is implicitly created for each
203//! `Args` derive.
204//!
205//! **Raw attributes:**  Any [`ArgGroup` method][crate::ArgGroup] can also be used as an attribute, see [Terminology](#terminology) for syntax.
206//! - e.g. `#[group(required = true)]` would translate to `arg_group.required(true)`
207//!
208//! **Magic attributes**:
209//! - `id = <expr>`: [`ArgGroup::id`][crate::ArgGroup::id]
210//!   - When not present: struct's name is used
211//! - `skip [= <expr>]`: Ignore this field, filling in with `<expr>`
212//!   - Without `<expr>`: fills the field with `Default::default()`
213//!
214//! Note:
215//! - For `struct`s, [`multiple = true`][crate::ArgGroup::multiple] is implied
216//! - `enum` support is tracked at [#2621](https://github.com/clap-rs/clap/issues/2621)
217//!
218//! See [Argument Relations][_tutorial#argument-relations] from the tutorial.
219//!
220//! ### Arg Attributes
221//!
222//! These correspond to a [`Arg`][crate::Arg].
223//! The default state for a field without attributes is to be a positional argument with [behavior
224//! inferred from the field type](#arg-types).
225//! `#[arg(...)]` attributes allow overriding or extending those defaults.
226//!
227//! **Raw attributes:**  Any [`Arg` method][crate::Arg] can also be used as an attribute, see [Terminology](#terminology) for syntax.
228//! - e.g. `#[arg(num_args(..=3))]` would translate to `arg.num_args(..=3)`
229//!
230//! **Magic attributes**:
231//! - `id = <expr>`: [`Arg::id`][crate::Arg::id]
232//!   - When not present: field's name is used
233//! - `value_parser [= <expr>]`: [`Arg::value_parser`][crate::Arg::value_parser]
234//!   - When not present: will auto-select an implementation based on the field type using
235//!     [`value_parser!`][crate::value_parser!]
236//! - `action [= <expr>]`: [`Arg::action`][crate::Arg::action]
237//!   - When not present: will auto-select an action based on the field type
238//! - `help = <expr>`: [`Arg::help`][crate::Arg::help]
239//!   - When not present: [Doc comment summary](#doc-comments)
240//! - `long_help[ = <expr>]`: [`Arg::long_help`][crate::Arg::long_help]
241//!   - When not present: [Doc comment](#doc-comments) if there is a blank line, else nothing
242//!   - When present without a value: [Doc comment](#doc-comments)
243//! - `verbatim_doc_comment`: Minimizes pre-processing when converting doc comments to [`help`][crate::Arg::help] / [`long_help`][crate::Arg::long_help]
244//! - `short [= <char>]`: [`Arg::short`][crate::Arg::short]
245//!   - When not present: no short set
246//!   - Without `<char>`: defaults to first character in the case-converted field name
247//! - `long [= <str>]`: [`Arg::long`][crate::Arg::long]
248//!   - When not present: no long set
249//!   - Without `<str>`: defaults to the case-converted field name
250//! - `env [= <str>]`: [`Arg::env`][crate::Arg::env] (needs [`env` feature][crate::_features] enabled)
251//!   - When not present: no env set
252//!   - Without `<str>`: defaults to the case-converted field name
253//! - `from_global`: Read a [`Arg::global`][crate::Arg::global] argument (raw attribute), regardless of what subcommand you are in
254//! - `value_enum`: Parse the value using the [`ValueEnum`][crate::ValueEnum]
255//! - `skip [= <expr>]`: Ignore this field, filling in with `<expr>`
256//!   - Without `<expr>`: fills the field with `Default::default()`
257//! - `default_value = <str>`: [`Arg::default_value`][crate::Arg::default_value] and [`Arg::required(false)`][crate::Arg::required]
258//! - `default_value_t [= <expr>]`: [`Arg::default_value`][crate::Arg::default_value] and [`Arg::required(false)`][crate::Arg::required]
259//!   - Requires `std::fmt::Display` that roundtrips correctly with the
260//!     [`Arg::value_parser`][crate::Arg::value_parser] or `#[arg(value_enum)]`
261//!   - Without `<expr>`, relies on `Default::default()`
262//! - `default_values_t = <expr>`: [`Arg::default_values`][crate::Arg::default_values] and [`Arg::required(false)`][crate::Arg::required]
263//!   - Requires field arg to be of type `Vec<T>` and `T` to implement `std::fmt::Display` or `#[arg(value_enum)]`
264//!   - `<expr>` must implement `IntoIterator<T>`
265//! - `default_value_os_t [= <expr>]`: [`Arg::default_value_os`][crate::Arg::default_value_os] and [`Arg::required(false)`][crate::Arg::required]
266//!   - Requires `std::convert::Into<OsString>` or `#[arg(value_enum)]`
267//!   - Without `<expr>`, relies on `Default::default()`
268//! - `default_values_os_t = <expr>`: [`Arg::default_values_os`][crate::Arg::default_values_os] and [`Arg::required(false)`][crate::Arg::required]
269//!   - Requires field arg to be of type `Vec<T>` and `T` to implement `std::convert::Into<OsString>` or `#[arg(value_enum)]`
270//!   - `<expr>` must implement `IntoIterator<T>`
271//!
272//! See [Adding Arguments][_tutorial#adding-arguments] and [Validation][_tutorial#validation] from the
273//! tutorial.
274//!
275//! ### ValueEnum Attributes
276//!
277//! - `rename_all = <string_literal>`: Override default field / variant name case conversion for [`PossibleValue::new`][crate::builder::PossibleValue]
278//!   - When not present: `"kebab-case"`
279//!   - Available values: `"camelCase"`, `"kebab-case"`, `"PascalCase"`, `"SCREAMING_SNAKE_CASE"`, `"snake_case"`, `"lower"`, `"UPPER"`, `"verbatim"`
280//!
281//! See [Enumerated values][_tutorial#enumerated-values] from the tutorial.
282//!
283//! ### Possible Value Attributes
284//!
285//! These correspond to a [`PossibleValue`][crate::builder::PossibleValue].
286//!
287//! **Raw attributes:**  Any [`PossibleValue` method][crate::builder::PossibleValue] can also be used as an attribute, see [Terminology](#terminology) for syntax.
288//! - e.g. `#[value(alias("foo"))]` would translate to `pv.alias("foo")`
289//!
290//! **Magic attributes**:
291//! - `name = <expr>`: [`PossibleValue::new`][crate::builder::PossibleValue::new]
292//!   - When not present: case-converted field name is used
293//! - `help = <expr>`: [`PossibleValue::help`][crate::builder::PossibleValue::help]
294//!   - When not present: [Doc comment summary](#doc-comments)
295//! - `skip`: Ignore this variant
296//!
297//! ## Arg Types
298//!
299//! `clap` assumes some intent based on the type used:
300//!
301//! | Type                  | Effect                                               | Implies                                                     | Notes |
302//! |-----------------------|------------------------------------------------------|-------------------------------------------------------------|-------|
303//! | `()`                  | user-defined                                         | `.action(ArgAction::Set).required(false)`                   |       |
304//! | `bool`                | flag                                                 | `.action(ArgAction::SetTrue)`                               |       |
305//! | `Option<T>`           | optional argument                                    | `.action(ArgAction::Set).required(false)`                   |       |
306//! | `Option<Option<T>>`   | optional value for optional argument                 | `.action(ArgAction::Set).required(false).num_args(0..=1)`   |       |
307//! | `T`                   | required argument                                    | `.action(ArgAction::Set).required(!has_default)`            |       |
308//! | `Vec<T>`              | `0..` occurrences of argument                        | `.action(ArgAction::Append).required(false)`  |       |
309//! | `Option<Vec<T>>`      | `0..` occurrences of argument                        | `.action(ArgAction::Append).required(false)`  |       |
310//! | `Vec<Vec<T>>`         | `0..` occurrences of argument, grouped by occurrence | `.action(ArgAction::Append).required(false)`  | requires `unstable-v5` |
311//! | `Option<Vec<Vec<T>>>` | `0..` occurrences of argument, grouped by occurrence | `.action(ArgAction::Append).required(false)`  | requires `unstable-v5` |
312//!
313//! In addition, [`.value_parser(value_parser!(T))`][crate::value_parser!] is called for each
314//! field.
315//!
316//! Notes:
317//! - For custom type behavior, you can override the implied attributes/settings and/or set additional ones
318//!   - To force any inferred type (like `Vec<T>`) to be treated as `T`, you can refer to the type
319//!     by another means, like using `std::vec::Vec` instead of `Vec`.  For improving this, see
320//!     [#4626](https://github.com/clap-rs/clap/issues/4626).
321//! - `Option<Vec<T>>` and `Option<Vec<Vec<T>>` will be `None` instead of `vec![]` if no arguments are provided.
322//!   - This gives the user some flexibility in designing their argument, like with `num_args(0..)`
323//! - `Vec<Vec<T>>` will need [`Arg::num_args`][crate::Arg::num_args] set to be meaningful
324//!
325//! ## Doc Comments
326//!
327//! In clap, help messages for the whole binary can be specified
328//! via [`Command::about`][crate::Command::about] and [`Command::long_about`][crate::Command::long_about] while help messages
329//! for individual arguments can be specified via [`Arg::help`][crate::Arg::help] and [`Arg::long_help`][crate::Arg::long_help].
330//!
331//! `long_*` variants are used when user calls the program with
332//! `--help` and "short" variants are used with `-h` flag.
333//!
334//! ```rust
335//! # use clap::Parser;
336//!
337//! #[derive(Parser)]
338//! #[command(about = "I am a program and I work, just pass `-h`", long_about = None)]
339//! struct Foo {
340//!     #[arg(short, help = "Pass `-h` and you'll see me!")]
341//!     bar: String,
342//! }
343//! ```
344//!
345//! For convenience, doc comments can be used instead of raw methods
346//! (this example works exactly like the one above):
347//!
348//! ```rust
349//! # use clap::Parser;
350//!
351//! #[derive(Parser)]
352//! /// I am a program and I work, just pass `-h`
353//! struct Foo {
354//!     /// Pass `-h` and you'll see me!
355//!     bar: String,
356//! }
357//! ```
358//!
359//! <div class="warning">
360//!
361//! **NOTE:** Attributes have priority over doc comments!
362//!
363//! **Top level doc comments always generate `Command::about/long_about` calls!**
364//! If you really want to use the `Command::about/long_about` methods (you likely don't),
365//! use the `about` / `long_about` attributes to override the calls generated from
366//! the doc comment.  To clear `long_about`, you can use
367//! `#[command(long_about = None)]`.
368//!
369//! </div>
370//!
371//! ### Pre-processing
372//!
373//! ```rust
374//! # use clap::Parser;
375//! #[derive(Parser)]
376//! /// Hi there, I'm Robo!
377//! ///
378//! /// I like beeping, stumbling, eating your electricity,
379//! /// and making records of you singing in a shower.
380//! /// Pay up, or I'll upload it to youtube!
381//! struct Robo {
382//!     /// Call my brother SkyNet.
383//!     ///
384//!     /// I am artificial superintelligence. I won't rest
385//!     /// until I'll have destroyed humanity. Enjoy your
386//!     /// pathetic existence, you mere mortals.
387//!     #[arg(long, action)]
388//!     kill_all_humans: bool,
389//! }
390//! ```
391//!
392//! A doc comment consists of three parts:
393//! - Short summary
394//! - A blank line (whitespace only)
395//! - Detailed description, all the rest
396//!
397//! The summary corresponds with `Command::about` / `Arg::help`.  When a blank line is
398//! present, the whole doc comment will be passed to `Command::long_about` /
399//! `Arg::long_help`.  Or in other words, a doc may result in just a `Command::about` /
400//! `Arg::help` or `Command::about` / `Arg::help` and `Command::long_about` /
401//! `Arg::long_help`
402//!
403//! In addition, when `verbatim_doc_comment` is not present, `clap` applies some preprocessing, including:
404//!
405//! - Strip leading and trailing whitespace from every line, if present.
406//!
407//! - Strip leading and trailing blank lines, if present.
408//!
409//! - Interpret each group of non-empty lines as a word-wrapped paragraph.
410//!
411//!   We replace newlines within paragraphs with spaces to allow the output
412//!   to be re-wrapped to the terminal width.
413//!
414//! - Strip any excess blank lines so that there is exactly one per paragraph break.
415//!
416//! - If the first paragraph ends in exactly one period,
417//!   remove the trailing period (i.e. strip trailing periods but not trailing ellipses).
418//!
419//! Sometimes you don't want this preprocessing to apply, for example the comment contains
420//! some ASCII art or markdown tables, you would need to preserve LFs along with
421//! blank lines and the leading/trailing whitespace. When you pass use the
422//! `verbatim_doc_comment` magic attribute, you  preserve
423//! them.
424//!
425//! **Note:** Keep in mind that `verbatim_doc_comment` will *still*
426//! - Remove one leading space from each line, even if this attribute is present,
427//!   to allow for a space between `///` and the content.
428//! - Remove leading and trailing blank lines
429//!
430//! ## Mixing Builder and Derive APIs
431//!
432//! The builder and derive APIs do not live in isolation. They can work together, which is
433//! especially helpful if some arguments can be specified at compile-time while others must be
434//! specified at runtime.
435//!
436//! ### Using derived arguments in a builder application
437//!
438//! When using the derive API, you can `#[command(flatten)]` a struct deriving `Args` into a struct
439//! deriving `Args` or `Parser`. This example shows how you can augment a `Command` instance
440//! created using the builder API with `Args` created using the derive API.
441//!
442//! It uses the [`Args::augment_args`][crate::Args::augment_args] method to add the arguments to
443//! the `Command` instance.
444//!
445//! Crates such as [clap-verbosity-flag](https://github.com/rust-cli/clap-verbosity-flag) provide
446//! structs that implement `Args`. Without the technique shown in this example, it would not be
447//! possible to use such crates with the builder API.
448//!
449//! For example:
450//! ```rust
451#![doc = include_str!("../../examples/derive_ref/augment_args.rs")]
452//! ```
453//!
454//! ### Using derived subcommands in a builder application
455//!
456//! When using the derive API, you can use `#[command(subcommand)]` inside the struct to add
457//! subcommands. The type of the field is usually an enum that derived `Parser`. However, you can
458//! also add the subcommands in that enum to a `Command` instance created with the builder API.
459//!
460//! It uses the [`Subcommand::augment_subcommands`][crate::Subcommand::augment_subcommands] method
461//! to add the subcommands to the `Command` instance.
462//!
463//! For example:
464//! ```rust
465#![doc = include_str!("../../examples/derive_ref/augment_subcommands.rs")]
466//! ```
467//!
468//! ### Adding hand-implemented subcommands to a derived application
469//!
470//! When using the derive API, you can use `#[command(subcommand)]` inside the struct to add
471//! subcommands. The type of the field is usually an enum that derived `Parser`. However, you can
472//! also implement the `Subcommand` trait manually on this enum (or any other type) and it can
473//! still be used inside the struct created with the derive API. The implementation of the
474//! `Subcommand` trait will use the builder API to add the subcommands to the `Command` instance
475//! created behind the scenes for you by the derive API.
476//!
477//! Notice how in the previous example we used
478//! [`augment_subcommands`][crate::Subcommand::augment_subcommands] on an enum that derived
479//! `Parser`, whereas now we implement
480//! [`augment_subcommands`][crate::Subcommand::augment_subcommands] ourselves, but the derive API
481//! calls it automatically since we used the `#[command(subcommand)]` attribute.
482//!
483//! For example:
484//! ```rust
485#![doc = include_str!("../../examples/derive_ref/hand_subcommand.rs")]
486//! ```
487//!
488//! ### Flattening hand-implemented args into a derived application
489//!
490//! When using the derive API, you can use `#[command(flatten)]` inside the struct to add arguments as
491//! if they were added directly to the containing struct. The type of the field is usually an
492//! struct that derived `Args`. However, you can also implement the `Args` trait manually on this
493//! struct (or any other type) and it can still be used inside the struct created with the derive
494//! API. The implementation of the `Args` trait will use the builder API to add the arguments to
495//! the `Command` instance created behind the scenes for you by the derive API.
496//!
497//! Notice how in the previous example we used [`augment_args`][crate::Args::augment_args] on the
498//! struct that derived `Parser`, whereas now we implement
499//! [`augment_args`][crate::Args::augment_args] ourselves, but the derive API calls it
500//! automatically since we used the `#[command(flatten)]` attribute.
501//!
502//! For example:
503//! ```rust
504#![doc = include_str!("../../examples/derive_ref/flatten_hand_args.rs")]
505//! ```
506//!
507//! ## Tips
508//!
509//! - To get access to a [`Command`][crate::Command] call
510//!   [`CommandFactory::command`][crate::CommandFactory::command] (implemented when deriving
511//!   [`Parser`][crate::Parser])
512//! - Proactively check for bad [`Command`][crate::Command] configurations by calling
513//!   [`Command::debug_assert`][crate::Command::debug_assert] in a test
514//!   ([example][_tutorial#testing])
515//! - Always remember to [document](#doc-comments) args and commands with `#![deny(missing_docs)]`
516
517// Point people here that search for attributes that don't exist in the derive (a subset of magic
518// attributes)
519#![doc(alias = "skip")]
520#![doc(alias = "verbatim_doc_comment")]
521#![doc(alias = "flatten")]
522#![doc(alias = "external_subcommand")]
523#![doc(alias = "subcommand")]
524#![doc(alias = "rename_all")]
525#![doc(alias = "rename_all_env")]
526#![doc(alias = "default_value_t")]
527#![doc(alias = "default_values_t")]
528#![doc(alias = "default_value_os_t")]
529#![doc(alias = "default_values_os_t")]
530
531pub mod _tutorial;
532#[doc(inline)]
533pub use crate::_cookbook;