1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
411
412
413
414
415
416
417
418
419
420
421
422
423
424
425
426
427
428
429
430
431
432
433
434
435
436
437
438
439
440
441
442
443
444
445
446
447
448
449
450
451
452
453
454
455
456
457
458
459
460
461
462
463
464
465
466
467
468
469
470
471
472
473
474
475
476
477
478
479
480
481
482
483
484
485
486
487
488
489
490
491
492
493
494
495
496
497
498
499
500
501
502
503
504
505
506
507
508
509
510
511
512
513
514
515
516
517
518
519
520
521
522
523
524
525
526
527
528
529
530
531
532
533
534
535
536
537
538
539
540
541
542
543
544
545
546
547
548
549
550
551
552
553
554
555
556
557
558
559
560
561
562
563
564
565
566
567
568
569
570
571
572
573
574
575
576
577
578
579
580
581
582
583
584
585
586
587
588
589
590
591
592
593
594
595
596
597
598
599
600
601
602
603
604
605
606
607
608
609
610
611
612
613
614
615
616
617
618
619
620
621
622
623
624
625
626
627
628
629
630
631
632
633
634
635
636
637
638
639
640
641
642
643
644
645
646
647
648
649
650
651
652
653
654
655
656
657
658
659
660
661
662
663
664
665
666
667
668
669
670
671
672
673
674
675
676
677
678
679
680
681
682
683
684
685
686
687
688
689
690
691
692
693
694
695
696
697
698
699
700
701
702
703
704
705
706
707
708
709
710
711
712
713
714
715
716
717
718
719
720
721
722
723
724
725
726
727
728
729
730
731
732
733
734
735
736
737
738
739
740
741
742
743
744
745
746
747
748
749
750
751
752
753
754
755
756
757
758
759
760
761
762
763
764
765
766
767
768
769
770
771
772
773
774
775
776
777
778
779
780
781
782
783
784
785
786
787
788
789
790
791
792
793
794
795
796
797
798
799
800
801
802
803
804
805
806
807
808
809
810
811
812
813
814
815
816
817
818
819
820
821
822
823
824
825
826
827
828
829
830
831
832
833
834
835
836
837
838
839
840
841
842
843
844
845
846
847
848
849
850
851
852
853
854
855
856
857
858
859
860
861
862
863
864
865
866
867
868
869
870
871
872
873
874
875
876
877
878
879
880
881
882
883
884
885
886
887
888
889
890
891
892
893
894
895
896
897
898
899
900
901
902
903
904
905
906
907
908
909
910
911
912
913
914
915
916
917
918
919
920
921
922
923
924
925
926
927
928
929
930
931
932
933
934
935
936
937
938
939
940
941
942
943
944
945
946
947
948
949
950
951
952
953
954
955
956
957
958
959
960
961
962
963
964
965
966
967
968
969
970
971
972
973
974
975
976
977
978
979
980
981
982
983
984
985
986
987
988
989
990
991
992
993
994
995
996
997
998
999
1000
1001
1002
1003
1004
1005
1006
1007
1008
1009
1010
1011
1012
1013
1014
1015
1016
1017
1018
1019
1020
1021
1022
1023
1024
1025
1026
1027
1028
1029
1030
1031
1032
1033
1034
1035
1036
1037
1038
1039
1040
1041
1042
1043
1044
1045
1046
1047
1048
1049
1050
1051
1052
1053
1054
1055
1056
1057
1058
1059
1060
1061
1062
1063
1064
1065
1066
1067
1068
1069
1070
1071
1072
1073
1074
1075
1076
1077
1078
1079
1080
1081
1082
1083
1084
1085
1086
1087
1088
1089
1090
1091
1092
1093
1094
1095
1096
1097
1098
1099
1100
1101
1102
1103
1104
1105
//! Box language concrete syntax tree (CST).
//!
//! This module contains two representations of the Box CST.
//!
//! The type [`Tree`] is an **explicit representation** of a CST.
//! It consists of Rust vectors of function calls ([`FuncCall`]).
//! These calls contain Rust vectors of arguments ([`Arg`]).
//! Some of these arguments may, in turn, contain nested trees if the argument
//!     is a list type.
//!
//! The explicit representation is easy to use, but is inefficient
//!     and makes using the CST a costly abstraction.
//! The alternative representation is an **iterator representation**,
//!     based on two traits [`TreeIter`] and [`ArgsIter`].
//! With this representation, instead of materializing the CST at once
//!     with a type like a [`Tree`], calling code instead iterates
//!     over the tree.
//!

