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
1106
1107
1108
1109
1110
1111
1112
1113
1114
1115
1116
1117
1118
1119
1120
1121
1122
1123
1124
1125
1126
1127
1128
1129
1130
1131
1132
1133
1134
1135
1136
1137
1138
1139
1140
1141
1142
1143
1144
1145
1146
1147
1148
1149
1150
1151
1152
1153
1154
1155
1156
1157
1158
1159
1160
1161
1162
1163
1164
1165
1166
1167
1168
1169
1170
1171
1172
1173
1174
1175
1176
1177
1178
1179
1180
1181
1182
1183
1184
1185
1186
1187
1188
1189
1190
1191
1192
1193
1194
1195
1196
1197
1198
1199
1200
1201
1202
1203
1204
1205
1206
1207
1208
1209
1210
1211
1212
1213
1214
1215
1216
1217
1218
1219
1220
1221
1222
1223
1224
1225
1226
1227
1228
1229
1230
1231
1232
1233
1234
1235
1236
1237
1238
1239
1240
1241
1242
1243
1244
1245
1246
1247
1248
1249
1250
1251
1252
1253
1254
1255
1256
1257
1258
1259
1260
1261
1262
1263
1264
1265
1266
1267
1268
1269
1270
1271
1272
1273
1274
1275
1276
1277
1278
1279
1280
1281
1282
1283
1284
1285
1286
1287
1288
1289
1290
1291
1292
1293
1294
1295
1296
1297
1298
1299
1300
1301
1302
1303
1304
1305
1306
1307
1308
1309
1310
1311
1312
1313
1314
1315
1316
1317
1318
1319
1320
1321
1322
1323
1324
1325
1326
1327
1328
1329
1330
1331
1332
1333
1334
1335
1336
1337
1338
1339
1340
1341
1342
1343
1344
1345
1346
1347
1348
1349
1350
1351
1352
1353
1354
1355
1356
1357
1358
1359
1360
1361
1362
1363
1364
1365
1366
1367
1368
1369
1370
1371
1372
1373
1374
1375
1376
1377
1378
1379
1380
1381
1382
1383
1384
1385
1386
1387
1388
1389
1390
1391
1392
1393
1394
1395
1396
1397
1398
1399
1400
1401
1402
1403
1404
1405
1406
1407
1408
1409
1410
1411
1412
1413
1414
1415
1416
1417
1418
1419
1420
1421
1422
1423
1424
1425
1426
1427
1428
1429
1430
1431
1432
1433
1434
1435
1436
1437
1438
1439
1440
1441
1442
1443
1444
1445
1446
1447
1448
1449
1450
1451
1452
1453
1454
1455
1456
1457
1458
1459
1460
1461
1462
1463
1464
1465
1466
1467
1468
1469
1470
1471
1472
1473
1474
1475
1476
1477
1478
1479
1480
1481
1482
1483
1484
1485
1486
1487
1488
1489
1490
1491
1492
1493
1494
1495
1496
1497
1498
1499
1500
1501
1502
1503
1504
1505
1506
1507
1508
1509
1510
1511
1512
1513
1514
1515
1516
1517
1518
1519
1520
1521
1522
1523
1524
1525
1526
1527
1528
1529
1530
1531
1532
1533
1534
1535
1536
1537
1538
1539
1540
1541
1542
1543
1544
1545
1546
1547
1548
1549
1550
1551
1552
1553
1554
1555
1556
1557
1558
1559
1560
1561
1562
1563
1564
1565
1566
1567
1568
1569
1570
1571
1572
1573
1574
1575
1576
1577
1578
1579
1580
1581
1582
1583
1584
1585
1586
1587
1588
1589
1590
1591
1592
1593
1594
1595
1596
1597
1598
1599
1600
1601
1602
1603
1604
1605
// Copyright Materialize, Inc. and contributors. All rights reserved.
//
// Use of this software is governed by the Business Source License
// included in the LICENSE file.
//
// As of the Change Date specified in that file, in accordance with
// the Business Source License, use of this software will be governed
// by the Apache License, Version 2.0.

// Copyright Materialize, Inc. and contributors. All rights reserved.
//
// Use of this software is governed by the Business Source License
// included in the LICENSE file.
//
// As of the Change Date specified in that file, in accordance with
// the Business Source License, use of this software will be governed
// by the Apache License, Version 2.0.

use mz_ore::collections::CollectionExt;
use proc_macro2::LineColumn;
use syn::parse::{Parse, ParseStream, Parser};
use syn::spanned::Spanned;
use syn::Error;

use super::TestCatalog;

use self::util::*;

/// Builds a [mz_expr::MirRelationExpr] from a string.
pub fn try_parse_mir(catalog: &TestCatalog, s: &str) -> Result<mz_expr::MirRelationExpr, String> {
    // Define a Parser that constructs a (read-only) parsing context `ctx` and
    // delegates to `relation::parse_expr` by passing a `ctx` as a shared ref.
    let parser = move |input: ParseStream| {
        let ctx = Ctx { catalog };
        relation::parse_expr(&ctx, input)
    };
    // Since the syn lexer doesn't parse comments, we replace all `// {`
    // occurrences in the input string with `:: {`.
    let s = s.replace("// {", ":: {");
    // Call the parser with the given input string.
    let mut expr = parser.parse_str(&s).map_err(|err| {
        let (line, column) = (err.span().start().line, err.span().start().column);
        format!("parse error at {line}:{column}:\n{err}\n")
    })?;
    // Fix the types of the local let bindings of the parsed expression in a
    // post-processing pass.
    relation::fix_types(&mut expr, &mut relation::FixTypesCtx::default())?;
    // Return the parsed, post-processed expression.
    Ok(expr)
}

/// Builds a source definition from a string.
pub fn try_parse_def(catalog: &TestCatalog, s: &str) -> Result<Def, String> {
    // Define a Parser that constructs a (read-only) parsing context `ctx` and
    // delegates to `relation::parse_expr` by passing a `ctx` as a shared ref.
    let parser = move |input: ParseStream| {
        let ctx = Ctx { catalog };
        def::parse_def(&ctx, input)
    };
    // Call the parser with the given input string.
    let def = parser.parse_str(s).map_err(|err| {
        let (line, column) = (err.span().start().line, err.span().start().column);
        format!("parse error at {line}:{column}:\n{err}\n")
    })?;
    // Return the parsed, post-processed expression.
    Ok(def)
}

/// Support for parsing [mz_expr::MirRelationExpr].
mod relation {
    use std::collections::BTreeMap;

    use mz_expr::{AccessStrategy, Id, JoinImplementation, LocalId, MirRelationExpr};
    use mz_repr::{Diff, RelationType, Row, ScalarType};

    use super::*;

    type Result = syn::Result<MirRelationExpr>;

