1use crate::{
3 args::State,
4 buffer::MetaInfo,
5 error::{Message, MissingItem},
6 Doc, Error, Meta, Parser,
7};
8use std::marker::PhantomData;
9
10pub struct ParseFallbackWith<T, P, F, E> {
13 pub(crate) inner: P,
14 pub(crate) inner_res: PhantomData<T>,
15 pub(crate) fallback: F,
16 pub(crate) value_str: String,
17 pub(crate) err: PhantomData<E>,
18}
19
20impl<T, P, F, E> Parser<T> for ParseFallbackWith<T, P, F, E>
21where
22 P: Parser<T>,
23 F: Fn() -> Result<T, E>,
24 E: ToString,
25{
26 fn eval(&self, args: &mut State) -> Result<T, Error> {
27 let mut clone = args.clone();
28 match self.inner.eval(&mut clone) {
29 Ok(ok) => {
30 std::mem::swap(args, &mut clone);
31 Ok(ok)
32 }
33 Err(Error(e)) => {
34 #[cfg(feature = "autocomplete")]
35 args.swap_comps(&mut clone);
36 if e.can_catch() {
37 match (self.fallback)() {
38 Ok(ok) => Ok(ok),
39 Err(e) => Err(Error(Message::PureFailed(e.to_string()))),
40 }
41 } else {
42 Err(Error(e))
43 }
44 }
45 }
46 }
47
48 fn meta(&self) -> Meta {
49 let m = Meta::Optional(Box::new(self.inner.meta()));
50 if self.value_str.is_empty() {
51 m
52 } else {
53 let buf = Doc::from(self.value_str.as_str());
54 Meta::Suffix(Box::new(m), Box::new(buf))
55 }
56 }
57}
58
59pub struct ParseGroupHelp<P> {
61 pub(crate) inner: P,
62 pub(crate) message: Doc,
63}
64
65impl<T, P> Parser<T> for ParseGroupHelp<P>
66where
67 P: Parser<T>,
68{
69 fn eval(&self, args: &mut State) -> Result<T, Error> {
70 #[cfg(feature = "autocomplete")]
71 let mut comp_items = Vec::new();
72 #[cfg(feature = "autocomplete")]
73 args.swap_comps_with(&mut comp_items);
74
75 #[allow(clippy::let_and_return)]
76 let res = self.inner.eval(args);
77
78 #[cfg(feature = "autocomplete")]
79 args.swap_comps_with(&mut comp_items);
80 #[cfg(feature = "autocomplete")]
81 args.push_with_group(&self.message.to_completion(), &mut comp_items);
82
83 res
84 }
85
86 fn meta(&self) -> Meta {
87 let meta = Box::new(self.inner.meta());
88 Meta::Subsection(meta, Box::new(self.message.clone()))
89 }
90}
91
92pub struct ParseWithGroupHelp<P, F> {
94 pub(crate) inner: P,
95 pub(crate) f: F,
96}
97
98impl<T, P, F> Parser<T> for ParseWithGroupHelp<P, F>
99where
100 P: Parser<T>,
101 F: Fn(MetaInfo) -> Doc,
102{
103 fn eval(&self, args: &mut State) -> Result<T, Error> {
104 self.inner.eval(args)
105 }
106
107 fn meta(&self) -> Meta {
108 let meta = self.inner.meta();
109 let buf = (self.f)(MetaInfo(&meta));
110
111 Meta::Subsection(Box::new(meta), Box::new(buf))
112 }
113}
114
115pub struct ParseSome<P> {
119 pub(crate) inner: P,
120 pub(crate) message: &'static str,
121 pub(crate) catch: bool,
122}
123
124impl<P> ParseSome<P> {
125 #[must_use]
126 #[cfg_attr(not(doctest), doc = include_str!("docs2/some_catch.md"))]
135 pub fn catch(mut self) -> Self {
136 self.catch = true;
137 self
138 }
139}
140
141impl<T, P> Parser<Vec<T>> for ParseSome<P>
142where
143 P: Parser<T>,
144{
145 fn eval(&self, args: &mut State) -> Result<Vec<T>, Error> {
146 let mut res = Vec::new();
147 let mut len = usize::MAX;
148
149 while let Some(val) = parse_option(&self.inner, &mut len, args, self.catch)? {
150 res.push(val);
151 }
152
153 if res.is_empty() {
154 Err(Error(Message::ParseSome(self.message)))
155 } else {
156 Ok(res)
157 }
158 }
159
160 fn meta(&self) -> Meta {
161 Meta::Many(Box::new(Meta::Required(Box::new(self.inner.meta()))))
162 }
163}
164
165pub struct ParseCollect<P, C, T> {
169 pub(crate) inner: P,
170 pub(crate) catch: bool,
171 pub(crate) ctx: PhantomData<(C, T)>,
172}
173
174impl<T, C, P> ParseCollect<P, C, T> {
175 #[must_use]
176 #[cfg_attr(not(doctest), doc = include_str!("docs2/some_catch.md"))]
185 pub fn catch(mut self) -> Self {
186 self.catch = true;
187 self
188 }
189}
190
191impl<T, C, P> Parser<C> for ParseCollect<P, C, T>
192where
193 P: Parser<T>,
194 C: FromIterator<T>,
195{
196 fn eval(&self, args: &mut State) -> Result<C, Error> {
197 let mut len = usize::MAX;
198 std::iter::from_fn(|| parse_option(&self.inner, &mut len, args, self.catch).transpose())
199 .collect::<Result<C, Error>>()
200 }
201
202 fn meta(&self) -> Meta {
203 Meta::Many(Box::new(Meta::Required(Box::new(self.inner.meta()))))
204 }
205}
206
207pub struct ParseHide<P> {
210 pub(crate) inner: P,
211}
212
213impl<T, P> Parser<T> for ParseHide<P>
214where
215 P: Parser<T>,
216{
217 fn eval(&self, args: &mut State) -> Result<T, Error> {
218 #[cfg(feature = "autocomplete")]
219 let mut comps = Vec::new();
220
221 #[cfg(feature = "autocomplete")]
222 args.swap_comps_with(&mut comps);
223
224 #[allow(clippy::let_and_return)]
225 let res = self.inner.eval(args);
226
227 #[cfg(feature = "autocomplete")]
228 args.swap_comps_with(&mut comps);
229 if let Err(Error(Message::Missing(_))) = res {
230 Err(Error(Message::Missing(Vec::new())))
231 } else {
232 res
233 }
234 }
235
236 fn meta(&self) -> Meta {
237 Meta::Skip
238 }
239}
240
241pub struct ParseUsage<P> {
245 pub(crate) inner: P,
246 pub(crate) usage: Doc,
247}
248impl<T, P> Parser<T> for ParseUsage<P>
249where
250 P: Parser<T>,
251{
252 fn eval(&self, args: &mut State) -> Result<T, Error> {
253 self.inner.eval(args)
254 }
255
256 fn meta(&self) -> Meta {
257 Meta::CustomUsage(Box::new(self.inner.meta()), Box::new(self.usage.clone()))
258 }
259}
260
261pub struct ParseOrElse<T> {
264 pub(crate) this: Box<dyn Parser<T>>,
265 pub(crate) that: Box<dyn Parser<T>>,
266}
267
268impl<T> Parser<T> for ParseOrElse<T> {
269 fn eval(&self, args: &mut State) -> Result<T, Error> {
270 #[cfg(feature = "autocomplete")]
271 let mut comp_items = Vec::new();
272 #[cfg(feature = "autocomplete")]
273 args.swap_comps_with(&mut comp_items);
274
275 let mut args_a = args.clone();
280 let mut args_b = args.clone();
281
282 let (res_a, err_a) = match self.this.eval(&mut args_a) {
287 Ok(ok) => (Some(ok), None),
288 Err(err) => (None, Some(err)),
289 };
290
291 let (res_b, err_b) = match self.that.eval(&mut args_b) {
292 Ok(ok) => (Some(ok), None),
293 Err(err) => (None, Some(err)),
294 };
295
296 if this_or_that_picks_first(
297 err_a,
298 err_b,
299 args,
300 &mut args_a,
301 &mut args_b,
302 #[cfg(feature = "autocomplete")]
303 comp_items,
304 )? {
305 Ok(res_a.unwrap())
306 } else {
307 Ok(res_b.unwrap())
308 }
309 }
310
311 fn meta(&self) -> Meta {
312 self.this.meta().or(self.that.meta())
313 }
314}
315
316fn this_or_that_picks_first(
319 err_a: Option<Error>,
320 err_b: Option<Error>,
321 args: &mut State,
322 args_a: &mut State,
323 args_b: &mut State,
324
325 #[cfg(feature = "autocomplete")] mut comp_stash: Vec<crate::complete_gen::Comp>,
326) -> Result<bool, Error> {
327 match Ord::cmp(&args_a.depth(), &args_b.depth()) {
330 std::cmp::Ordering::Less => {
331 std::mem::swap(args, args_b);
332 #[cfg(feature = "autocomplete")]
333 if let Some(comp) = args.comp_mut() {
334 comp.extend_comps(comp_stash);
335 }
336 return match err_b {
337 Some(err) => Err(err),
338 None => Ok(false),
339 };
340 }
341 std::cmp::Ordering::Equal => {}
342 std::cmp::Ordering::Greater => {
343 std::mem::swap(args, args_a);
344 #[cfg(feature = "autocomplete")]
345 if let Some(comp) = args.comp_mut() {
346 comp.extend_comps(comp_stash);
347 }
348 return match err_a {
349 Some(err) => Err(err),
350 None => Ok(true),
351 };
352 }
353 }
354
355 #[allow(clippy::let_and_return)] let res = match (err_a, err_b) {
358 (None, None) => {
359 if args.len() == args_a.len() && args.len() == args_b.len() {
360 Ok((true, None))
361 } else {
362 Ok(args_a.pick_winner(args_b))
363 }
364 }
365 (Some(e1), Some(e2)) => Err(e1.combine_with(e2)),
366 (a_ok, _) => Ok((a_ok.is_none(), None)),
368 };
369
370 #[cfg(feature = "autocomplete")]
371 {
372 let mut keep_a = true;
373 let mut keep_b = true;
374 if args_a.len() != args_b.len() {
375 if let (Some(_), Some(_)) = (args_a.comp_mut(), args_b.comp_mut()) {
381 'check: for (ix, arg) in args_a.items.iter().enumerate() {
382 if ix + 1 == args_a.items.len() {
390 let os = arg.os_str();
391 if os.is_empty() || os == "-" || os == "--" {
392 break 'check;
393 }
394 }
395 if let (Some(a), Some(b)) = (args_a.present(ix), args_b.present(ix)) {
396 match (a, b) {
397 (false, true) => {
398 keep_b = false;
399 break 'check;
400 }
401 (true, false) => {
402 keep_a = false;
403 break 'check;
404 }
405 _ => {}
406 }
407 }
408 }
409 }
410 }
411
412 if let (Some(a), Some(b)) = (args_a.comp_mut(), args_b.comp_mut()) {
413 if keep_a {
414 comp_stash.extend(a.drain_comps());
415 }
416 if keep_b {
417 comp_stash.extend(b.drain_comps());
418 }
419 }
420 }
421
422 match res {
423 Ok((true, ix)) => {
424 if let Some(win) = ix {
425 args_a.save_conflicts(args_b, win);
426 }
427 std::mem::swap(args, args_a);
428 }
429 Ok((false, ix)) => {
430 if let Some(win) = ix {
431 args_b.save_conflicts(args_a, win);
432 }
433 std::mem::swap(args, args_b);
434 }
435 Err(_) => {}
437 }
438
439 #[cfg(feature = "autocomplete")]
440 if let Some(comp) = args.comp_mut() {
441 comp.extend_comps(comp_stash);
442 }
443
444 Ok(res?.0)
445}
446
447pub struct ParseWith<T, P, F, E, R> {
450 pub(crate) inner: P,
451 pub(crate) inner_res: PhantomData<T>,
452 pub(crate) parse_fn: F,
453 pub(crate) res: PhantomData<R>,
454 pub(crate) err: PhantomData<E>,
455}
456
457impl<T, P, F, E, R> Parser<R> for ParseWith<T, P, F, E, R>
458where
459 P: Parser<T>,
460 F: Fn(T) -> Result<R, E>,
461 E: ToString,
462{
463 fn eval(&self, args: &mut State) -> Result<R, Error> {
464 let t = self.inner.eval(args)?;
465 match (self.parse_fn)(t) {
466 Ok(r) => Ok(r),
467 Err(e) => Err(Error(Message::ParseFailed(args.current, e.to_string()))),
468 }
469 }
470
471 fn meta(&self) -> Meta {
472 self.inner.meta()
473 }
474}
475
476pub struct ParseFallback<P, T> {
479 pub(crate) inner: P,
480 pub(crate) value: T,
481 pub(crate) value_str: String,
482}
483
484impl<P, T> Parser<T> for ParseFallback<P, T>
485where
486 P: Parser<T>,
487 T: Clone,
488{
489 fn eval(&self, args: &mut State) -> Result<T, Error> {
490 let mut clone = args.clone();
491 match self.inner.eval(&mut clone) {
492 Ok(ok) => {
493 std::mem::swap(args, &mut clone);
494 Ok(ok)
495 }
496 Err(Error(e)) => {
497 #[cfg(feature = "autocomplete")]
498 args.swap_comps(&mut clone);
499 if e.can_catch() {
500 Ok(self.value.clone())
501 } else {
502 Err(Error(e))
503 }
504 }
505 }
506 }
507
508 fn meta(&self) -> Meta {
509 let m = Meta::Optional(Box::new(self.inner.meta()));
510 if self.value_str.is_empty() {
511 m
512 } else {
513 let buf = Doc::from(self.value_str.as_str());
514 Meta::Suffix(Box::new(m), Box::new(buf))
515 }
516 }
517}
518
519struct DisplayWith<'a, T, F>(&'a T, F);
522
523impl<'a, T, F: Fn(&'a T, &mut std::fmt::Formatter<'_>) -> std::fmt::Result> std::fmt::Display
524 for DisplayWith<'a, T, F>
525{
526 #[inline(always)]
527 fn fmt(&self, f: &mut std::fmt::Formatter<'_>) -> std::fmt::Result {
528 let Self(value, display) = self;
529 display(value, f)
530 }
531}
532
533impl<P, T: std::fmt::Display> ParseFallback<P, T> {
534 #[cfg_attr(not(doctest), doc = include_str!("docs2/dis_fallback.md"))]
538 #[must_use]
539 pub fn display_fallback(mut self) -> Self {
540 self.value_str = format!("[default: {}]", self.value);
541 self
542 }
543}
544
545impl<P, T: std::fmt::Debug> ParseFallback<P, T> {
546 #[cfg_attr(not(doctest), doc = include_str!("docs2/deb_fallback_with.md"))]
550 #[must_use]
551 pub fn debug_fallback(mut self) -> Self {
552 self.value_str = format!("[default: {:?}]", self.value);
553 self
554 }
555}
556
557impl<P, T> ParseFallback<P, T> {
558 #[cfg_attr(not(doctest), doc = include_str!("docs2/format_fallback.md"))]
562 #[must_use]
563 pub fn format_fallback(
564 mut self,
565 format: impl Fn(&T, &mut std::fmt::Formatter<'_>) -> std::fmt::Result,
566 ) -> Self {
567 self.value_str = format!("[default: {}]", DisplayWith(&self.value, format));
568 self
569 }
570}
571
572impl<P, T: std::fmt::Display, F, E> ParseFallbackWith<T, P, F, E>
573where
574 F: Fn() -> Result<T, E>,
575{
576 #[cfg_attr(not(doctest), doc = include_str!("docs2/dis_fallback_with.md"))]
582 #[must_use]
583 pub fn display_fallback(mut self) -> Self {
584 if let Ok(val) = (self.fallback)() {
585 self.value_str = format!("[default: {}]", val);
586 }
587 self
588 }
589}
590
591impl<P, T: std::fmt::Debug, F, E> ParseFallbackWith<T, P, F, E>
592where
593 F: Fn() -> Result<T, E>,
594{
595 #[cfg_attr(not(doctest), doc = include_str!("docs2/deb_fallback.md"))]
601 #[must_use]
602 pub fn debug_fallback(mut self) -> Self {
603 if let Ok(val) = (self.fallback)() {
604 self.value_str = format!("[default: {:?}]", val);
605 }
606 self
607 }
608}
609
610impl<P, T, F, E> ParseFallbackWith<T, P, F, E>
611where
612 F: Fn() -> Result<T, E>,
613{
614 #[cfg_attr(not(doctest), doc = include_str!("docs2/format_fallback_with.md"))]
618 #[must_use]
619 pub fn format_fallback(
620 mut self,
621 format: impl Fn(&T, &mut std::fmt::Formatter<'_>) -> std::fmt::Result,
622 ) -> Self {
623 if let Ok(val) = (self.fallback)() {
624 self.value_str = format!("[default: {}]", DisplayWith(&val, format));
625 }
626 self
627 }
628}
629
630pub struct ParseGuard<P, F> {
632 pub(crate) inner: P,
633 pub(crate) check: F,
634 pub(crate) message: &'static str,
635}
636
637impl<T, P, F> Parser<T> for ParseGuard<P, F>
638where
639 P: Parser<T>,
640 F: Fn(&T) -> bool,
641{
642 fn eval(&self, args: &mut State) -> Result<T, Error> {
643 let t = self.inner.eval(args)?;
644 if (self.check)(&t) {
645 Ok(t)
646 } else {
647 Err(Error(Message::GuardFailed(args.current, self.message)))
648 }
649 }
650
651 fn meta(&self) -> Meta {
652 self.inner.meta()
653 }
654}
655
656pub struct ParseCount<P, T> {
659 pub(crate) inner: P,
660 pub(crate) ctx: PhantomData<T>,
661}
662
663impl<T, P> Parser<usize> for ParseCount<P, T>
664where
665 P: Parser<T>,
666{
667 fn eval(&self, args: &mut State) -> Result<usize, Error> {
668 let mut res = 0;
669 let mut current = args.len();
670 let mut len = usize::MAX;
671 while (parse_option(&self.inner, &mut len, args, false)?).is_some() {
672 res += 1;
673 if current == args.len() {
674 break;
675 }
676 current = args.len();
677 }
678 Ok(res)
679 }
680
681 fn meta(&self) -> Meta {
682 Meta::Many(Box::new(Meta::Optional(Box::new(self.inner.meta()))))
683 }
684}
685
686pub struct ParseLast<P> {
689 pub(crate) inner: P,
690}
691
692impl<T, P> Parser<T> for ParseLast<P>
693where
694 P: Parser<T>,
695{
696 fn eval(&self, args: &mut State) -> Result<T, Error> {
697 let mut last = None;
698 let mut current = args.len();
699 let mut len = usize::MAX;
700 while let Some(val) = parse_option(&self.inner, &mut len, args, false)? {
701 last = Some(val);
702 if current == args.len() {
703 break;
704 }
705 current = args.len();
706 }
707 if let Some(last) = last {
708 Ok(last)
709 } else {
710 self.inner.eval(args)
711 }
712 }
713
714 fn meta(&self) -> Meta {
715 Meta::Many(Box::new(Meta::Required(Box::new(self.inner.meta()))))
716 }
717}
718
719pub struct ParseOptional<P> {
723 pub(crate) inner: P,
724 pub(crate) catch: bool,
725}
726
727impl<T, P> Parser<Option<T>> for ParseOptional<P>
728where
729 P: Parser<T>,
730{
731 fn eval(&self, args: &mut State) -> Result<Option<T>, Error> {
732 let mut len = usize::MAX;
733 parse_option(&self.inner, &mut len, args, self.catch)
734 }
735
736 fn meta(&self) -> Meta {
737 Meta::Optional(Box::new(self.inner.meta()))
738 }
739}
740
741impl<P> ParseOptional<P> {
742 #[must_use]
743 #[cfg_attr(not(doctest), doc = include_str!("docs2/optional_catch.md"))]
756 pub fn catch(mut self) -> Self {
757 self.catch = true;
758 self
759 }
760}
761
762pub struct ParseMany<P> {
765 pub(crate) inner: P,
766 pub(crate) catch: bool,
767}
768
769impl<P> ParseMany<P> {
770 #[must_use]
771 #[cfg_attr(not(doctest), doc = include_str!("docs2/many_catch.md"))]
780 pub fn catch(mut self) -> Self {
781 self.catch = true;
782 self
783 }
784}
785
786fn parse_option<P, T>(
788 parser: &P,
789 len: &mut usize,
790 args: &mut State,
791 catch: bool,
792) -> Result<Option<T>, Error>
793where
794 P: Parser<T>,
795{
796 let mut orig_args = args.clone();
797 match parser.eval(args) {
798 Ok(val) => Ok(if args.len() < *len {
801 *len = args.len();
802 Some(val)
803 } else {
804 None
805 }),
806 Err(Error(err)) => {
807 let missing = matches!(err, Message::Missing(_));
819
820 if catch || (missing && orig_args.len() == args.len()) || (!missing && err.can_catch())
821 {
822 std::mem::swap(&mut orig_args, args);
823 #[cfg(feature = "autocomplete")]
824 if orig_args.comp_mut().is_some() {
825 args.swap_comps(&mut orig_args);
826 }
827 Ok(None)
828 } else {
829 Err(Error(err))
830 }
831 }
832 }
833}
834
835impl<T, P> Parser<Vec<T>> for ParseMany<P>
836where
837 P: Parser<T>,
838{
839 fn eval(&self, args: &mut State) -> Result<Vec<T>, Error> {
840 let mut len = usize::MAX;
841 std::iter::from_fn(|| parse_option(&self.inner, &mut len, args, self.catch).transpose())
842 .collect::<Result<Vec<T>, Error>>()
843 }
844
845 fn meta(&self) -> Meta {
846 Meta::Many(Box::new(Meta::Optional(Box::new(self.inner.meta()))))
847 }
848}
849
850pub struct ParsePure<T>(pub(crate) T);
853impl<T: Clone + 'static> Parser<T> for ParsePure<T> {
854 fn eval(&self, args: &mut State) -> Result<T, Error> {
855 args.current = None;
856 Ok(self.0.clone())
857 }
858
859 fn meta(&self) -> Meta {
860 Meta::Skip
861 }
862}
863
864pub struct ParsePureWith<T, F, E>(pub(crate) F)
865where
866 F: Fn() -> Result<T, E>,
867 E: ToString;
868impl<T: Clone + 'static, F: Fn() -> Result<T, E>, E: ToString> Parser<T>
869 for ParsePureWith<T, F, E>
870{
871 fn eval(&self, _args: &mut State) -> Result<T, Error> {
872 match (self.0)() {
873 Ok(ok) => Ok(ok),
874 Err(e) => Err(Error(Message::PureFailed(e.to_string()))),
875 }
876 }
877
878 fn meta(&self) -> Meta {
879 Meta::Skip
880 }
881}
882
883pub struct ParseFail<T> {
885 pub(crate) field1: &'static str,
886 pub(crate) field2: PhantomData<T>,
887}
888impl<T> Parser<T> for ParseFail<T> {
889 fn eval(&self, args: &mut State) -> Result<T, Error> {
890 args.current = None;
891 Err(Error(Message::ParseFail(self.field1)))
892 }
893
894 fn meta(&self) -> Meta {
895 Meta::Skip
896 }
897}
898
899pub struct ParseMap<T, P, F, R> {
901 pub(crate) inner: P,
902 pub(crate) inner_res: PhantomData<T>,
903 pub(crate) map_fn: F,
904 pub(crate) res: PhantomData<R>,
905}
906impl<P, T, F, R> Parser<R> for ParseMap<T, P, F, R>
907where
908 F: Fn(T) -> R,
909 P: Parser<T> + Sized,
910{
911 fn eval(&self, args: &mut State) -> Result<R, Error> {
912 let t = self.inner.eval(args)?;
913 Ok((self.map_fn)(t))
914 }
915
916 fn meta(&self) -> Meta {
917 self.inner.meta()
918 }
919}
920
921pub struct ParseCon<P> {
923 pub inner: P,
925 pub meta: Meta,
927 pub failfast: bool,
934}
935
936impl<T, P> Parser<T> for ParseCon<P>
937where
938 P: Fn(bool, &mut State) -> Result<T, Error>,
939{
940 fn eval(&self, args: &mut State) -> Result<T, Error> {
941 let res = (self.inner)(self.failfast, args);
942 args.current = None;
943 res
944 }
945
946 fn meta(&self) -> Meta {
947 self.meta.clone()
948 }
949}
950
951impl<T> ParseCon<T> {
952 #[must_use]
953
954 #[cfg_attr(not(doctest), doc = include_str!("docs2/adjacent_struct_0.md"))]
975 #[cfg_attr(not(doctest), doc = include_str!("docs2/adjacent_struct_1.md"))]
980 #[cfg_attr(not(doctest), doc = include_str!("docs2/adjacent_command.md"))]
986 #[cfg_attr(not(doctest), doc = include_str!("docs2/adjacent_struct_3.md"))]
992 #[cfg_attr(not(doctest), doc = include_str!("docs2/adjacent_struct_4.md"))]
1001 pub fn adjacent(mut self) -> ParseAdjacent<Self> {
1013 self.failfast = true;
1014 ParseAdjacent { inner: self }
1015 }
1016}
1017
1018#[cfg(feature = "autocomplete")]
1020pub struct ParseComp<P, F> {
1021 pub(crate) inner: P,
1022 pub(crate) op: F,
1023 pub(crate) group: Option<String>,
1024}
1025
1026#[cfg(feature = "autocomplete")]
1027impl<P, F> ParseComp<P, F> {
1028 #[must_use]
1029 pub fn group(mut self, group: impl Into<String>) -> Self {
1031 self.group = Some(group.into());
1032 self
1033 }
1034}
1035
1036#[cfg(feature = "autocomplete")]
1037impl<P, T, F, M> Parser<T> for ParseComp<P, F>
1038where
1039 P: Parser<T> + Sized,
1040 M: Into<String>,
1041 F: Fn(&T) -> Vec<(M, Option<M>)>,
1042{
1043 fn eval(&self, args: &mut State) -> Result<T, Error> {
1044 let mut comp_items = Vec::new();
1046 args.swap_comps_with(&mut comp_items);
1047
1048 let res = self.inner.eval(args);
1049
1050 args.swap_comps_with(&mut comp_items);
1052
1053 if let Some(comp) = &mut args.comp_mut() {
1054 if res.is_err() {
1055 comp.extend_comps(comp_items);
1056 return res;
1057 }
1058 }
1059
1060 let res = res?;
1061
1062 let depth = args.depth();
1065 if let Some(comp) = &mut args.comp_mut() {
1066 for ci in comp_items {
1067 let is_meta = ci.is_metavar();
1068 if let Some(is_arg) = is_meta {
1069 let suggestions = (self.op)(&res);
1070 if suggestions.len() != 1 {
1072 comp.push_comp(ci);
1073 }
1074 for (replacement, description) in suggestions {
1075 let group = self.group.clone();
1076 comp.push_value(
1077 replacement.into(),
1078 description.map(Into::into),
1079 group,
1080 depth,
1081 is_arg,
1082 );
1083 }
1084 } else {
1085 comp.push_comp(ci);
1086 }
1087 }
1088 }
1089 Ok(res)
1090 }
1091
1092 fn meta(&self) -> Meta {
1093 self.inner.meta()
1094 }
1095}
1096
1097pub struct ParseAdjacent<P> {
1124 pub(crate) inner: P,
1125}
1126impl<P, T> Parser<T> for ParseAdjacent<P>
1127where
1128 P: Parser<T> + Sized,
1129{
1130 fn eval(&self, args: &mut State) -> Result<T, Error> {
1131 let original_scope = args.scope();
1132
1133 let first_item;
1134 let inner_meta = self.inner.meta();
1135 let mut best_error = if let Some(item) = Meta::first_item(&inner_meta) {
1136 first_item = item;
1137 let missing_item = MissingItem {
1138 item: item.clone(),
1139 position: original_scope.start,
1140 scope: original_scope.clone(),
1141 };
1142 Message::Missing(vec![missing_item])
1143 } else {
1144 unreachable!("bpaf usage BUG: adjacent should start with a required argument");
1145 };
1146 let mut best_args = args.clone();
1147 let mut best_consumed = 0;
1148
1149 for (start, width, mut this_arg) in args.ranges(first_item) {
1150 let mut scratch = this_arg.clone();
1159 scratch.set_scope(start..start + width);
1160 let before = scratch.len();
1161
1162 if before == 0 {
1166 continue;
1167 }
1168
1169 let _ = self.inner.eval(&mut scratch);
1170
1171 if before == scratch.len() {
1172 continue;
1174 }
1175
1176 this_arg.set_scope(start..original_scope.end);
1177 let before = this_arg.len();
1178
1179 if original_scope.end - start > before {
1182 this_arg.set_scope(this_arg.adjacently_available_from(start));
1183 }
1184
1185 loop {
1186 match self.inner.eval(&mut this_arg) {
1187 Ok(res) => {
1188 if let Some(adj_scope) = this_arg.adjacent_scope(args) {
1190 this_arg = args.clone();
1191 this_arg.set_scope(adj_scope);
1192 } else {
1193 std::mem::swap(args, &mut this_arg);
1194 args.set_scope(original_scope);
1195 return Ok(res);
1196 }
1197 }
1198 Err(Error(err)) => {
1199 let consumed = before - this_arg.len();
1200 if consumed > best_consumed {
1201 best_consumed = consumed;
1202 std::mem::swap(&mut best_args, &mut this_arg);
1203 best_error = err;
1204 }
1205 break;
1206 }
1207 }
1208 }
1209 }
1210
1211 std::mem::swap(args, &mut best_args);
1212 Err(Error(best_error))
1213 }
1214
1215 fn meta(&self) -> Meta {
1216 let meta = self.inner.meta();
1217 Meta::Adjacent(Box::new(meta))
1218 }
1219}
1220
1221impl<T> Parser<T> for Box<dyn Parser<T>> {
1222 fn eval(&self, args: &mut State) -> Result<T, Error> {
1223 self.as_ref().eval(args)
1224 }
1225 fn meta(&self) -> Meta {
1226 self.as_ref().meta()
1227 }
1228}