use crate::lexer::ClosingParen;
use crate::Error;

use super::lexer;
use super::Str;
use std::borrow::Cow;
use std::collections::VecDeque;
use std::fmt::Write;

/// Iterator representation of a CST.
pub trait TreeIter<'a>: Iterator<Item = TreeItem<'a, Self::ArgsIter>> {
    /// Args iterator associated to this iterator.
    type ArgsIter: ArgsIter<'a, TreeIter = Self>;

    /// Return the remaining source to be parsed.
    fn remaining_source(&self) -> Str<'a>;
}

/// Item returned by [`TreeIter`].
pub enum TreeItem<'a, A> {
    /// A function call, like `text("Hello", font=3)`.
    FuncCall {
        /// Name of the function
        func_name: Str<'a>,
        /// Iterator over the arguments of the function.
        args: A,
    },
    /// A comment, like `# this is a comment`.
    Comment {
        /// Value of the comment.
        value: &'a str,
    },
}

/// Iterator over the arguments of a function.
pub trait ArgsIter<'a>: Iterator<Item = ArgsItem<'a, Self::TreeIter>> {
    /// Tree iterator associated to this iterator.
    type TreeIter: TreeIter<'a, ArgsIter = Self>;
}

/// Item returned by [`ArgsIter`].
pub enum ArgsItem<'a, F> {
    /// A non-list argument, like `3pt` or `font=5`.
    Regular {
        /// Key of the argument, if present.
        ///
        /// This is populated for keyword arguments like `font=5`.
        /// Positional arguments like `3pt` will have a value of `None` here.
        key: Option<Str<'a>>,
        /// Value of the argument.
        value: Value<'a>,
        /// Source of the value in the source code.
        value_source: Str<'a>,
    },
    /// A list argument.
    List {
        /// Key of the argument, if present.
        ///
        /// This is populated for keyword arguments like `font=5`.
        /// Positional arguments like `3pt` will have a value of `None` here.
        key: Option<Str<'a>>,
        /// Opening square brace.
        square_open: Str<'a>,
        /// Iterator over the items in this list.
        ///
        /// This will satisfy the [`TreeIter`] trait.
        tree: F,
    },
    /// A comment.
    Comment {
        /// Value of the comment.
        value: &'a str,
    },
}

/// Pretty print a Box CST.
pub fn pretty_print<'a, W: std::fmt::Write>(
    w: &mut W,
    tree: impl TreeIter<'a>,
) -> std::fmt::Result {
    pretty_print_impl(w, tree, 0)?;
    Ok(())
}

#[derive(Default)]
struct ArgsPrinter<'a> {
    indent: usize,
    multiline: bool,
    buf: Vec<(Option<Str<'a>>, Value<'a>)>,
}

impl<'a> ArgsPrinter<'a> {
    fn activate_multiline<W: std::fmt::Write>(&mut self, w: &mut W) -> std::fmt::Result {
        self.multiline = true;
        for (key, value) in &self.buf {
            self.print_multiline(w, key, value)?;
        }
        self.buf.clear();
        Ok(())
    }
    fn print<W: std::fmt::Write>(
        &mut self,
        w: &mut W,
        key: Option<Str<'a>>,
        value: Value<'a>,
    ) -> std::fmt::Result {
        if self.buf.len() >= 4 {
            self.activate_multiline(w)?;
        }
        if self.multiline {
            self.print_multiline(w, &key, &value)?;
        } else {
            self.buf.push((key, value));
        }
        Ok(())
    }
    fn print_multiline<W: std::fmt::Write>(
        &self,
        w: &mut W,
        key: &Option<Str<'a>>,
        value: &Value<'a>,
    ) -> std::fmt::Result {
        let indent = Indent(self.indent);
        write!(w, "\n{indent}  ")?;
        if let Some(key) = key {
            write!(w, "{key}=")?;
        }
        write!(w, "{},", value)?;
        Ok(())
    }
    fn flush<W: std::fmt::Write>(&mut self, w: &mut W) -> std::fmt::Result {
        let mut remaining_args = self.buf.len();
        for (keyword, arg) in &self.buf {
            if let Some(keyword) = keyword {
                write!(w, "{keyword}=")?;
            }
            write!(w, "{}", arg)?;
            remaining_args = remaining_args.saturating_sub(1);
            if remaining_args > 0 {
                write!(w, ", ")?;
            }
        }
        let indent = Indent(self.indent);
        if self.multiline {
            write!(w, "\n{indent}")?;
        }
        self.buf.clear();
        self.multiline = false;
        Ok(())
    }
}