    pub fn parse_expr(ctx: CtxRef, input: ParseStream) -> Result {
        let lookahead = input.lookahead1();
        if lookahead.peek(kw::Constant) {
            parse_constant(ctx, input)
        } else if lookahead.peek(kw::Get) {
            parse_get(ctx, input)
        } else if lookahead.peek(kw::Return) {
            parse_let(ctx, input)
        } else if lookahead.peek(kw::Project) {
            parse_project(ctx, input)
        } else if lookahead.peek(kw::Map) {
            parse_map(ctx, input)
        } else if lookahead.peek(kw::FlatMap) {
            parse_flat_map(ctx, input)
        } else if lookahead.peek(kw::Filter) {
            parse_filter(ctx, input)
        } else if lookahead.peek(kw::CrossJoin) {
            parse_cross_join(ctx, input)
        } else if lookahead.peek(kw::Join) {
            parse_join(ctx, input)
        } else if lookahead.peek(kw::Distinct) {
            parse_distinct(ctx, input)
        } else if lookahead.peek(kw::Reduce) {
            parse_reduce(ctx, input)
        } else if lookahead.peek(kw::TopK) {
            parse_top_k(ctx, input)
        } else if lookahead.peek(kw::Negate) {
            parse_negate(ctx, input)
        } else if lookahead.peek(kw::Threshold) {
            parse_threshold(ctx, input)
        } else if lookahead.peek(kw::Union) {
            parse_union(ctx, input)
        } else if lookahead.peek(kw::ArrangeBy) {
            parse_arrange_by(ctx, input)
        } else {
            Err(lookahead.error())
        }
    }

    fn parse_constant(ctx: CtxRef, input: ParseStream) -> Result {
        let constant = input.parse::<kw::Constant>()?;

        let parse_typ = |input: ParseStream| -> syn::Result<RelationType> {
            let attrs = attributes::parse_attributes(input)?;
            let Some(column_types) = attrs.types else {
                let msg = "Missing expected `types` attribute for Constant line";
                Err(Error::new(input.span(), msg))?
            };
            let keys = attrs.keys.unwrap_or_default();
            Ok(RelationType { column_types, keys })
        };

        if input.eat3(syn::Token![<], kw::empty, syn::Token![>]) {
            let typ = parse_typ(input)?;
            Ok(MirRelationExpr::constant(vec![], typ))
        } else {
            let typ = parse_typ(input)?;
            let parse_children = ParseChildren::new(input, constant.span().start());
            let rows = Ok(parse_children.parse_many(ctx, parse_constant_entry)?);
            Ok(MirRelationExpr::Constant { rows, typ })
        }
    }

    fn parse_constant_entry(_ctx: CtxRef, input: ParseStream) -> syn::Result<(Row, Diff)> {
        input.parse::<syn::Token![-]>()?;

        let (row, diff);

        let inner1;
        syn::parenthesized!(inner1 in input);

        if inner1.peek(syn::token::Paren) {
            let inner2;
            syn::parenthesized!(inner2 in inner1);
            row = inner2.parse::<Parsed<Row>>()?.into();
            inner1.parse::<kw::x>()?;
            diff = match inner1.parse::<syn::Lit>()? {
                syn::Lit::Int(l) => Ok(l.base10_parse::<Diff>()?),
                _ => Err(Error::new(inner1.span(), "expected Diff literal")),
            }?;
        } else {
            row = inner1.parse::<Parsed<Row>>()?.into();
            diff = 1;
        }

        Ok((row, diff))
    }

    fn parse_get(ctx: CtxRef, input: ParseStream) -> Result {
        input.parse::<kw::Get>()?;

        let ident = input.parse::<syn::Ident>()?;
        match ctx.catalog.get(&ident.to_string()) {
            Some((id, _cols, typ)) => Ok(MirRelationExpr::Get {
                id: Id::Global(*id),
                typ: typ.clone(),
                access_strategy: AccessStrategy::UnknownOrLocal,
            }),
            None => Ok(MirRelationExpr::Get {
                id: Id::Local(parse_local_id(ident)?),
                typ: RelationType::empty(),
                access_strategy: AccessStrategy::UnknownOrLocal,
            }),
        }
    }

    fn parse_let(ctx: CtxRef, input: ParseStream) -> Result {
        let return_ = input.parse::<kw::Return>()?;
        let parse_body = ParseChildren::new(input, return_.span().start());
        let mut body = parse_body.parse_one(ctx, parse_expr)?;

        let with = input.parse::<kw::With>()?;
        let recursive = input.eat2(kw::Mutually, kw::Recursive);
        let parse_ctes = ParseChildren::new(input, with.span().start());
        let ctes = parse_ctes.parse_many(ctx, parse_cte)?;

        if ctes.is_empty() {
            let msg = "At least one `let cte` binding expected";
            Err(Error::new(input.span(), msg))?
        }

        if recursive {
            let (mut ids, mut values, mut limits) = (vec![], vec![], vec![]);
            for (id, attrs, value) in ctes.into_iter().rev() {
                let typ = {
                    let Some(column_types) = attrs.types else {
                        let msg = format!("`let {}` needs a `types` attribute", id);
                        Err(Error::new(with.span(), msg))?
                    };
                    let keys = attrs.keys.unwrap_or_default();
                    RelationType { column_types, keys }
                };

                // An ugly-ugly hack to pass the type information of the WMR CTE
                // to the `fix_types` pass.
                let value = {
                    let get_cte = MirRelationExpr::Get {
                        id: Id::Local(id),
                        typ: typ.clone(),
                        access_strategy: AccessStrategy::UnknownOrLocal,
                    };
                    // Do not use the `union` smart constructor here!
                    MirRelationExpr::Union {
                        base: Box::new(get_cte),
                        inputs: vec![value],
                    }
                };

                ids.push(id);
                values.push(value);
                limits.push(None); // TODO: support limits
            }

            Ok(MirRelationExpr::LetRec {
                ids,
                values,
                limits,
                body: Box::new(body),
            })
        } else {
            for (id, _, value) in ctes.into_iter() {
                body = MirRelationExpr::Let {
                    id,
                    value: Box::new(value),
                    body: Box::new(body),
                };
            }
            Ok(body)
        }
    }

    fn parse_cte(
        ctx: CtxRef,
        input: ParseStream,
    ) -> syn::Result<(LocalId, attributes::Attributes, MirRelationExpr)> {
        let cte = input.parse::<kw::cte>()?;

        let ident = input.parse::<syn::Ident>()?;
        let id = parse_local_id(ident)?;

        input.parse::<syn::Token![=]>()?;

        let attrs = attributes::parse_attributes(input)?;

        let parse_value = ParseChildren::new(input, cte.span().start());
        let value = parse_value.parse_one(ctx, parse_expr)?;

        Ok((id, attrs, value))
    }

    fn parse_project(ctx: CtxRef, input: ParseStream) -> Result {
        let project = input.parse::<kw::Project>()?;

        let content;
        syn::parenthesized!(content in input);
        let outputs = content.parse_comma_sep(scalar::parse_column_index)?;
        let parse_input = ParseChildren::new(input, project.span().start());
        let input = Box::new(parse_input.parse_one(ctx, parse_expr)?);

        Ok(MirRelationExpr::Project { input, outputs })
    }

    fn parse_map(ctx: CtxRef, input: ParseStream) -> Result {
        let map = input.parse::<kw::Map>()?;

        let scalars = {
            let inner;
            syn::parenthesized!(inner in input);
            scalar::parse_exprs(&inner)?
        };

        let parse_input = ParseChildren::new(input, map.span().start());
        let input = Box::new(parse_input.parse_one(ctx, parse_expr)?);

        Ok(MirRelationExpr::Map { input, scalars })
    }

