clap_builder/builder/
debug_asserts.rs

1use std::cmp::Ordering;
2
3use crate::builder::ValueRange;
4use crate::mkeymap::KeyType;
5use crate::util::FlatSet;
6use crate::util::Id;
7use crate::ArgAction;
8use crate::INTERNAL_ERROR_MSG;
9use crate::{Arg, Command, ValueHint};
10
11pub(crate) fn assert_app(cmd: &Command) {
12    debug!("Command::_debug_asserts");
13
14    let mut short_flags = vec![];
15    let mut long_flags = vec![];
16
17    // Invalid version flag settings
18    if cmd.get_version().is_none() && cmd.get_long_version().is_none() {
19        // PropagateVersion is meaningless if there is no version
20        assert!(
21            !cmd.is_propagate_version_set(),
22            "Command {}: No version information via Command::version or Command::long_version to propagate",
23            cmd.get_name(),
24        );
25
26        // Used `Command::mut_arg("version", ..) but did not provide any version information to display
27        let version_needed = cmd
28            .get_arguments()
29            .filter(|x| matches!(x.get_action(), ArgAction::Version))
30            .map(|x| x.get_id())
31            .collect::<Vec<_>>();
32
33        assert_eq!(version_needed, Vec::<&str>::new(), "Command {}: `ArgAction::Version` used without providing Command::version or Command::long_version"
34            ,cmd.get_name()
35        );
36    }
37
38    for sc in cmd.get_subcommands() {
39        if let Some(s) = sc.get_short_flag().as_ref() {
40            short_flags.push(Flag::Command(format!("-{s}"), sc.get_name()));
41        }
42
43        for short_alias in sc.get_all_short_flag_aliases() {
44            short_flags.push(Flag::Command(format!("-{short_alias}"), sc.get_name()));
45        }
46
47        if let Some(l) = sc.get_long_flag().as_ref() {
48            assert!(!l.starts_with('-'), "Command {}: long_flag {:?} must not start with a `-`, that will be handled by the parser", sc.get_name(), l);
49            long_flags.push(Flag::Command(format!("--{l}"), sc.get_name()));
50        }
51
52        for long_alias in sc.get_all_long_flag_aliases() {
53            long_flags.push(Flag::Command(format!("--{long_alias}"), sc.get_name()));
54        }
55    }
56
57    for arg in cmd.get_arguments() {
58        assert_arg(arg);
59
60        assert!(
61            !cmd.is_multicall_set(),
62            "Command {}: Arguments like {} cannot be set on a multicall command",
63            cmd.get_name(),
64            arg.get_id()
65        );
66
67        if let Some(s) = arg.get_short() {
68            short_flags.push(Flag::Arg(format!("-{s}"), arg.get_id().as_str()));
69        }
70
71        for (short_alias, _) in &arg.short_aliases {
72            short_flags.push(Flag::Arg(format!("-{short_alias}"), arg.get_id().as_str()));
73        }
74
75        if let Some(l) = arg.get_long() {
76            assert!(!l.starts_with('-'), "Argument {}: long {:?} must not start with a `-`, that will be handled by the parser", arg.get_id(), l);
77            long_flags.push(Flag::Arg(format!("--{l}"), arg.get_id().as_str()));
78        }
79
80        for (long_alias, _) in &arg.aliases {
81            long_flags.push(Flag::Arg(format!("--{long_alias}"), arg.get_id().as_str()));
82        }
83
84        // Name conflicts
85        if let Some((first, second)) = cmd.two_args_of(|x| x.get_id() == arg.get_id()) {
86            panic!(
87            "Command {}: Argument names must be unique, but '{}' is in use by more than one argument or group{}",
88            cmd.get_name(),
89            arg.get_id(),
90            duplicate_tip(cmd, first, second),
91        );
92        }
93
94        // Long conflicts
95        if let Some(l) = arg.get_long() {
96            if let Some((first, second)) = cmd.two_args_of(|x| x.get_long() == Some(l)) {
97                panic!(
98                    "Command {}: Long option names must be unique for each argument, \
99                            but '--{}' is in use by both '{}' and '{}'{}",
100                    cmd.get_name(),
101                    l,
102                    first.get_id(),
103                    second.get_id(),
104                    duplicate_tip(cmd, first, second)
105                )
106            }
107        }
108
109        // Short conflicts
110        if let Some(s) = arg.get_short() {
111            if let Some((first, second)) = cmd.two_args_of(|x| x.get_short() == Some(s)) {
112                panic!(
113                    "Command {}: Short option names must be unique for each argument, \
114                            but '-{}' is in use by both '{}' and '{}'{}",
115                    cmd.get_name(),
116                    s,
117                    first.get_id(),
118                    second.get_id(),
119                    duplicate_tip(cmd, first, second),
120                )
121            }
122        }
123
124        // Index conflicts
125        if let Some(idx) = arg.index {
126            if let Some((first, second)) =
127                cmd.two_args_of(|x| x.is_positional() && x.get_index() == Some(idx))
128            {
129                panic!(
130                    "Command {}: Argument '{}' has the same index as '{}' \
131                    and they are both positional arguments\n\n\t \
132                    Use `Arg::num_args(1..)` to allow one \
133                    positional argument to take multiple values",
134                    cmd.get_name(),
135                    first.get_id(),
136                    second.get_id()
137                )
138            }
139        }
140
141        // requires, r_if, r_unless
142        for (_predicate, req_id) in &arg.requires {
143            assert!(
144                &arg.id != req_id,
145                "Argument {} cannot require itself",
146                arg.get_id()
147            );
148
149            assert!(
150                cmd.id_exists(req_id),
151                "Command {}: Argument or group '{}' specified in 'requires*' for '{}' does not exist",
152                cmd.get_name(),
153                req_id,
154                arg.get_id(),
155            );
156        }
157
158        for req in &arg.r_ifs {
159            assert!(
160                !arg.is_required_set(),
161                "Argument {}: `required` conflicts with `required_if_eq*`",
162                arg.get_id()
163            );
164            assert!(
165                cmd.id_exists(&req.0),
166                "Command {}: Argument or group '{}' specified in 'required_if_eq*' for '{}' does not exist",
167                    cmd.get_name(),
168                req.0,
169                arg.get_id()
170            );
171        }
172
173        for req in &arg.r_ifs_all {
174            assert!(
175                !arg.is_required_set(),
176                "Argument {}: `required` conflicts with `required_if_eq_all`",
177                arg.get_id()
178            );
179            assert!(
180                cmd.id_exists(&req.0),
181                "Command {}: Argument or group '{}' specified in 'required_if_eq_all' for '{}' does not exist",
182                    cmd.get_name(),
183                req.0,
184                arg.get_id()
185            );
186        }
187
188        for req in &arg.r_unless {
189            assert!(
190                !arg.is_required_set(),
191                "Argument {}: `required` conflicts with `required_unless*`",
192                arg.get_id()
193            );
194            assert!(
195                cmd.id_exists(req),
196                "Command {}: Argument or group '{}' specified in 'required_unless*' for '{}' does not exist",
197                    cmd.get_name(),
198                req,
199                arg.get_id(),
200            );
201        }
202
203        for req in &arg.r_unless_all {
204            assert!(
205                !arg.is_required_set(),
206                "Argument {}: `required` conflicts with `required_unless*`",
207                arg.get_id()
208            );
209            assert!(
210                cmd.id_exists(req),
211                "Command {}: Argument or group '{}' specified in 'required_unless*' for '{}' does not exist",
212                    cmd.get_name(),
213                req,
214                arg.get_id(),
215            );
216        }
217
218        // blacklist
219        for req in &arg.blacklist {
220            assert!(
221                cmd.id_exists(req),
222                "Command {}: Argument or group '{}' specified in 'conflicts_with*' for '{}' does not exist",
223                    cmd.get_name(),
224                req,
225                arg.get_id(),
226            );
227        }
228
229        // overrides
230        for req in &arg.overrides {
231            assert!(
232                cmd.id_exists(req),
233                "Command {}: Argument or group '{}' specified in 'overrides_with*' for '{}' does not exist",
234                    cmd.get_name(),
235                req,
236                arg.get_id(),
237            );
238        }
239
240        if arg.is_last_set() {
241            assert!(
242                arg.get_long().is_none(),
243                "Command {}: Flags or Options cannot have last(true) set. '{}' has both a long and last(true) set.",
244                    cmd.get_name(),
245                arg.get_id()
246            );
247            assert!(
248                arg.get_short().is_none(),
249                "Command {}: Flags or Options cannot have last(true) set. '{}' has both a short and last(true) set.",
250                    cmd.get_name(),
251                arg.get_id()
252            );
253        }
254
255        assert!(
256            !(arg.is_required_set() && arg.is_global_set()),
257            "Command {}: Global arguments cannot be required.\n\n\t'{}' is marked as both global and required",
258                    cmd.get_name(),
259            arg.get_id()
260        );
261
262        if arg.get_value_hint() == ValueHint::CommandWithArguments {
263            assert!(
264                arg.is_positional(),
265                "Command {}: Argument '{}' has hint CommandWithArguments and must be positional.",
266                cmd.get_name(),
267                arg.get_id()
268            );
269
270            assert!(
271                arg.is_trailing_var_arg_set() || arg.is_last_set(),
272                "Command {}: Positional argument '{}' has hint CommandWithArguments, so Command must have `trailing_var_arg(true)` or `last(true)` set.",
273                    cmd.get_name(),
274                arg.get_id()
275            );
276        }
277    }
278
279    for group in cmd.get_groups() {
280        // Name conflicts
281        assert!(
282            cmd.get_groups().filter(|x| x.id == group.id).count() < 2,
283            "Command {}: Argument group name must be unique\n\n\t'{}' is already in use",
284            cmd.get_name(),
285            group.get_id(),
286        );
287
288        // Groups should not have naming conflicts with Args
289        assert!(
290            !cmd.get_arguments().any(|x| x.get_id() == group.get_id()),
291            "Command {}: Argument group name '{}' must not conflict with argument name",
292            cmd.get_name(),
293            group.get_id(),
294        );
295
296        for arg in &group.args {
297            // Args listed inside groups should exist
298            assert!(
299                cmd.get_arguments().any(|x| x.get_id() == arg),
300                "Command {}: Argument group '{}' contains non-existent argument '{}'",
301                cmd.get_name(),
302                group.get_id(),
303                arg
304            );
305        }
306
307        for arg in &group.requires {
308            // Args listed inside groups should exist
309            assert!(
310                cmd.id_exists(arg),
311                "Command {}: Argument group '{}' requires non-existent '{}' id",
312                cmd.get_name(),
313                group.get_id(),
314                arg
315            );
316        }
317
318        for arg in &group.conflicts {
319            // Args listed inside groups should exist
320            assert!(
321                cmd.id_exists(arg),
322                "Command {}: Argument group '{}' conflicts with non-existent '{}' id",
323                cmd.get_name(),
324                group.get_id(),
325                arg
326            );
327        }
328    }
329
330    // Conflicts between flags and subcommands
331
332    long_flags.sort_unstable();
333    short_flags.sort_unstable();
334
335    detect_duplicate_flags(&long_flags, "long");
336    detect_duplicate_flags(&short_flags, "short");
337
338    let mut subs = FlatSet::new();
339    for sc in cmd.get_subcommands() {
340        assert!(
341            subs.insert(sc.get_name()),
342            "Command {}: command name `{}` is duplicated",
343            cmd.get_name(),
344            sc.get_name()
345        );
346        for alias in sc.get_all_aliases() {
347            assert!(
348                subs.insert(alias),
349                "Command {}: command `{}` alias `{}` is duplicated",
350                cmd.get_name(),
351                sc.get_name(),
352                alias
353            );
354        }
355    }
356
357    _verify_positionals(cmd);
358
359    #[cfg(feature = "help")]
360    if let Some(help_template) = cmd.get_help_template() {
361        assert!(
362            !help_template.to_string().contains("{flags}"),
363            "Command {}: {}",
364                    cmd.get_name(),
365            "`{flags}` template variable was removed in clap3, they are now included in `{options}`",
366        );
367        assert!(
368            !help_template.to_string().contains("{unified}"),
369            "Command {}: {}",
370            cmd.get_name(),
371            "`{unified}` template variable was removed in clap3, use `{options}` instead"
372        );
373        #[cfg(feature = "unstable-v5")]
374        assert!(
375            !help_template.to_string().contains("{bin}"),
376            "Command {}: {}",
377            cmd.get_name(),
378            "`{bin}` template variable was removed in clap5, use `{name}` instead"
379        );
380    }
381
382    cmd._panic_on_missing_help(cmd.is_help_expected_set());
383    assert_app_flags(cmd);
384}
385
386fn duplicate_tip(cmd: &Command, first: &Arg, second: &Arg) -> &'static str {
387    if !cmd.is_disable_help_flag_set()
388        && (first.get_id() == Id::HELP || second.get_id() == Id::HELP)
389    {
390        " (call `cmd.disable_help_flag(true)` to remove the auto-generated `--help`)"
391    } else if !cmd.is_disable_version_flag_set()
392        && (first.get_id() == Id::VERSION || second.get_id() == Id::VERSION)
393    {
394        " (call `cmd.disable_version_flag(true)` to remove the auto-generated `--version`)"
395    } else {
396        ""
397    }
398}
399
400#[derive(Eq)]
401enum Flag<'a> {
402    Command(String, &'a str),
403    Arg(String, &'a str),
404}
405
406impl PartialEq for Flag<'_> {
407    fn eq(&self, other: &Flag<'_>) -> bool {
408        self.cmp(other) == Ordering::Equal
409    }
410}
411
412impl PartialOrd for Flag<'_> {
413    fn partial_cmp(&self, other: &Flag<'_>) -> Option<Ordering> {
414        Some(self.cmp(other))
415    }
416}
417
418impl Ord for Flag<'_> {
419    fn cmp(&self, other: &Self) -> Ordering {
420        match (self, other) {
421            (Flag::Command(s1, _), Flag::Command(s2, _))
422            | (Flag::Arg(s1, _), Flag::Arg(s2, _))
423            | (Flag::Command(s1, _), Flag::Arg(s2, _))
424            | (Flag::Arg(s1, _), Flag::Command(s2, _)) => {
425                if s1 == s2 {
426                    Ordering::Equal
427                } else {
428                    s1.cmp(s2)
429                }
430            }
431        }
432    }
433}
434
435fn detect_duplicate_flags(flags: &[Flag<'_>], short_or_long: &str) {
436    for (one, two) in find_duplicates(flags) {
437        match (one, two) {
438            (Flag::Command(flag, one), Flag::Command(_, another)) if one != another => panic!(
439                "the '{flag}' {short_or_long} flag is specified for both '{one}' and '{another}' subcommands"
440            ),
441
442            (Flag::Arg(flag, one), Flag::Arg(_, another)) if one != another => panic!(
443                "{short_or_long} option names must be unique, but '{flag}' is in use by both '{one}' and '{another}'"
444            ),
445
446            (Flag::Arg(flag, arg), Flag::Command(_, sub)) | (Flag::Command(flag, sub), Flag::Arg(_, arg)) => panic!(
447                "the '{flag}' {short_or_long} flag for the '{arg}' argument conflicts with the short flag \
448                     for '{sub}' subcommand"
449            ),
450
451            _ => {}
452        }
453    }
454}
455
456/// Find duplicates in a sorted array.
457///
458/// The algorithm is simple: the array is sorted, duplicates
459/// must be placed next to each other, we can check only adjacent elements.
460fn find_duplicates<T: PartialEq>(slice: &[T]) -> impl Iterator<Item = (&T, &T)> {
461    slice.windows(2).filter_map(|w| {
462        if w[0] == w[1] {
463            Some((&w[0], &w[1]))
464        } else {
465            None
466        }
467    })
468}
469
470fn assert_app_flags(cmd: &Command) {
471    macro_rules! checker {
472        ($a:ident conflicts $($b:ident)|+) => {
473            if cmd.$a() {
474                let mut s = String::new();
475
476                $(
477                    if cmd.$b() {
478                        use std::fmt::Write;
479                        write!(&mut s, "  AppSettings::{} conflicts with AppSettings::{}.\n", std::stringify!($b), std::stringify!($a)).unwrap();
480                    }
481                )+
482
483                if !s.is_empty() {
484                    panic!("{}\n{}", cmd.get_name(), s)
485                }
486            }
487        };
488    }
489
490    checker!(is_multicall_set conflicts is_no_binary_name_set);
491}
492
493#[cfg(debug_assertions)]
494fn _verify_positionals(cmd: &Command) -> bool {
495    debug!("Command::_verify_positionals");
496    // Because you must wait until all arguments have been supplied, this is the first chance
497    // to make assertions on positional argument indexes
498    //
499    // First we verify that the index highest supplied index, is equal to the number of
500    // positional arguments to verify there are no gaps (i.e. supplying an index of 1 and 3
501    // but no 2)
502
503    let highest_idx = cmd
504        .get_keymap()
505        .keys()
506        .filter_map(|x| {
507            if let KeyType::Position(n) = x {
508                Some(*n)
509            } else {
510                None
511            }
512        })
513        .max()
514        .unwrap_or(0);
515
516    let num_p = cmd.get_keymap().keys().filter(|x| x.is_position()).count();
517
518    assert!(
519        highest_idx == num_p,
520        "Found positional argument whose index is {highest_idx} but there \
521             are only {num_p} positional arguments defined",
522    );
523
524    for arg in cmd.get_arguments() {
525        if arg.index.unwrap_or(0) == highest_idx {
526            assert!(
527                !arg.is_trailing_var_arg_set() || !arg.is_last_set(),
528                "{}:{}: `Arg::trailing_var_arg` and `Arg::last` cannot be used together",
529                cmd.get_name(),
530                arg.get_id()
531            );
532
533            if arg.is_trailing_var_arg_set() {
534                assert!(
535                    arg.is_multiple(),
536                    "{}:{}: `Arg::trailing_var_arg` must accept multiple values",
537                    cmd.get_name(),
538                    arg.get_id()
539                );
540            }
541        } else {
542            assert!(
543                !arg.is_trailing_var_arg_set(),
544                "{}:{}: `Arg::trailing_var_arg` can only apply to last positional",
545                cmd.get_name(),
546                arg.get_id()
547            );
548        }
549    }
550
551    // Next we verify that only the highest index has takes multiple arguments (if any)
552    let only_highest = |a: &Arg| a.is_multiple() && (a.get_index().unwrap_or(0) != highest_idx);
553    if cmd.get_positionals().any(only_highest) {
554        // First we make sure if there is a positional that allows multiple values
555        // the one before it (second to last) has one of these:
556        //  * a value terminator
557        //  * ArgSettings::Last
558        //  * The last arg is Required
559
560        // We can't pass the closure (it.next()) to the macro directly because each call to
561        // find() (iterator, not macro) gets called repeatedly.
562        let last = &cmd.get_keymap()[&KeyType::Position(highest_idx)];
563        let second_to_last = &cmd.get_keymap()[&KeyType::Position(highest_idx - 1)];
564
565        // Either the final positional is required
566        // Or the second to last has a terminator or .last(true) set
567        let ok = last.is_required_set()
568            || (second_to_last.terminator.is_some() || second_to_last.is_last_set())
569            || last.is_last_set();
570        assert!(
571            ok,
572            "Positional argument `{last}` *must* have `required(true)` or `last(true)` set \
573            because a prior positional argument (`{second_to_last}`) has `num_args(1..)`"
574        );
575
576        // We make sure if the second to last is Multiple the last is ArgSettings::Last
577        let ok = second_to_last.is_multiple() || last.is_last_set();
578        assert!(
579            ok,
580            "Only the last positional argument, or second to last positional \
581                 argument may be set to `.num_args(1..)`"
582        );
583
584        // Next we check how many have both Multiple and not a specific number of values set
585        let count = cmd
586            .get_positionals()
587            .filter(|p| {
588                p.is_multiple_values_set()
589                    && p.get_value_terminator().is_none()
590                    && !p.get_num_args().expect(INTERNAL_ERROR_MSG).is_fixed()
591            })
592            .count();
593        let ok = count <= 1
594            || (last.is_last_set()
595                && last.is_multiple()
596                && second_to_last.is_multiple()
597                && count == 2);
598        assert!(
599            ok,
600            "Only one positional argument with `.num_args(1..)` set is allowed per \
601                 command, unless the second one also has .last(true) set"
602        );
603    }
604
605    let mut found = false;
606
607    if cmd.is_allow_missing_positional_set() {
608        // Check that if a required positional argument is found, all positions with a lower
609        // index are also required.
610        let mut foundx2 = false;
611
612        for p in cmd.get_positionals() {
613            if foundx2 && !p.is_required_set() {
614                assert!(
615                    p.is_required_set(),
616                    "Found non-required positional argument with a lower \
617                         index than a required positional argument by two or more: {:?} \
618                         index {:?}",
619                    p.get_id(),
620                    p.get_index()
621                );
622            } else if p.is_required_set() && !p.is_last_set() {
623                // Args that .last(true) don't count since they can be required and have
624                // positionals with a lower index that aren't required
625                // Imagine: prog <req1> [opt1] -- <req2>
626                // Both of these are valid invocations:
627                //      $ prog r1 -- r2
628                //      $ prog r1 o1 -- r2
629                if found {
630                    foundx2 = true;
631                    continue;
632                }
633                found = true;
634                continue;
635            } else {
636                found = false;
637            }
638        }
639    } else {
640        // Check that if a required positional argument is found, all positions with a lower
641        // index are also required
642        for p in (1..=num_p).rev().filter_map(|n| cmd.get_keymap().get(&n)) {
643            if found {
644                assert!(
645                    p.is_required_set(),
646                    "Found non-required positional argument with a lower \
647                         index than a required positional argument: {:?} index {:?}",
648                    p.get_id(),
649                    p.get_index()
650                );
651            } else if p.is_required_set() && !p.is_last_set() {
652                // Args that .last(true) don't count since they can be required and have
653                // positionals with a lower index that aren't required
654                // Imagine: prog <req1> [opt1] -- <req2>
655                // Both of these are valid invocations:
656                //      $ prog r1 -- r2
657                //      $ prog r1 o1 -- r2
658                found = true;
659                continue;
660            }
661        }
662    }
663    assert!(
664        cmd.get_positionals().filter(|p| p.is_last_set()).count() < 2,
665        "Only one positional argument may have last(true) set. Found two."
666    );
667    if cmd
668        .get_positionals()
669        .any(|p| p.is_last_set() && p.is_required_set())
670        && cmd.has_subcommands()
671        && !cmd.is_subcommand_negates_reqs_set()
672    {
673        panic!(
674            "Having a required positional argument with .last(true) set *and* child \
675                 subcommands without setting SubcommandsNegateReqs isn't compatible."
676        );
677    }
678
679    true
680}
681
682fn assert_arg(arg: &Arg) {
683    debug!("Arg::_debug_asserts:{}", arg.get_id());
684
685    // Self conflict
686    // TODO: this check should be recursive
687    assert!(
688        !arg.blacklist.iter().any(|x| x == arg.get_id()),
689        "Argument '{}' cannot conflict with itself",
690        arg.get_id(),
691    );
692
693    assert!(
694        arg.get_num_args().unwrap_or(1.into()).max_values()
695            <= arg.get_action().max_num_args().max_values(),
696        "Argument `{}`'s action {:?} is incompatible with `num_args({:?})`",
697        arg.get_id(),
698        arg.get_action(),
699        arg.get_num_args().unwrap_or(1.into())
700    );
701    if let Some(action_type_id) = arg.get_action().value_type_id() {
702        assert_eq!(
703            action_type_id,
704            arg.get_value_parser().type_id(),
705            "Argument `{}`'s selected action {:?} contradicts `value_parser` ({:?})",
706            arg.get_id(),
707            arg.get_action(),
708            arg.get_value_parser()
709        );
710    }
711
712    if arg.get_value_hint() != ValueHint::Unknown {
713        assert!(
714            arg.is_takes_value_set(),
715            "Argument '{}' has value hint but takes no value",
716            arg.get_id()
717        );
718
719        if arg.get_value_hint() == ValueHint::CommandWithArguments {
720            assert!(
721                arg.is_multiple_values_set(),
722                "Argument '{}' uses hint CommandWithArguments and must accept multiple values",
723                arg.get_id()
724            );
725        }
726    }
727
728    if arg.index.is_some() {
729        assert!(
730            arg.is_positional(),
731            "Argument '{}' is a positional argument and can't have short or long name versions",
732            arg.get_id()
733        );
734        assert!(
735            arg.is_takes_value_set(),
736            "Argument '{}` is positional and it must take a value but action is {:?}{}",
737            arg.get_id(),
738            arg.get_action(),
739            if arg.get_id() == Id::HELP {
740                " (`mut_arg` no longer works with implicit `--help`)"
741            } else if arg.get_id() == Id::VERSION {
742                " (`mut_arg` no longer works with implicit `--version`)"
743            } else {
744                ""
745            }
746        );
747    }
748
749    let num_vals = arg.get_num_args().expect(INTERNAL_ERROR_MSG);
750    // This can be the cause of later asserts, so put this first
751    if num_vals != ValueRange::EMPTY {
752        // HACK: Don't check for flags to make the derive easier
753        let num_val_names = arg.get_value_names().unwrap_or(&[]).len();
754        if num_vals.max_values() < num_val_names {
755            panic!(
756                "Argument {}: Too many value names ({}) compared to `num_args` ({})",
757                arg.get_id(),
758                num_val_names,
759                num_vals
760            );
761        }
762    }
763
764    assert_eq!(
765        num_vals.is_multiple(),
766        arg.is_multiple_values_set(),
767        "Argument {}: mismatch between `num_args` ({}) and `multiple_values`",
768        arg.get_id(),
769        num_vals,
770    );
771
772    if 1 < num_vals.min_values() {
773        assert!(
774            !arg.is_require_equals_set(),
775            "Argument {}: cannot accept more than 1 arg (num_args={}) with require_equals",
776            arg.get_id(),
777            num_vals
778        );
779    }
780
781    if num_vals == ValueRange::SINGLE {
782        assert!(
783            !arg.is_multiple_values_set(),
784            "Argument {}: mismatch between `num_args` and `multiple_values`",
785            arg.get_id()
786        );
787    }
788
789    assert_arg_flags(arg);
790}
791
792fn assert_arg_flags(arg: &Arg) {
793    macro_rules! checker {
794        ($a:ident requires $($b:ident)|+) => {
795            if arg.$a() {
796                let mut s = String::new();
797
798                $(
799                    if !arg.$b() {
800                        use std::fmt::Write;
801                        write!(&mut s, "  Arg::{} is required when Arg::{} is set.\n", std::stringify!($b), std::stringify!($a)).unwrap();
802                    }
803                )+
804
805                if !s.is_empty() {
806                    panic!("Argument {:?}\n{}", arg.get_id(), s)
807                }
808            }
809        }
810    }
811
812    checker!(is_hide_possible_values_set requires is_takes_value_set);
813    checker!(is_allow_hyphen_values_set requires is_takes_value_set);
814    checker!(is_allow_negative_numbers_set requires is_takes_value_set);
815    checker!(is_require_equals_set requires is_takes_value_set);
816    checker!(is_last_set requires is_takes_value_set);
817    checker!(is_hide_default_value_set requires is_takes_value_set);
818    checker!(is_multiple_values_set requires is_takes_value_set);
819    checker!(is_ignore_case_set requires is_takes_value_set);
820}