struct Indent(usize);

impl std::fmt::Display for Indent {
    fn fmt(&self, f: &mut std::fmt::Formatter<'_>) -> std::fmt::Result {
        for _ in 0..self.0 {
            f.write_char(' ')?;
        }
        Ok(())
    }
}

fn pretty_print_impl<'a, W: std::fmt::Write, T: TreeIter<'a>>(
    w: &mut W,
    tree: T,
    depth: usize,
) -> std::fmt::Result {
    let indent = Indent(depth);
    let mut ap: ArgsPrinter = ArgsPrinter {
        indent: depth,
        ..Default::default()
    };
    for item in tree {
        match item {
            TreeItem::FuncCall { func_name, args } => {
                write!(w, "{indent}{func_name}(")?;
                for item in args {
                    match item {
                        ArgsItem::Comment { value } => {
                            ap.activate_multiline(w)?;
                            write!(w, "\n{indent}  #{value}")?;
                        }
                        ArgsItem::Regular {
                            key,
                            value,
                            value_source: _,
                        } => {
                            ap.print(w, key, value)?;
                        }
                        ArgsItem::List {
                            key,
                            square_open: _,
                            tree,
                        } => {
                            ap.activate_multiline(w)?;
                            write!(w, "\n{indent}  ")?;
                            if let Some(key) = key {
                                write!(w, "{key}=")?;
                            }
                            writeln!(w, "[")?;
                            pretty_print_impl(w, tree, depth + 4)?;
                            write!(w, "{indent}  ],")?;
                        }
                    }
                }
                ap.flush(w)?;
                writeln!(w, ")")?;
            }
            TreeItem::Comment { value } => {
                writeln!(w, "{indent}#{value}")?;
            }
        };
    }
    Ok(())
}

/// Explicit representation of a CST.
#[derive(Debug, Default, PartialEq, Clone)]
pub struct Tree<'a> {
    pub calls: Vec<FuncCall<'a>>,
    pub trailing_comments: Vec<&'a str>,
}

impl<'a> Tree<'a> {
    /// Built a CST from a tree iterator.
    pub fn build(tree: impl TreeIter<'a>) -> Self {
        Self::build_impl(tree)
    }

    fn build_impl<I: TreeIter<'a>>(tree: I) -> Self {
        let mut comments = vec![];
        let take_comments = |comments: &mut Vec<&'a str>| {
            let mut v = vec![];
            std::mem::swap(&mut v, comments);
            v
        };
        let calls = tree
            .filter_map(|item| match item {
                TreeItem::FuncCall { func_name, args } => {
                    let func_comments = take_comments(&mut comments);
                    let args: Vec<Arg<'a>> = args
                        .filter_map(|item| match item {
                            ArgsItem::Regular {
                                key,
                                value,
                                value_source,
                            } => Some(Arg {
                                comments: take_comments(&mut comments),
                                key,
                                value,
                                value_source,
                            }),
                            ArgsItem::List {
                                key,
                                square_open: _,
                                tree,
                            } => {
                                let value_source = tree.remaining_source();
                                let inner_tree = Tree::build_impl(tree);
                                Some(Arg {
                                    comments: take_comments(&mut comments),
                                    key,
                                    value: Value::List(inner_tree),
                                    value_source,
                                })
                            }
                            ArgsItem::Comment { value } => {
                                comments.push(value);
                                None
                            }
                        })
                        .collect();
                    Some(FuncCall {
                        comments: func_comments,
                        func_name,
                        args,
                        trailing_comments: take_comments(&mut comments),
                    })
                }
                TreeItem::Comment { value } => {
                    comments.push(value);
                    None
                }
            })
            .collect();
        Self {
            calls,
            trailing_comments: comments,
        }
    }

    pub fn iter<'b>(&'b self) -> impl TreeIter<'a> + 'b {
        let mut iter = ExplicitIter { tree_stack: vec![] };
        iter.push_tree(self);
        iter
    }
}

impl<'a> std::fmt::Display for Tree<'a> {
    fn fmt(&self, f: &mut std::fmt::Formatter<'_>) -> std::fmt::Result {
        pretty_print(f, self.iter())
    }
}

/// Iterator over an explicit CST.
struct ExplicitIter<'a, 'b> {
    tree_stack: Vec<TreeStackElem<'a, 'b>>,
}