    fn parse_flat_map(ctx: CtxRef, input: ParseStream) -> Result {
        use mz_expr::TableFunc::*;

        let flat_map = input.parse::<kw::FlatMap>()?;

        let ident = input.parse::<syn::Ident>()?;
        let func = match ident.to_string().to_lowercase().as_str() {
            "unnest_list" => UnnestList {
                el_typ: ScalarType::Int64, // FIXME
            },
            "unnest_array" => UnnestArray {
                el_typ: ScalarType::Int64, // FIXME
            },
            "wrap1" => Wrap {
                types: vec![
                    ScalarType::Int64.nullable(true), // FIXME
                ],
                width: 1,
            },
            "wrap2" => Wrap {
                types: vec![
                    ScalarType::Int64.nullable(true), // FIXME
                    ScalarType::Int64.nullable(true), // FIXME
                ],
                width: 2,
            },
            "wrap3" => Wrap {
                types: vec![
                    ScalarType::Int64.nullable(true), // FIXME
                    ScalarType::Int64.nullable(true), // FIXME
                    ScalarType::Int64.nullable(true), // FIXME
                ],
                width: 3,
            },
            "generate_series" => GenerateSeriesInt64,
            "jsonb_object_keys" => JsonbObjectKeys,
            _ => Err(Error::new(ident.span(), "unsupported function name"))?,
        };

        let exprs = {
            let inner;
            syn::parenthesized!(inner in input);
            scalar::parse_exprs(&inner)?
        };

        let parse_input = ParseChildren::new(input, flat_map.span().start());
        let input = Box::new(parse_input.parse_one(ctx, parse_expr)?);

        Ok(MirRelationExpr::FlatMap { input, func, exprs })
    }

    fn parse_filter(ctx: CtxRef, input: ParseStream) -> Result {
        use mz_expr::MirScalarExpr::CallVariadic;
        use mz_expr::VariadicFunc::And;

        let filter = input.parse::<kw::Filter>()?;

        let predicates = match scalar::parse_expr(input)? {
            CallVariadic { func: And, exprs } => exprs,
            expr => vec![expr],
        };

        let parse_input = ParseChildren::new(input, filter.span().start());
        let input = Box::new(parse_input.parse_one(ctx, parse_expr)?);

        Ok(MirRelationExpr::Filter { input, predicates })
    }

    fn parse_cross_join(ctx: CtxRef, input: ParseStream) -> Result {
        let join = input.parse::<kw::CrossJoin>()?;

        let parse_inputs = ParseChildren::new(input, join.span().start());
        let inputs = parse_inputs.parse_many(ctx, parse_expr)?;

        Ok(MirRelationExpr::Join {
            inputs,
            equivalences: vec![],
            implementation: JoinImplementation::Unimplemented,
        })
    }

    fn parse_join(ctx: CtxRef, input: ParseStream) -> Result {
        let join = input.parse::<kw::Join>()?;

        input.parse::<kw::on>()?;
        input.parse::<syn::Token![=]>()?;
        let inner;
        syn::parenthesized!(inner in input);
        let equivalences = scalar::parse_join_equivalences(&inner)?;

        let parse_inputs = ParseChildren::new(input, join.span().start());
        let inputs = parse_inputs.parse_many(ctx, parse_expr)?;

        Ok(MirRelationExpr::Join {
            inputs,
            equivalences,
            implementation: JoinImplementation::Unimplemented,
        })
    }

    fn parse_distinct(ctx: CtxRef, input: ParseStream) -> Result {
        let reduce = input.parse::<kw::Distinct>()?;

        let group_key = if input.eat(kw::project) {
            input.parse::<syn::Token![=]>()?;
            let inner;
            syn::bracketed!(inner in input);
            inner.parse_comma_sep(scalar::parse_expr)?
        } else {
            vec![]
        };

        let monotonic = input.eat(kw::monotonic);

        let expected_group_size = if input.eat(kw::exp_group_size) {
            input.parse::<syn::Token![=]>()?;
            Some(input.parse::<syn::LitInt>()?.base10_parse::<u64>()?)
        } else {
            None
        };

        let parse_inputs = ParseChildren::new(input, reduce.span().start());
        let input = Box::new(parse_inputs.parse_one(ctx, parse_expr)?);

        Ok(MirRelationExpr::Reduce {
            input,
            group_key,
            aggregates: vec![],
            monotonic,
            expected_group_size,
        })
    }

    fn parse_reduce(ctx: CtxRef, input: ParseStream) -> Result {
        let reduce = input.parse::<kw::Reduce>()?;

        let group_key = if input.eat(kw::group_by) {
            input.parse::<syn::Token![=]>()?;
            let inner;
            syn::bracketed!(inner in input);
            inner.parse_comma_sep(scalar::parse_expr)?
        } else {
            vec![]
        };

        let aggregates = {
            input.parse::<kw::aggregates>()?;
            input.parse::<syn::Token![=]>()?;
            let inner;
            syn::bracketed!(inner in input);
            inner.parse_comma_sep(aggregate::parse_expr)?
        };

        let monotonic = input.eat(kw::monotonic);

        let expected_group_size = if input.eat(kw::exp_group_size) {
            input.parse::<syn::Token![=]>()?;
            Some(input.parse::<syn::LitInt>()?.base10_parse::<u64>()?)
        } else {
            None
        };

        let parse_inputs = ParseChildren::new(input, reduce.span().start());
        let input = Box::new(parse_inputs.parse_one(ctx, parse_expr)?);

        Ok(MirRelationExpr::Reduce {
            input,
            group_key,
            aggregates,
            monotonic,
            expected_group_size,
        })
    }

    fn parse_top_k(ctx: CtxRef, input: ParseStream) -> Result {
        let top_k = input.parse::<kw::TopK>()?;

        let group_key = if input.eat(kw::group_by) {
            input.parse::<syn::Token![=]>()?;
            let inner;
            syn::bracketed!(inner in input);
            inner.parse_comma_sep(scalar::parse_column_index)?
        } else {
            vec![]
        };

        let order_key = if input.eat(kw::order_by) {
            input.parse::<syn::Token![=]>()?;
            let inner;
            syn::bracketed!(inner in input);
            inner.parse_comma_sep(scalar::parse_column_order)?
        } else {
            vec![]
        };

        let limit = if input.eat(kw::limit) {
            input.parse::<syn::Token![=]>()?;
            Some(scalar::parse_expr(input)?)
        } else {
            None
        };

        let offset = if input.eat(kw::offset) {
            input.parse::<syn::Token![=]>()?;
            input.parse::<syn::LitInt>()?.base10_parse::<usize>()?
        } else {
            0
        };

        let monotonic = input.eat(kw::monotonic);

        let expected_group_size = if input.eat(kw::exp_group_size) {
            input.parse::<syn::Token![=]>()?;
            Some(input.parse::<syn::LitInt>()?.base10_parse::<u64>()?)
        } else {
            None
        };

        let parse_inputs = ParseChildren::new(input, top_k.span().start());
        let input = Box::new(parse_inputs.parse_one(ctx, parse_expr)?);

        Ok(MirRelationExpr::TopK {
            input,
            group_key,
            order_key,
            limit,
            offset,
            monotonic,
            expected_group_size,
        })
    }

    fn parse_negate(ctx: CtxRef, input: ParseStream) -> Result {
        let negate = input.parse::<kw::Negate>()?;

        let parse_input = ParseChildren::new(input, negate.span().start());
        let input = Box::new(parse_input.parse_one(ctx, parse_expr)?);

        Ok(MirRelationExpr::Negate { input })
    }

    fn parse_threshold(ctx: CtxRef, input: ParseStream) -> Result {
        let threshold = input.parse::<kw::Threshold>()?;

        let parse_input = ParseChildren::new(input, threshold.span().start());
        let input = Box::new(parse_input.parse_one(ctx, parse_expr)?);

        Ok(MirRelationExpr::Threshold { input })
    }

    fn parse_union(ctx: CtxRef, input: ParseStream) -> Result {
        let union = input.parse::<kw::Union>()?;

        let parse_inputs = ParseChildren::new(input, union.span().start());
        let mut children = parse_inputs.parse_many(ctx, parse_expr)?;
        let inputs = children.split_off(1);
        let base = Box::new(children.into_element());

        Ok(MirRelationExpr::Union { base, inputs })
    }

    fn parse_arrange_by(ctx: CtxRef, input: ParseStream) -> Result {
        let arrange_by = input.parse::<kw::ArrangeBy>()?;

        let keys = {
            input.parse::<kw::keys>()?;
            input.parse::<syn::Token![=]>()?;
            let inner;
            syn::bracketed!(inner in input);
            inner.parse_comma_sep(|input| {
                let inner;
                syn::bracketed!(inner in input);
                scalar::parse_exprs(&inner)
            })?
        };

        let parse_input = ParseChildren::new(input, arrange_by.span().start());
        let input = Box::new(parse_input.parse_one(ctx, parse_expr)?);

        Ok(MirRelationExpr::ArrangeBy { input, keys })
    }

    fn parse_local_id(ident: syn::Ident) -> syn::Result<LocalId> {
        if ident.to_string().starts_with('l') {
            let n = ident.to_string()[1..]
                .parse::<u64>()
                .map_err(|err| Error::new(ident.span(), err.to_string()))?;
            Ok(mz_expr::LocalId::new(n))
        } else {
            Err(Error::new(ident.span(), "invalid LocalId"))
        }
    }

    #[derive(Default)]
    pub struct FixTypesCtx {
        env: BTreeMap<LocalId, RelationType>,
        typ: Vec<RelationType>,
    }

    pub fn fix_types(
        expr: &mut MirRelationExpr,
        ctx: &mut FixTypesCtx,
    ) -> std::result::Result<(), String> {
        match expr {
            MirRelationExpr::Let { id, value, body } => {
                fix_types(value, ctx)?;
                let value_typ = ctx.typ.pop().expect("value type");
                let prior_typ = ctx.env.insert(id.clone(), value_typ);
                fix_types(body, ctx)?;
                ctx.env.remove(id);
                if let Some(prior_typ) = prior_typ {
                    ctx.env.insert(id.clone(), prior_typ);
                }
            }
            MirRelationExpr::LetRec {
                ids,
                values,
                body,
                limits: _,
            } => {
                // An ugly-ugly hack to pass the type information of the WMR CTE
                // to the `fix_types` pass.
                let mut prior_typs = BTreeMap::default();
                for (id, value) in std::iter::zip(ids.iter_mut(), values.iter_mut()) {
                    let MirRelationExpr::Union { base, mut inputs } = value.take_dangerous() else {
                        unreachable!("ensured by construction");
                    };
                    let MirRelationExpr::Get { id: _, typ, .. } = *base else {
                        unreachable!("ensured by construction");
                    };
                    if let Some(prior_typ) = ctx.env.insert(id.clone(), typ) {
                        prior_typs.insert(id.clone(), prior_typ);
                    }
                    *value = inputs.pop().expect("ensured by construction");
                }
                for value in values.iter_mut() {
                    fix_types(value, ctx)?;
                }
                fix_types(body, ctx)?;
                for id in ids.iter() {
                    ctx.env.remove(id);
                    if let Some(prior_typ) = prior_typs.remove(id) {
                        ctx.env.insert(id.clone(), prior_typ);
                    }
                }
            }
            MirRelationExpr::Get {
                id: Id::Local(id),
                typ,
                ..
            } => {
                let env_typ = match ctx.env.get(&*id) {
                    Some(env_typ) => env_typ,
                    None => Err(format!("Cannot fix type of unbound CTE {}", id))?,
                };
                *typ = env_typ.clone();
                ctx.typ.push(env_typ.clone());
            }
            _ => {
                for input in expr.children_mut() {
                    fix_types(input, ctx)?;
                }
                let input_types = ctx.typ.split_off(ctx.typ.len() - expr.num_inputs());
                ctx.typ.push(expr.typ_with_input_types(&input_types));
            }
        };

        Ok(())
    }
}

/// Support for parsing [mz_expr::MirScalarExpr].
mod scalar {
    use mz_expr::{BinaryFunc, ColumnOrder, MirScalarExpr};
    use mz_repr::{AsColumnType, Datum, Row, RowArena, ScalarType};

    use super::*;

    type Result = syn::Result<MirScalarExpr>;

    pub fn parse_exprs(input: ParseStream) -> syn::Result<Vec<MirScalarExpr>> {
        input.parse_comma_sep(parse_expr)
    }