enum TreeStackElem<'a, 'b> {
    FuncCall(&'b FuncCall<'a>),
    Comments(&'b [&'a str]),
}

/// Iterator over an explicit CST.
struct ExplicitArgsIter<'a, 'b> {
    args_stack: Vec<ArgsStackElem<'a, 'b>>,
}

enum ArgsStackElem<'a, 'b> {
    Arg(&'b Arg<'a>),
    Comments(&'b [&'a str]),
}

impl<'a, 'b> ExplicitIter<'a, 'b> {
    fn push_tree(&mut self, t: &'b Tree<'a>) {
        self.tree_stack
            .push(TreeStackElem::Comments(&t.trailing_comments));
        for call in t.calls.iter().rev() {
            self.push_func_call(call);
        }
    }
    fn push_func_call(&mut self, call: &'b FuncCall<'a>) {
        self.tree_stack.push(TreeStackElem::FuncCall(call));
        self.tree_stack
            .push(TreeStackElem::Comments(&call.comments));
    }
}

impl<'a, 'b> ExplicitArgsIter<'a, 'b> {
    fn push_args(&mut self, call: &'b FuncCall<'a>) {
        self.args_stack
            .push(ArgsStackElem::Comments(&call.trailing_comments));
        for a in call.args.iter().rev() {
            self.args_stack.push(ArgsStackElem::Arg(a));
            self.args_stack.push(ArgsStackElem::Comments(&a.comments));
        }
    }
}

impl<'a, 'b> TreeIter<'a> for ExplicitIter<'a, 'b> {
    type ArgsIter = ExplicitArgsIter<'a, 'b>;

    fn remaining_source(&self) -> Str<'a> {
        "".into()
    }
}

impl<'a, 'b> Iterator for ExplicitIter<'a, 'b> {
    type Item = TreeItem<'a, ExplicitArgsIter<'a, 'b>>;

    fn next(&mut self) -> Option<Self::Item> {
        loop {
            match self.tree_stack.pop()? {
                TreeStackElem::FuncCall(func_call) => {
                    let mut iter = ExplicitArgsIter { args_stack: vec![] };
                    iter.push_args(func_call);
                    return Some(TreeItem::FuncCall {
                        func_name: func_call.func_name.clone(),
                        args: iter,
                    });
                }
                TreeStackElem::Comments(items) => {
                    if let Some((head, tail)) = items.split_first() {
                        self.tree_stack.push(TreeStackElem::Comments(tail));
                        return Some(TreeItem::Comment { value: head });
                    }
                }
            }
        }
    }
}

impl<'a, 'b> ArgsIter<'a> for ExplicitArgsIter<'a, 'b> {
    type TreeIter = ExplicitIter<'a, 'b>;
}

impl<'a, 'b> Iterator for ExplicitArgsIter<'a, 'b> {
    type Item = ArgsItem<'a, ExplicitIter<'a, 'b>>;

    fn next(&mut self) -> Option<Self::Item> {
        loop {
            match self.args_stack.pop()? {
                ArgsStackElem::Arg(arg) => {
                    return match arg.value.try_clone_value() {
                        Ok(v) => Some(ArgsItem::Regular {
                            key: arg.key.clone(),
                            value: v,
                            value_source: arg.value_source.clone(),
                        }),
                        Err(tree) => {
                            let mut iter = ExplicitIter { tree_stack: vec![] };
                            iter.push_tree(tree);
                            Some(ArgsItem::List {
                                key: arg.key.clone(),
                                square_open: "".into(),
                                tree: iter,
                            })
                        }
                    };
                }
                ArgsStackElem::Comments(items) => {
                    if let Some((head, tail)) = items.split_first() {
                        self.args_stack.push(ArgsStackElem::Comments(tail));
                        return Some(ArgsItem::Comment { value: head });
                    }
                }
            }
        }
    }
}

/// Parse Box language source code into a CST.
pub fn parse<'a>(source: &'a str, errs: super::ErrorAccumulator<'a>) -> impl TreeIter<'a> {
    let lexer = lexer::Lexer::new(source, errs.clone());
    parse_using_lexer(lexer, errs)
}

/// Parse into a CST using an explicitly provided lexer.
///
/// In general it's easier to use the [`parse`] function.
pub fn parse_using_lexer<'a>(
    lexer: lexer::Lexer<'a>,
    errs: super::ErrorAccumulator<'a>,
) -> impl TreeIter<'a> {
    ParseTreeIter {
        next_tree: None,
        c: ParseIterCommon {
            comments: Default::default(),
            next_token: None,
            lexer,
            errs,
        },
    }
}