    /// Parses a single expression.
    ///
    /// Because in EXPLAIN contexts parentheses might be optional, we need to
    /// correctly handle operator precedence of infix operators.
    ///
    /// Currently, this works in two steps:
    ///
    /// 1. Convert the original infix expression to a postfix expression using
    ///    an adapted variant of this [algorithm] with precedence taken from the
    ///    Postgres [precedence] docs. Parenthesized operands are parsed in one
    ///    step, so steps (3-4) from the [algorithm] are not needed here.
    /// 2. Convert the postfix vector into a single [MirScalarExpr].
    ///
    /// [algorithm]: <https://www.prepbytes.com/blog/stacks/infix-to-postfix-conversion-using-stack/>
    /// [precedence]: <https://www.postgresql.org/docs/7.2/sql-precedence.html>
    pub fn parse_expr(input: ParseStream) -> Result {
        let line = input.span().start().line;

        /// Helper struct to keep track of the parsing state.
        #[derive(Debug)]
        enum Op {
            Unr(mz_expr::UnaryFunc), // unary
            Neg(mz_expr::UnaryFunc), // negated unary (append -.not() on fold)
            Bin(mz_expr::BinaryFunc),
            Var(mz_expr::VariadicFunc),
        }

        impl Op {
            fn precedence(&self) -> Option<usize> {
                match self {
                    // 01: logical disjunction
                    Op::Var(mz_expr::VariadicFunc::Or) => Some(1),
                    // 02: logical conjunction
                    Op::Var(mz_expr::VariadicFunc::And) => Some(2),
                    // 04: equality, assignment
                    Op::Bin(mz_expr::BinaryFunc::Eq) => Some(4),
                    Op::Bin(mz_expr::BinaryFunc::NotEq) => Some(4),
                    // 05: less than, greater than
                    Op::Bin(mz_expr::BinaryFunc::Gt) => Some(5),
                    Op::Bin(mz_expr::BinaryFunc::Gte) => Some(5),
                    Op::Bin(mz_expr::BinaryFunc::Lt) => Some(5),
                    Op::Bin(mz_expr::BinaryFunc::Lte) => Some(5),
                    // 13: test for TRUE, FALSE, UNKNOWN, NULL
                    Op::Unr(mz_expr::UnaryFunc::IsNull(_)) => Some(13),
                    Op::Neg(mz_expr::UnaryFunc::IsNull(_)) => Some(13),
                    Op::Unr(mz_expr::UnaryFunc::IsTrue(_)) => Some(13),
                    Op::Neg(mz_expr::UnaryFunc::IsTrue(_)) => Some(13),
                    Op::Unr(mz_expr::UnaryFunc::IsFalse(_)) => Some(13),
                    Op::Neg(mz_expr::UnaryFunc::IsFalse(_)) => Some(13),
                    // 14: addition, subtraction
                    Op::Bin(mz_expr::BinaryFunc::AddInt64) => Some(14),
                    // 14: multiplication, division, modulo
                    Op::Bin(mz_expr::BinaryFunc::MulInt64) => Some(15),
                    Op::Bin(mz_expr::BinaryFunc::DivInt64) => Some(15),
                    Op::Bin(mz_expr::BinaryFunc::ModInt64) => Some(15),
                    // unsupported
                    _ => None,
                }
            }
        }

        /// Helper struct for entries in the postfix vector.
        #[derive(Debug)]
        enum Entry {
            Operand(MirScalarExpr),
            Operator(Op),
        }

        let mut opstack = vec![];
        let mut postfix = vec![];
        let mut exp_opd = true; // expects an argument of an operator

        // Scan the given infix expression from left to right.
        while !input.is_empty() && input.span().start().line == line {
            // Operands and operators alternate.
            if exp_opd {
                postfix.push(Entry::Operand(parse_operand(input)?));
                exp_opd = false;
            } else {
                // If the current symbol is an operator, then bind it to op.
                // Else it is an operand - append it to postfix and continue.
                let op = if input.eat(syn::Token![=]) {
                    exp_opd = true;
                    Op::Bin(mz_expr::BinaryFunc::Eq)
                } else if input.eat(syn::Token![!=]) {
                    exp_opd = true;
                    Op::Bin(mz_expr::BinaryFunc::NotEq)
                } else if input.eat(syn::Token![>=]) {
                    exp_opd = true;
                    Op::Bin(mz_expr::BinaryFunc::Gte)
                } else if input.eat(syn::Token![>]) {
                    exp_opd = true;
                    Op::Bin(mz_expr::BinaryFunc::Gt)
                } else if input.eat(syn::Token![<=]) {
                    exp_opd = true;
                    Op::Bin(mz_expr::BinaryFunc::Lte)
                } else if input.eat(syn::Token![<]) {
                    exp_opd = true;
                    Op::Bin(mz_expr::BinaryFunc::Lt)
                } else if input.eat(syn::Token![+]) {
                    exp_opd = true;
                    Op::Bin(mz_expr::BinaryFunc::AddInt64) // TODO: fix placeholder
                } else if input.eat(syn::Token![*]) {
                    exp_opd = true;
                    Op::Bin(mz_expr::BinaryFunc::MulInt64) // TODO: fix placeholder
                } else if input.eat(syn::Token![/]) {
                    exp_opd = true;
                    Op::Bin(mz_expr::BinaryFunc::DivInt64) // TODO: fix placeholder
                } else if input.eat(syn::Token![%]) {
                    exp_opd = true;
                    Op::Bin(mz_expr::BinaryFunc::ModInt64) // TODO: fix placeholder
                } else if input.eat(kw::AND) {
                    exp_opd = true;
                    Op::Var(mz_expr::VariadicFunc::And)
                } else if input.eat(kw::OR) {
                    exp_opd = true;
                    Op::Var(mz_expr::VariadicFunc::Or)
                } else if input.eat(kw::IS) {
                    let negate = input.eat(kw::NOT);

                    let lookahead = input.lookahead1();
                    let func = if input.look_and_eat(kw::NULL, &lookahead) {
                        mz_expr::func::IsNull.into()
                    } else if input.look_and_eat(kw::TRUE, &lookahead) {
                        mz_expr::func::IsTrue.into()
                    } else if input.look_and_eat(kw::FALSE, &lookahead) {
                        mz_expr::func::IsFalse.into()
                    } else {
                        Err(lookahead.error())?
                    };

                    if negate {
                        Op::Neg(func)
                    } else {
                        Op::Unr(func)
                    }
                } else {
                    // We were expecting an optional operator but didn't find
                    // anything. Exit the parsing loop and process the postfix
                    // vector.
                    break;
                };

                // First, pop the operators which are already on the opstack that
                // have higher or equal precedence than the current operator and
                // append them to the postfix.
                while opstack
                    .last()
                    .map(|op1: &Op| op1.precedence() >= op.precedence())
                    .unwrap_or(false)
                {
                    let op1 = opstack.pop().expect("non-empty opstack");
                    postfix.push(Entry::Operator(op1));
                }

                // Then push the op from this iteration onto the stack.
                opstack.push(op);
            }
        }

        // Pop all remaining symbols from opstack and append them to postfix.
        postfix.extend(opstack.into_iter().rev().map(Entry::Operator));

        if postfix.is_empty() {
            let msg = "Cannot parse an empty expression";
            Err(Error::new(input.span(), msg))?
        }

        // Flatten the postfix vector into a single MirScalarExpr.
        let mut stack = vec![];
        postfix.reverse();
        while let Some(entry) = postfix.pop() {
            match entry {
                Entry::Operand(expr) => {
                    stack.push(expr);
                }
                Entry::Operator(Op::Unr(func)) => {
                    let expr = Box::new(stack.pop().expect("non-empty stack"));
                    stack.push(MirScalarExpr::CallUnary { func, expr });
                }
                Entry::Operator(Op::Neg(func)) => {
                    let expr = Box::new(stack.pop().expect("non-empty stack"));
                    stack.push(MirScalarExpr::CallUnary { func, expr }.not());
                }
                Entry::Operator(Op::Bin(func)) => {
                    let expr2 = Box::new(stack.pop().expect("non-empty stack"));
                    let expr1 = Box::new(stack.pop().expect("non-empty stack"));
                    stack.push(MirScalarExpr::CallBinary { func, expr1, expr2 });
                }
                Entry::Operator(Op::Var(func)) => {
                    let expr2 = stack.pop().expect("non-empty stack");
                    let expr1 = stack.pop().expect("non-empty stack");
                    let mut exprs = vec![];
                    for expr in [expr1, expr2] {
                        match expr {
                            MirScalarExpr::CallVariadic { func: f, exprs: es } if f == func => {
                                exprs.extend(es.into_iter());
                            }
                            expr => {
                                exprs.push(expr);
                            }
                        }
                    }
                    stack.push(MirScalarExpr::CallVariadic { func, exprs });
                }
            }
        }

        if stack.len() != 1 {
            let msg = "Cannot fold postfix vector into a single MirScalarExpr";
            Err(Error::new(input.span(), msg))?
        }

        Ok(stack.pop().unwrap())
    }