struct ParseTreeIter<'a> {
    next_tree: Option<(Str<'a>, lexer::Lexer<'a>)>,
    c: ParseIterCommon<'a>,
}

struct ParseArgsIter<'a> {
    next_arg: Option<ArgsItem<'a, ParseTreeIter<'a>>>,
    c: ParseIterCommon<'a>,
}

struct ParseIterCommon<'a> {
    comments: VecDeque<&'a str>,
    next_token: Option<lexer::Token<'a>>,
    lexer: lexer::Lexer<'a>,
    errs: super::ErrorAccumulator<'a>,
}

impl<'a> ParseIterCommon<'a> {
    fn refill(&mut self) {
        if self.next_token.is_some() {
            return;
        }
        for token in self.lexer.by_ref() {
            match token.value {
                lexer::TokenValue::Comment => {
                    self.comments.push_back(token.source.str());
                }
                lexer::TokenValue::SquareClose | lexer::TokenValue::RoundClose => {
                    self.errs.add(crate::Error::UnmatchedClosingBracket {
                        close: token.source,
                    });
                }
                _ => {
                    self.next_token = Some(token);
                    break;
                }
            }
        }
    }

    fn parse_optional<F: Fn(&lexer::Token<'a>) -> bool>(&mut self, f: F) {
        self.refill();
        if let Some(token) = &self.next_token {
            if f(token) {
                self.next_token = None;
            }
        }
    }

    fn parse_required<T, F: FnMut(lexer::Token<'a>) -> Option<T>>(
        &mut self,
        mut f: F,
        want: &'static str,
    ) -> Option<T> {
        loop {
            self.refill();
            let token = self.next_token.take()?;
            enum Skipped {
                Parens(Option<ClosingParen>),
                Other,
            }
            let skipped = match token.value {
                lexer::TokenValue::SquareOpen { closing }
                | lexer::TokenValue::RoundOpen { closing } => Skipped::Parens(closing),
                _ => Skipped::Other,
            };
            let token_source = token.source.clone();
            if let Some(t) = f(token) {
                return Some(t);
            }
            let skipped = match skipped {
                Skipped::Parens(closing) => {
                    let inner = self.lexer.split_nested(closing);
                    let mut s = inner.remaining_source();
                    include_parens(&mut s);
                    s
                }
                Skipped::Other => token_source.clone(),
            };
            self.errs.add(Error::UnexpectedToken {
                want,
                got: token_source,
                skipped,
            });
        }
    }
}

fn include_parens(s: &mut Str) {
    // We include the '[' before...
    if let Some(i) = s.start.checked_sub(1) {
        if (s.value.as_bytes()[i] as u32) == ('[' as u32)
            || (s.value.as_bytes()[i] as u32) == ('(' as u32)
        {
            s.start = i;
        }
    }
    // ...and the ']' after
    if s.value[s.end..].starts_with(']') || s.value[s.end..].starts_with(')') {
        s.end += 1;
    }
}

impl<'a> TreeIter<'a> for ParseTreeIter<'a> {
    type ArgsIter = ParseArgsIter<'a>;
    fn remaining_source(&self) -> Str<'a> {
        let mut s = self.c.lexer.remaining_source();
        include_parens(&mut s);
        s
    }
}

impl<'a> Iterator for ParseTreeIter<'a> {
    type Item = TreeItem<'a, ParseArgsIter<'a>>;

    fn next(&mut self) -> Option<Self::Item> {
        if let Some(comment) = self.c.comments.pop_front() {
            return Some(TreeItem::Comment { value: comment });
        }
        if let Some((func_name, lexer)) = self.next_tree.take() {
            return Some(TreeItem::FuncCall {
                func_name,
                args: ParseArgsIter {
                    next_arg: None,
                    c: ParseIterCommon {
                        comments: Default::default(),
                        next_token: None,
                        lexer,
                        errs: self.c.errs.clone(),
                    },
                },
            });
        }

        // parse function name
        let func_name_or = self.c.parse_required(
            |token| match token.value {
                lexer::TokenValue::Keyword => Some(token.source),
                _ => None,
            },
            "a function name",
        );
        let func_name = match func_name_or {
            Some(func_name) => func_name,
            None => {
                if self.c.comments.is_empty() {
                    return None;
                }
                return self.next();
            }
        };
        // parse (
        let closing_or = self.c.parse_required(
            |token| match token.value {
                lexer::TokenValue::RoundOpen { closing } => Some(closing),
                _ => None,
            },
            "opening parenthesis",
        );
        let closing = match closing_or {
            Some(closing) => closing,
            None => {
                self.c.errs.add(Error::MissingArgsForFunction {
                    function_name: func_name,
                });
                return self.next();
            }
        };
        let inner = self.c.lexer.split_nested(closing);
        self.next_tree = Some((func_name, inner));
        self.next()
    }
}

impl<'a> ArgsIter<'a> for ParseArgsIter<'a> {
    type TreeIter = ParseTreeIter<'a>;
}

impl<'a> Iterator for ParseArgsIter<'a> {
    type Item = ArgsItem<'a, ParseTreeIter<'a>>;

    fn next(&mut self) -> Option<Self::Item> {
        if let Some(comment) = self.c.comments.pop_front() {
            return Some(ArgsItem::Comment { value: comment });
        }
        if let Some(next) = self.next_arg.take() {
            return Some(next);
        }

        enum ArgStart<'a> {
            Value(lexer::Token<'a>),
            Keyword(Str<'a>),
        }
        let start = self.c.parse_required(
            |token| {
                use lexer::TokenValue;
                match token.value {
                    TokenValue::String(_)
                    | TokenValue::Integer(_)
                    | TokenValue::Scaled(_)
                    | TokenValue::InfiniteGlue(_, _)
                    | TokenValue::SquareOpen { .. } => Some(ArgStart::Value(token)),
                    lexer::TokenValue::Keyword => Some(ArgStart::Keyword(token.source)),
                    _ => None,
                }
            },
            "a function argument",
        );
        let Some(start) = start else {
            if self.c.comments.is_empty() {
                return None;
            }
            return self.next();
        };
        let (key, value) = match start {
            ArgStart::Keyword(key) => {
                self.c.parse_required(
                    |token| match token.value {
                        lexer::TokenValue::Equal => Some(()),
                        _ => None,
                    },
                    "an equals",
                );
                let value = self.c.parse_required(
                    |token| {
                        use lexer::TokenValue;
                        match token.value {
                            TokenValue::String(_)
                            | TokenValue::Integer(_)
                            | TokenValue::Scaled(_)
                            | TokenValue::InfiniteGlue(_, _)
                            | TokenValue::SquareOpen { .. } => Some(token),
                            _ => None,
                        }
                    },
                    "value of a keyword argument",
                );
                let Some(value) = value else {
                    self.c
                        .errs
                        .add(Error::IncompleteKeywordArg { keyword: key });
                    return self.next();
                };
                (Some(key), value)
            }
            ArgStart::Value(value) => (None, value),
        };
        let mut c = None;
        let value_v = match value.value {
            lexer::TokenValue::String(s) => Value::String(s),
            lexer::TokenValue::Integer(n) => Value::Integer(n),
            lexer::TokenValue::Scaled(n) => Value::Scaled(n),
            lexer::TokenValue::InfiniteGlue(s, o) => Value::InfiniteGlue(s, o),
            lexer::TokenValue::SquareOpen { closing } => {
                c = closing;
                Value::List(Default::default())
            }
            _ => unreachable!(),
        };
        self.next_arg = Some(match value_v {
            Value::List(_) => {
                let lexer = self.c.lexer.split_nested(c);
                ArgsItem::List {
                    key,
                    square_open: value.source,
                    tree: ParseTreeIter {
                        next_tree: None,
                        c: ParseIterCommon {
                            comments: Default::default(),
                            next_token: None,
                            lexer,
                            errs: self.c.errs.clone(),
                        },
                    },
                }
            }
            value_v => ArgsItem::Regular {
                key,
                value: value_v,
                value_source: value.source,
            },
        });
        // Consume an optional ',' after the value.
        self.c
            .parse_optional(|token| matches!(token.value, lexer::TokenValue::Comma));
        self.next()
    }
}

/// An argument to a function.
#[derive(Debug, Clone)]
pub struct Arg<'a> {
    /// Comments preceding the argument.
    pub comments: Vec<&'a str>,
    /// For positional arguments the key is [`None`];
    /// for keyword arguments the key is the name provided.
    pub key: Option<Str<'a>>,
    pub value: Value<'a>,
    pub value_source: Str<'a>,
}