    pub fn parse_operand(input: ParseStream) -> Result {
        let lookahead = input.lookahead1();
        if lookahead.peek(syn::Token![#]) {
            parse_column(input)
        } else if lookahead.peek(syn::Lit) || lookahead.peek(kw::null) {
            parse_literal_ok(input)
        } else if lookahead.peek(kw::error) {
            parse_literal_err(input)
        } else if lookahead.peek(kw::array) {
            parse_array(input)
        } else if lookahead.peek(kw::list) {
            parse_list(input)
        } else if lookahead.peek(syn::Ident) {
            parse_apply(input)
        } else if lookahead.peek(syn::token::Brace) {
            let inner;
            syn::braced!(inner in input);
            parse_literal_array(&inner)
        } else if lookahead.peek(syn::token::Bracket) {
            let inner;
            syn::bracketed!(inner in input);
            parse_literal_list(&inner)
        } else if lookahead.peek(syn::token::Paren) {
            let inner;
            syn::parenthesized!(inner in input);
            parse_expr(&inner)
        } else {
            Err(lookahead.error()) // FIXME: support IfThenElse variants
        }
    }

    pub fn parse_column(input: ParseStream) -> Result {
        Ok(MirScalarExpr::Column(parse_column_index(input)?))
    }

    pub fn parse_column_index(input: ParseStream) -> syn::Result<usize> {
        input.parse::<syn::Token![#]>()?;
        input.parse::<syn::LitInt>()?.base10_parse::<usize>()
    }

    pub fn parse_column_order(input: ParseStream) -> syn::Result<ColumnOrder> {
        input.parse::<syn::Token![#]>()?;
        let column = input.parse::<syn::LitInt>()?.base10_parse::<usize>()?;
        let desc = input.eat(kw::desc) || !input.eat(kw::asc);
        let nulls_last = input.eat(kw::nulls_last) || !input.eat(kw::nulls_first);
        Ok(ColumnOrder {
            column,
            desc,
            nulls_last,
        })
    }

    fn parse_literal_ok(input: ParseStream) -> Result {
        let mut row = Row::default();
        let mut packer = row.packer();

        let typ = if input.eat(kw::null) {
            packer.push(Datum::Null);
            input.parse::<syn::Token![::]>()?;
            attributes::parse_scalar_type(input)?.nullable(true)
        } else {
            match input.parse::<syn::Lit>()? {
                syn::Lit::Str(l) => {
                    packer.push(Datum::from(l.value().as_str()));
                    Ok(String::as_column_type())
                }
                syn::Lit::Int(l) => {
                    packer.push(Datum::from(l.base10_parse::<i64>()?));
                    Ok(i64::as_column_type())
                }
                syn::Lit::Float(l) => {
                    packer.push(Datum::from(l.base10_parse::<f64>()?));
                    Ok(f64::as_column_type())
                }
                syn::Lit::Bool(l) => {
                    packer.push(Datum::from(l.value));
                    Ok(bool::as_column_type())
                }
                _ => Err(Error::new(input.span(), "cannot parse literal")),
            }?
        };

        Ok(MirScalarExpr::Literal(Ok(row), typ))
    }

    fn parse_literal_err(input: ParseStream) -> Result {
        input.parse::<kw::error>()?;
        let mut msg = {
            let content;
            syn::parenthesized!(content in input);
            content.parse::<syn::LitStr>()?.value()
        };
        let err = if msg.starts_with("internal error: ") {
            Ok(mz_expr::EvalError::Internal(msg.split_off(16).into()))
        } else {
            Err(Error::new(msg.span(), "expected `internal error: $msg`"))
        }?;
        Ok(MirScalarExpr::Literal(Err(err), bool::as_column_type())) // FIXME
    }

    fn parse_literal_array(input: ParseStream) -> Result {
        use mz_expr::func::VariadicFunc::*;

        let elem_type = ScalarType::Int64; // FIXME
        let func = ArrayCreate { elem_type };
        let exprs = input.parse_comma_sep(parse_literal_ok)?;

        // Evaluate into a datum
        let temp_storage = RowArena::default();
        let datum = func.eval(&[], &temp_storage, &exprs).expect("datum");
        let typ = ScalarType::Array(Box::new(ScalarType::Int64)); // FIXME
        Ok(MirScalarExpr::literal_ok(datum, typ))
    }

    fn parse_literal_list(input: ParseStream) -> Result {
        use mz_expr::func::VariadicFunc::*;

        let elem_type = ScalarType::Int64; // FIXME
        let func = ListCreate { elem_type };
        let exprs = input.parse_comma_sep(parse_literal_ok)?;

        // Evaluate into a datum
        let temp_storage = RowArena::default();
        let datum = func.eval(&[], &temp_storage, &exprs).expect("datum");
        let typ = ScalarType::Array(Box::new(ScalarType::Int64)); // FIXME
        Ok(MirScalarExpr::literal_ok(datum, typ))
    }

    fn parse_array(input: ParseStream) -> Result {
        use mz_expr::func::VariadicFunc::*;

        input.parse::<kw::array>()?;

        // parse brackets
        let inner;
        syn::bracketed!(inner in input);

        let elem_type = ScalarType::Int64; // FIXME
        let func = ArrayCreate { elem_type };
        let exprs = inner.parse_comma_sep(parse_expr)?;

        Ok(MirScalarExpr::CallVariadic { func, exprs })
    }

    fn parse_list(input: ParseStream) -> Result {
        use mz_expr::func::VariadicFunc::*;

        input.parse::<kw::list>()?;

        // parse brackets
        let inner;
        syn::bracketed!(inner in input);

        let elem_type = ScalarType::Int64; // FIXME
        let func = ListCreate { elem_type };
        let exprs = inner.parse_comma_sep(parse_expr)?;

        Ok(MirScalarExpr::CallVariadic { func, exprs })
    }

    fn parse_apply(input: ParseStream) -> Result {
        use mz_expr::func::{BinaryFunc::*, UnmaterializableFunc::*, VariadicFunc::*, *};

        let ident = input.parse::<syn::Ident>()?;

        // parse parentheses
        let inner;
        syn::parenthesized!(inner in input);

        let parse_nullary = |func: UnmaterializableFunc| -> Result {
            Ok(MirScalarExpr::CallUnmaterializable(func))
        };
        let parse_unary = |func: UnaryFunc| -> Result {
            let expr = Box::new(parse_expr(&inner)?);
            Ok(MirScalarExpr::CallUnary { func, expr })
        };
        let parse_binary = |func: BinaryFunc| -> Result {
            let expr1 = Box::new(parse_expr(&inner)?);
            inner.parse::<syn::Token![,]>()?;
            let expr2 = Box::new(parse_expr(&inner)?);
            Ok(MirScalarExpr::CallBinary { func, expr1, expr2 })
        };
        let parse_variadic = |func: VariadicFunc| -> Result {
            let exprs = inner.parse_comma_sep(parse_expr)?;
            Ok(MirScalarExpr::CallVariadic { func, exprs })
        };

        // Infix binary and variadic function calls are handled in `parse_scalar_expr`.
        //
        // Some restrictions apply with the current state of the code,
        // most notably one cannot handle overloaded function names because we don't want to do
        // name resolution in the parser.
        match ident.to_string().to_lowercase().as_str() {
            // Supported unmaterializable (a.k.a. nullary) functions:
            "mz_environment_id" => parse_nullary(MzEnvironmentId),
            // Supported unary functions:
            "abs" => parse_unary(AbsInt64.into()),
            "not" => parse_unary(Not.into()),
            // Supported binary functions:
            "ltrim" => parse_binary(TrimLeading),
            // Supported variadic functions:
            "greatest" => parse_variadic(Greatest),
            _ => Err(Error::new(ident.span(), "unsupported function name")),
        }
    }

    pub fn parse_join_equivalences(input: ParseStream) -> syn::Result<Vec<Vec<MirScalarExpr>>> {
        let mut equivalences = vec![];
        while !input.is_empty() {
            let mut equivalence = vec![];
            loop {
                let mut worklist = vec![parse_operand(input)?];
                while let Some(operand) = worklist.pop() {
                    // Be more lenient and support parenthesized equivalences,
                    // e.g. `... AND (x = u + v = z + 1) AND ...`.
                    if let MirScalarExpr::CallBinary {
                        func: BinaryFunc::Eq,
                        expr1,
                        expr2,
                    } = operand
                    {
                        // We reverse the order in the worklist in order to get
                        // the correct order in the equivalence class.
                        worklist.push(*expr2);
                        worklist.push(*expr1);
                    } else {
                        equivalence.push(operand);
                    }
                }
                if !input.eat(syn::Token![=]) {
                    break;
                }
            }
            equivalences.push(equivalence);
            input.eat(kw::AND);
        }
        Ok(equivalences)
    }
}

/// Support for parsing [mz_expr::AggregateExpr].
mod aggregate {
    use mz_expr::{AggregateExpr, MirScalarExpr};

    use super::*;

    type Result = syn::Result<AggregateExpr>;

    pub fn parse_expr(input: ParseStream) -> Result {
        use mz_expr::AggregateFunc::*;

        // Some restrictions apply with the current state of the code,
        // most notably one cannot handle overloaded function names because we don't want to do
        // name resolution in the parser.
        let ident = input.parse::<syn::Ident>()?;
        let func = match ident.to_string().to_lowercase().as_str() {
            "count" => Count,
            "any" => Any,
            "all" => All,
            "max" => MaxInt64,
            "min" => MinInt64,
            "sum" => SumInt64,
            _ => Err(Error::new(ident.span(), "unsupported function name"))?,
        };

        // parse parentheses
        let inner;
        syn::parenthesized!(inner in input);

        if func == Count && inner.eat(syn::Token![*]) {
            Ok(AggregateExpr {
                func,
                expr: MirScalarExpr::literal_true(),
                distinct: false, // TODO: fix explain output
            })
        } else {
            let distinct = inner.eat(kw::distinct);
            let expr = scalar::parse_expr(&inner)?;
            Ok(AggregateExpr {
                func,
                expr,
                distinct,
            })
        }
    }
}

/// Support for parsing [mz_repr::Row].
mod row {
    use mz_repr::{Datum, Row, RowPacker};

    use super::*;

    impl Parse for Parsed<Row> {
        fn parse(input: ParseStream) -> syn::Result<Self> {
            let mut row = Row::default();
            let mut packer = ParseRow::new(&mut row);

            loop {
                if input.is_empty() {
                    break;
                }
                packer.parse_datum(input)?;
                if input.is_empty() {
                    break;
                }
                input.parse::<syn::Token![,]>()?;
            }

            Ok(Parsed(row))
        }
    }

    impl From<Parsed<Row>> for Row {
        fn from(parsed: Parsed<Row>) -> Self {
            parsed.0
        }
    }

    struct ParseRow<'a>(RowPacker<'a>);

    impl<'a> ParseRow<'a> {
        fn new(row: &'a mut Row) -> Self {
            Self(row.packer())
        }

        fn parse_datum(&mut self, input: ParseStream) -> syn::Result<()> {
            if input.eat(kw::null) {
                self.0.push(Datum::Null)
            } else {
                match input.parse::<syn::Lit>()? {
                    syn::Lit::Str(l) => self.0.push(Datum::from(l.value().as_str())),
                    syn::Lit::Int(l) => self.0.push(Datum::from(l.base10_parse::<i64>()?)),
                    syn::Lit::Float(l) => self.0.push(Datum::from(l.base10_parse::<f64>()?)),
                    syn::Lit::Bool(l) => self.0.push(Datum::from(l.value)),
                    _ => Err(Error::new(input.span(), "cannot parse literal"))?,
                }
            }
            Ok(())
        }
    }
}

mod attributes {
    use mz_repr::{ColumnType, ScalarType};

    use super::*;

    #[derive(Default)]
    pub struct Attributes {
        pub types: Option<Vec<ColumnType>>,
        pub keys: Option<Vec<Vec<usize>>>,
    }

    pub fn parse_attributes(input: ParseStream) -> syn::Result<Attributes> {
        let mut attributes = Attributes::default();

        // Attributes are optional, appearing after a `//` at the end of the
        // line. However, since the syn lexer eats comments, we assume that `//`
        // was replaced with `::` upfront.
        if input.eat(syn::Token![::]) {
            let inner;
            syn::braced!(inner in input);

            let (start, end) = (inner.span().start(), inner.span().end());
            if start.line != end.line {
                let msg = "attributes should not span more than one line".to_string();
                Err(Error::new(inner.span(), msg))?
            }

            while inner.peek(syn::Ident) {
                let ident = inner.parse::<syn::Ident>()?.to_string();
                match ident.as_str() {
                    "types" => {
                        inner.parse::<syn::Token![:]>()?;
                        let value = inner.parse::<syn::LitStr>()?.value();
                        attributes.types = Some(parse_types.parse_str(&value)?);
                    }
                    // TODO: support keys
                    key => {
                        let msg = format!("unexpected attribute type `{}`", key);
                        Err(Error::new(inner.span(), msg))?;
                    }
                }
            }
        }
        Ok(attributes)
    }

    fn parse_types(input: ParseStream) -> syn::Result<Vec<ColumnType>> {
        let inner;
        syn::parenthesized!(inner in input);
        inner.parse_comma_sep(parse_column_type)
    }

    pub fn parse_column_type(input: ParseStream) -> syn::Result<ColumnType> {
        let scalar_type = parse_scalar_type(input)?;
        Ok(scalar_type.nullable(input.eat(syn::Token![?])))
    }

    pub fn parse_scalar_type(input: ParseStream) -> syn::Result<ScalarType> {
        let lookahead = input.lookahead1();

        let scalar_type = if input.look_and_eat(bigint, &lookahead) {
            ScalarType::Int64
        } else if input.look_and_eat(double, &lookahead) {
            input.parse::<precision>()?;
            ScalarType::Float64
        } else if input.look_and_eat(boolean, &lookahead) {
            ScalarType::Bool
        } else if input.look_and_eat(character, &lookahead) {
            input.parse::<varying>()?;
            ScalarType::VarChar { max_length: None }
        } else if input.look_and_eat(integer, &lookahead) {
            ScalarType::Int32
        } else if input.look_and_eat(smallint, &lookahead) {
            ScalarType::Int16
        } else if input.look_and_eat(text, &lookahead) {
            ScalarType::String
        } else {
            Err(lookahead.error())?
        };

        Ok(scalar_type)
    }

    syn::custom_keyword!(bigint);
    syn::custom_keyword!(boolean);
    syn::custom_keyword!(character);
    syn::custom_keyword!(double);
    syn::custom_keyword!(integer);
    syn::custom_keyword!(precision);
    syn::custom_keyword!(smallint);
    syn::custom_keyword!(text);
    syn::custom_keyword!(varying);
}

pub enum Def {
    Source {
        name: String,
        cols: Vec<String>,
        typ: mz_repr::RelationType,
    },
}

mod def {
    use mz_repr::{ColumnType, RelationType};

    use super::*;

    pub fn parse_def(ctx: CtxRef, input: ParseStream) -> syn::Result<Def> {
        parse_def_source(ctx, input) // only one variant for now
    }

    fn parse_def_source(ctx: CtxRef, input: ParseStream) -> syn::Result<Def> {
        let reduce = input.parse::<def::DefSource>()?;

        let name = {
            input.parse::<def::name>()?;
            input.parse::<syn::Token![=]>()?;
            input.parse::<syn::Ident>()?.to_string()
        };

        let keys = if input.eat(kw::keys) {
            input.parse::<syn::Token![=]>()?;
            let inner;
            syn::bracketed!(inner in input);
            inner.parse_comma_sep(|input| {
                let inner;
                syn::bracketed!(inner in input);
                inner.parse_comma_sep(scalar::parse_column_index)
            })?
        } else {
            vec![]
        };

        let parse_inputs = ParseChildren::new(input, reduce.span().start());
        let (cols, column_types) = {
            let source_columns = parse_inputs.parse_many(ctx, parse_def_source_column)?;
            let mut column_names = vec![];
            let mut column_types = vec![];
            for (column_name, column_type) in source_columns {
                column_names.push(column_name);
                column_types.push(column_type);
            }
            (column_names, column_types)
        };

        let typ = RelationType { column_types, keys };

        Ok(Def::Source { name, cols, typ })
    }

    fn parse_def_source_column(
        _ctx: CtxRef,
        input: ParseStream,
    ) -> syn::Result<(String, ColumnType)> {
        input.parse::<syn::Token![-]>()?;
        let column_name = input.parse::<syn::Ident>()?.to_string();
        input.parse::<syn::Token![:]>()?;
        let column_type = attributes::parse_column_type(input)?;
        Ok((column_name, column_type))
    }

    syn::custom_keyword!(DefSource);
    syn::custom_keyword!(name);
}

/// Help utilities used by sibling modules.
mod util {
    use syn::parse::{Lookahead1, ParseBuffer, Peek};

    use super::*;

    /// Extension methods for [`syn::parse::ParseBuffer`].
    pub trait ParseBufferExt<'a> {
        fn look_and_eat<T: Eat>(&self, token: T, lookahead: &Lookahead1<'a>) -> bool;

        /// Consumes a token `T` if present.
        fn eat<T: Eat>(&self, t: T) -> bool;

        /// Consumes two tokens `T1 T2` if present in that order.
        fn eat2<T1: Eat, T2: Eat>(&self, t1: T1, t2: T2) -> bool;

        /// Consumes three tokens `T1 T2 T3` if present in that order.
        fn eat3<T1: Eat, T2: Eat, T3: Eat>(&self, t1: T1, t2: T2, t3: T3) -> bool;

        // Parse a comma-separated list of items into a vector.
        fn parse_comma_sep<T>(&self, p: fn(ParseStream) -> syn::Result<T>) -> syn::Result<Vec<T>>;
    }

    impl<'a> ParseBufferExt<'a> for ParseBuffer<'a> {
        /// Consumes a token `T` if present, looking it up using the provided
        /// [`Lookahead1`] instance.
        fn look_and_eat<T: Eat>(&self, token: T, lookahead: &Lookahead1<'a>) -> bool {
            if lookahead.peek(token) {
                self.parse::<T::Token>().unwrap();
                true
            } else {
                false
            }
        }

        fn eat<T: Eat>(&self, t: T) -> bool {
            if self.peek(t) {
                self.parse::<T::Token>().unwrap();
                true
            } else {
                false
            }
        }

        fn eat2<T1: Eat, T2: Eat>(&self, t1: T1, t2: T2) -> bool {
            if self.peek(t1) && self.peek2(t2) {
                self.parse::<T1::Token>().unwrap();
                self.parse::<T2::Token>().unwrap();
                true
            } else {
                false
            }
        }

        fn eat3<T1: Eat, T2: Eat, T3: Eat>(&self, t1: T1, t2: T2, t3: T3) -> bool {
            if self.peek(t1) && self.peek2(t2) && self.peek3(t3) {
                self.parse::<T1::Token>().unwrap();
                self.parse::<T2::Token>().unwrap();
                self.parse::<T3::Token>().unwrap();
                true
            } else {
                false
            }
        }

        fn parse_comma_sep<T>(&self, p: fn(ParseStream) -> syn::Result<T>) -> syn::Result<Vec<T>> {
            Ok(self
                .parse_terminated(p, syn::Token![,])?
                .into_iter()
                .collect::<Vec<_>>())
        }
    }

    // Helper trait for types that can be eaten.
    //
    // Implementing types must also implement [`Peek`], and the associated
    // [`Peek::Token`] type should implement [`Parse`]). For some reason the
    // latter bound is not present in [`Peek`] even if it makes a lot of sense,
    // which is why we need this helper.
    pub trait Eat: Peek<Token = Self::_Token> {
        type _Token: Parse;
    }

    impl<T> Eat for T
    where
        T: Peek,
        T::Token: Parse,
    {
        type _Token = T::Token;
    }

    pub struct Ctx<'a> {
        pub catalog: &'a TestCatalog,
    }