impl<'a> PartialEq for Arg<'a> {
    fn eq(&self, other: &Self) -> bool {
        let eq = self.comments == other.comments && self.value == other.value;
        // We only compare sources if they are both provided.
        if self.value_source.is_empty() || other.value_source.is_empty() {
            eq
        } else {
            eq && self.value_source == other.value_source
        }
    }
}

/// The value of an argument to a function.
#[derive(Debug, PartialEq, Clone)]
pub enum Value<'a> {
    Integer(i32),
    Scaled(core::Scaled),
    InfiniteGlue(core::Scaled, core::GlueOrder),
    String(Cow<'a, str>),
    List(Tree<'a>),
}

impl<'a> Value<'a> {
    /// Attempts to clone the value.
    ///
    /// This method is intended for fast code, and will accordingly not clone a tree.
    /// If the value is a tree, it returns the tree in the error payload.
    pub fn try_clone_value(&self) -> Result<Self, &Tree<'a>> {
        use Value::*;
        let ok = match self {
            Integer(i) => Integer(*i),
            Scaled(scaled) => Scaled(*scaled),
            InfiniteGlue(scaled, glue_order) => InfiniteGlue(*scaled, *glue_order),
            // TODO: the string clone here is pretty bad.
            // May be better to have a cheap clonable string.
            String(cow) => String(cow.clone()),
            List(tree) => return Err(tree),
        };
        Ok(ok)
    }
    pub fn description(&self) -> &'static str {
        use Value::*;
        match self {
            Integer(_) => "an integer",
            Scaled(_) => "a number",
            InfiniteGlue(_, _) => "an infinite glue component",
            String(_) => "a string",
            List(_) => "a list",
        }
    }
}

impl<'a> std::fmt::Display for Value<'a> {
    fn fmt(&self, f: &mut std::fmt::Formatter<'_>) -> std::fmt::Result {
        use Value::*;
        match self {
            Integer(i) => write!(f, "{i}"),
            Scaled(scaled) => write!(f, "{scaled}"),
            InfiniteGlue(scaled, glue_order) => {
                write!(f, "{}{glue_order}", scaled.display_no_units())
            }
            String(str) => write!(f, r#""{str}""#),
            List(tree) => write!(f, "{tree}"),
        }
    }
}

/// A function call.
#[derive(Debug, PartialEq, Clone)]
pub struct FuncCall<'a> {
    /// Comments before the function call.
    pub comments: Vec<&'a str>,
    /// Name of the function.
    pub func_name: Str<'a>,
    /// Arguments to the function.
    pub args: Vec<Arg<'a>>,
    /// Comments between the last argument and the closing parenthesis.
    pub trailing_comments: Vec<&'a str>,
}

impl<'a> FuncCall<'a> {
    pub fn iter<'b>(&'b self) -> impl TreeIter<'a> + 'b {
        let mut iter = ExplicitIter { tree_stack: vec![] };
        iter.push_func_call(self);
        iter
    }
}

impl<'a> std::fmt::Display for FuncCall<'a> {
    fn fmt(&self, f: &mut std::fmt::Formatter<'_>) -> std::fmt::Result {
        pretty_print(f, self.iter())
    }
}

#[cfg(test)]
mod tests {
    use crate::ErrorAccumulator;

    use super::*;

    fn run_parse_test(input: &str, want: Vec<FuncCall>) {
        let want = Tree {
            calls: want,
            trailing_comments: vec![],
        };
        let errs: ErrorAccumulator = Default::default();
        let got = Tree::build(parse(input, errs.clone()));
        assert_eq!(got, want);
        assert_eq!(Ok(()), errs.check());
    }

    fn run_convert_test(input: Vec<FuncCall>) {
        let tree = Tree {
            calls: input,
            trailing_comments: vec![],
        };
        let got = Tree::build(tree.iter());
        assert_eq!(got, tree);
    }

    macro_rules! cst_tests {
        ( $( (
            $name: ident,
            $input: expr,
            $want: expr,
        ), )+ ) => {
            $(
                mod $name {
                    use super::*;
                    #[test]
                    fn parse_test() {
                        let input = $input;
                        let want = $want;
                        run_parse_test(&input, want);
                    }
                    #[test]
                    fn convert_test() {
                        let input = $want;
                        run_convert_test(input);
                    }
                }
            )+
        };
    }