    pub type CtxRef<'a> = &'a Ctx<'a>;

    /// Newtype for external types that need to implement [Parse].
    pub struct Parsed<T>(pub T);

    /// Provides facilities for parsing
    pub struct ParseChildren<'a> {
        stream: ParseStream<'a>,
        parent: LineColumn,
    }

    impl<'a> ParseChildren<'a> {
        pub fn new(stream: ParseStream<'a>, parent: LineColumn) -> Self {
            Self { stream, parent }
        }

        pub fn parse_one<C, T>(
            &self,
            ctx: C,
            function: fn(C, ParseStream) -> syn::Result<T>,
        ) -> syn::Result<T> {
            match self.maybe_child() {
                Ok(_) => function(ctx, self.stream),
                Err(e) => Err(e),
            }
        }

        pub fn parse_many<C: Copy, T>(
            &self,
            ctx: C,
            function: fn(C, ParseStream) -> syn::Result<T>,
        ) -> syn::Result<Vec<T>> {
            let mut inputs = vec![self.parse_one(ctx, function)?];
            while self.maybe_child().is_ok() {
                inputs.push(function(ctx, self.stream)?);
            }
            Ok(inputs)
        }

        fn maybe_child(&self) -> syn::Result<()> {
            let start = self.stream.span().start();
            if start.line <= self.parent.line {
                let msg = format!("child expected at line > {}", self.parent.line);
                Err(Error::new(self.stream.span(), msg))?
            }
            if start.column != self.parent.column + 2 {
                let msg = format!("child expected at column {}", self.parent.column + 2);
                Err(Error::new(self.stream.span(), msg))?
            }
            Ok(())
        }
    }
}

/// Custom keywords used while parsing.
mod kw {
    syn::custom_keyword!(aggregates);
    syn::custom_keyword!(AND);
    syn::custom_keyword!(ArrangeBy);
    syn::custom_keyword!(array);
    syn::custom_keyword!(asc);
    syn::custom_keyword!(Constant);
    syn::custom_keyword!(CrossJoin);
    syn::custom_keyword!(cte);
    syn::custom_keyword!(desc);
    syn::custom_keyword!(distinct);
    syn::custom_keyword!(Distinct);
    syn::custom_keyword!(empty);
    syn::custom_keyword!(eq);
    syn::custom_keyword!(error);
    syn::custom_keyword!(exp_group_size);
    syn::custom_keyword!(FALSE);
    syn::custom_keyword!(Filter);
    syn::custom_keyword!(FlatMap);
    syn::custom_keyword!(Get);
    syn::custom_keyword!(group_by);
    syn::custom_keyword!(IS);
    syn::custom_keyword!(Join);
    syn::custom_keyword!(keys);
    syn::custom_keyword!(limit);
    syn::custom_keyword!(list);
    syn::custom_keyword!(Map);
    syn::custom_keyword!(monotonic);
    syn::custom_keyword!(Mutually);
    syn::custom_keyword!(Negate);
    syn::custom_keyword!(NOT);
    syn::custom_keyword!(null);
    syn::custom_keyword!(NULL);
    syn::custom_keyword!(nulls_first);
    syn::custom_keyword!(nulls_last);
    syn::custom_keyword!(offset);
    syn::custom_keyword!(on);
    syn::custom_keyword!(OR);
    syn::custom_keyword!(order_by);
    syn::custom_keyword!(project);
    syn::custom_keyword!(Project);
    syn::custom_keyword!(Recursive);
    syn::custom_keyword!(Reduce);
    syn::custom_keyword!(Return);
    syn::custom_keyword!(Threshold);
    syn::custom_keyword!(TopK);
    syn::custom_keyword!(TRUE);
    syn::custom_keyword!(Union);
    syn::custom_keyword!(With);
    syn::custom_keyword!(x);
}