    cst_tests!(
        (
            basic_case,
            "a(b=[c()])",
            vec![FuncCall {
                comments: vec![],
                func_name: "a".into(),
                args: vec![Arg {
                    comments: vec![],
                    key: Some("b".into()),
                    value: Value::List(Tree {
                        calls: vec![FuncCall {
                            comments: vec![],
                            func_name: "c".into(),
                            args: vec![],
                            trailing_comments: vec![],
                        }],
                        trailing_comments: vec![],
                    }),
                    value_source: "[c()]".into(),
                },],
                trailing_comments: vec![],
            }],
        ),
        (
            comma_after_list,
            "a(b=[],)",
            vec![FuncCall {
                comments: vec![],
                func_name: "a".into(),
                args: vec![Arg {
                    comments: vec![],
                    key: Some("b".into()),
                    value: Value::List(Default::default()),
                    value_source: "[]".into(),
                },],
                trailing_comments: vec![],
            }],
        ),
        (
            comment_in_empty_list,
            "a(b=[#X\n])",
            vec![FuncCall {
                comments: vec![],
                func_name: "a".into(),
                args: vec![Arg {
                    comments: vec![],
                    key: Some("b".into()),
                    value: Value::List(Tree {
                        calls: vec![],
                        trailing_comments: vec!["X"]
                    }),
                    value_source: "[#X\n]".into(),
                },],
                trailing_comments: vec![],
            }],
        ),
    );

    fn run_comments_test(
        input: &str,
        func_comments: Vec<&'static str>,
        arg_1_comments: Vec<&'static str>,
        arg_2_comments: Vec<&'static str>,
        trailing_comments: Vec<&'static str>,
    ) {
        let want = vec![FuncCall {
            comments: func_comments,
            func_name: "f".into(),
            args: vec![
                Arg {
                    comments: arg_1_comments,
                    key: None,
                    value: Value::Integer(3),
                    value_source: "3".into(),
                },
                Arg {
                    comments: arg_2_comments,
                    key: Some("key".into()),
                    value: Value::Integer(4),
                    value_source: "4".into(),
                },
            ],
            trailing_comments,
        }];
        run_parse_test(input, want.clone());
        run_convert_test(want);
    }

    macro_rules! comment_tests {
        ( $( (
            $name: ident,
            $input: expr,
            $(
                func_comments: $func_comments: expr,
            )?
            $(
                arg_1_comments: $arg_1_comments: expr,
            )?
            $(
                arg_2_comments: $arg_2_comments: expr,
            )?
            $(
                trailing_comments: $trailing_comments: expr,
            )?
        ), )+ ) => {
            $(
                #[test]
                #[allow(unused_assignments, unused_mut)]
                fn $name() {
                    let input = $input;
                    let mut func_comments = vec![];
                    $(
                        func_comments = $func_comments;
                    )?
                    let mut arg_1_comments = vec![];
                    $(
                        arg_1_comments = $arg_1_comments;
                    )?
                    let mut arg_2_comments = vec![];
                    $(
                        arg_2_comments = $arg_2_comments;
                    )?
                    let mut trailing_comments = vec![];
                    $(
                        trailing_comments = $trailing_comments;
                    )?
                    run_comments_test(&input, func_comments, arg_1_comments, arg_2_comments, trailing_comments);
                }
            )+
        };
    }

    comment_tests!(
        (
            comment_0,
            "f(3,key=4,)",
        ),
        (
            comment_1,
            "#X\nf(3,key=4,)",
            func_comments: vec!["X"],
        ),
        (
            comment_2,
            "f#X\n(3,key=4,)",
            func_comments: vec!["X"],
        ),
        (
            comment_3,
            "f(#X\n3,key=4,)",
            arg_1_comments: vec!["X"],
        ),
        (
            comment_4,
            "f(3#X\n,key=4,)",
            arg_1_comments: vec!["X"],
        ),
        (
            comment_5,
            "f(3,#X\nkey=4,)",
            arg_2_comments: vec!["X"],
        ),
        (
            comment_6,
            "f(3,key#X\n=4,)",
            arg_2_comments: vec!["X"],
        ),
        (
            comment_7,
            "f(3,key=#X\n4,)",
            arg_2_comments: vec!["X"],
        ),
        (
            comment_8,
            "f(3,key=4#X\n,)",
            arg_2_comments: vec!["X"],
        ),
        (
            comment_9,
            "f(3,key=4,#X\n)",
            trailing_comments: vec!["X"],
        ),
        (
            comment_10,
            "f(3,key=4#X\n)",
            arg_2_comments: vec!["X"],
        ),
        // TODO: f([#X\n],)
        // TODO: f([],#X\n)
        // TODO: f([]#X\n,)
    );
}