cut/
plan.rs

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
// Copyright (c) Mysten Labs, Inc.
// SPDX-License-Identifier: Apache-2.0

use anyhow::{bail, Context, Result};
use std::collections::{BTreeMap, BTreeSet, HashMap, HashSet};
use std::env;
use std::fmt;
use std::fs;
use std::path::{Path, PathBuf};
use thiserror::Error;
use toml::value::Value;
use toml_edit::{self, Document, Item};

use crate::args::Args;
use crate::path::{deep_copy, normalize_path, path_relative_to, shortest_new_prefix};

/// Description of where packages should be copied to, what their new names should be, and whether
/// they should be added to the `workspace` `members` or `exclude` fields.
#[derive(Debug)]
pub(crate) struct CutPlan {
    /// Root of the repository, where the `Cargo.toml` containing the `workspace` configuration is
    /// found.
    root: PathBuf,

    /// New directories that need to be created.  Used to clean-up copied packages on roll-back.  If
    /// multiple nested directories must be created, only contains their shortest common prefix.
    directories: BTreeSet<PathBuf>,

    /// Mapping from the names of existing packages to be cut, to the details of where they will be
    /// copied to.
    packages: BTreeMap<String, CutPackage>,
}

/// Details for an individual copied package in the feature being cut.
#[derive(Debug, PartialEq, Eq)]
pub(crate) struct CutPackage {
    dst_name: String,
    src_path: PathBuf,
    dst_path: PathBuf,
    ws_state: WorkspaceState,
}

/// Whether the package in question is an explicit member of the workspace, an explicit exclude of
/// the workspace, or neither (in which case it could still transitively be one or the other).
#[derive(Debug, PartialEq, Eq)]
pub(crate) enum WorkspaceState {
    Member,
    Exclude,
    Unknown,
}

/// Relevant contents of a Cargo.toml `workspace` section.
#[derive(Debug)]
struct Workspace {
    /// Canonicalized paths of workspace members
    members: HashSet<PathBuf>,
    /// Canonicalized paths of workspace excludes
    exclude: HashSet<PathBuf>,
}

#[derive(Error, Debug)]
pub(crate) enum Error {
    #[error("Could not find repository root, please supply one")]
    NoRoot,

    #[error("No [workspace] found at {}/Cargo.toml", .0.display())]
    NoWorkspace(PathBuf),

    #[error("Both member and exclude of [workspace]: {}", .0.display())]
    WorkspaceConflict(PathBuf),

    #[error("Packages '{0}' and '{1}' map to the same cut package name")]
    PackageConflictName(String, String),

    #[error("Packages '{0}' and '{1}' map to the same cut package path")]
    PackageConflictPath(String, String),

    #[error("Cutting package '{0}' will overwrite existing path: {}", .1.display())]
    ExistingPackage(String, PathBuf),

    #[error("'{0}' field is not an array of strings")]
    NotAStringArray(&'static str),

    #[error("Cannot represent path as a TOML string: {}", .0.display())]
    PathToTomlStr(PathBuf),
}

impl CutPlan {
    /// Scan `args.directories` looking for `args.packages` to produce a new plan.  The resulting
    /// plan is guaranteed not to contain any duplicate packages (by name or path), or overwrite any
    /// existing packages.  Returns an error if it's not possible to construct such a plan.
    pub(crate) fn discover(args: Args) -> Result<Self> {
        let cwd = env::current_dir()?;

        let Some(root) = args.root.or_else(|| discover_root(cwd)) else {
            bail!(Error::NoRoot);
        };

        let root = fs::canonicalize(root)?;

        struct Walker {
            feature: String,
            ws: Option<Workspace>,
            planned_packages: BTreeMap<String, CutPackage>,
            pending_packages: HashSet<String>,
            make_directories: BTreeSet<PathBuf>,
        }

        impl Walker {
            fn walk(
                &mut self,
                src: &Path,
                dst: &Path,
                suffix: &Option<String>,
                mut fresh_parent: bool,
            ) -> Result<()> {
                self.try_insert_package(src, dst, suffix)
                    .with_context(|| format!("Failed to plan copy for {}", src.display()))?;

                // Figure out whether the parent directory was already created, or whether this
                // directory needs to be created.
                if !fresh_parent && !dst.exists() {
                    self.make_directories.insert(dst.to_owned());
                    fresh_parent = true;
                }

                for entry in fs::read_dir(src)? {
                    let entry = entry?;
                    if !entry.file_type()?.is_dir() {
                        continue;
                    }

                    // Skip `target` directories.
                    if entry.file_name() == "target" {
                        continue;
                    }

                    self.walk(
                        &src.join(entry.file_name()),
                        &dst.join(entry.file_name()),
                        suffix,
                        fresh_parent,
                    )?;
                }

                Ok(())
            }

            fn try_insert_package(
                &mut self,
                src: &Path,
                dst: &Path,
                suffix: &Option<String>,
            ) -> Result<()> {
                let toml = src.join("Cargo.toml");

                let Some(pkg_name) = package_name(toml)? else {
                    return Ok(());
                };

                if !self.pending_packages.remove(&pkg_name) {
                    return Ok(());
                }

                let mut dst_name = suffix
                    .as_ref()
                    .and_then(|s| pkg_name.strip_suffix(s))
                    .unwrap_or(&pkg_name)
                    .to_string();

                dst_name.push('-');
                dst_name.push_str(&self.feature);

                let dst_path = dst.to_path_buf();
                if dst_path.exists() {
                    bail!(Error::ExistingPackage(pkg_name, dst_path));
                }

                self.planned_packages.insert(
                    pkg_name,
                    CutPackage {
                        dst_name,
                        dst_path,
                        src_path: src.to_path_buf(),
                        ws_state: if let Some(ws) = &self.ws {
                            ws.state(src)?
                        } else {
                            WorkspaceState::Unknown
                        },
                    },
                );

                Ok(())
            }
        }

        let mut walker = Walker {
            feature: args.feature,
            ws: if args.workspace_update {
                Some(Workspace::read(&root)?)
            } else {
                None
            },
            planned_packages: BTreeMap::new(),
            pending_packages: args.packages.into_iter().collect(),
            make_directories: BTreeSet::new(),
        };

        for dir in args.directories {
            let src_path = fs::canonicalize(&dir.src)
                .with_context(|| format!("Canonicalizing {} failed", dir.src.display()))?;

            // Remove redundant `..` components from the destination path to avoid creating
            // directories we may not need at the destination.  E.g. a destination path of
            //
            //   foo/../bar
            //
            // Should only create the directory `bar`, not also the directory `foo`.
            let dst_path = normalize_path(&dir.dst)
                .with_context(|| format!("Normalizing {} failed", dir.dst.display()))?;

            // Check whether any parent directories need to be made as part of this iteration of the
            // cut.
            let fresh_parent = shortest_new_prefix(&dst_path).is_some_and(|pfx| {
                walker.make_directories.insert(pfx);
                true
            });

            walker
                .walk(
                    &fs::canonicalize(dir.src)?,
                    &dst_path,
                    &dir.suffix,
                    fresh_parent,
                )
                .with_context(|| format!("Failed to find packages in {}", src_path.display()))?;
        }

        // Emit warnings for packages that were not found
        for pending in &walker.pending_packages {
            eprintln!("WARNING: Package '{pending}' not found during scan.");
        }

        let Walker {
            planned_packages: packages,
            make_directories: directories,
            ..
        } = walker;

        //  Check for conflicts in the resulting plan
        let mut rev_name = HashMap::new();
        let mut rev_path = HashMap::new();

        for (name, pkg) in &packages {
            if let Some(prev) = rev_name.insert(pkg.dst_name.clone(), name.clone()) {
                bail!(Error::PackageConflictName(name.clone(), prev));
            }

            if let Some(prev) = rev_path.insert(pkg.dst_path.clone(), name.clone()) {
                bail!(Error::PackageConflictPath(name.clone(), prev));
            }
        }

        Ok(Self {
            root,
            packages,
            directories,
        })
    }

    /// Copy the packages according to this plan.  On success, all the packages will be copied to
    /// their destinations, and their dependencies will be fixed up.  On failure, pending changes
    /// are rolled back.
    pub(crate) fn execute(&self) -> Result<()> {
        self.execute_().inspect_err(|_| {
            self.rollback();
        })
    }
    fn execute_(&self) -> Result<()> {
        for (name, package) in &self.packages {
            self.copy_package(package).with_context(|| {
                format!("Failed to copy package '{name}' to '{}'.", package.dst_name)
            })?
        }

        for package in self.packages.values() {
            self.update_package(package)
                .with_context(|| format!("Failed to update manifest for '{}'", package.dst_name))?
        }

        // Update the workspace at the end, so that if there is any problem before that, rollback
        // will leave the state clean.
        self.update_workspace()
            .context("Failed to update [workspace].")
    }

    /// Copy the contents of `package` from its `src_path` to its `dst_path`, unchanged.
    fn copy_package(&self, package: &CutPackage) -> Result<()> {
        // Copy everything in the directory as-is, except for any "target" directories
        deep_copy(&package.src_path, &package.dst_path, &mut |src| {
            src.is_file() || !src.ends_with("target")
        })?;

        Ok(())
    }

    /// Fix the contents of the copied package's `Cargo.toml`: name altered to match
    /// `package.dst_name` and local relative-path-based dependencies are updated to account for the
    /// copied package's new location.  Assumes that all copied files exist (but may not contain
    /// up-to-date information).
    fn update_package(&self, package: &CutPackage) -> Result<()> {
        let path = package.dst_path.join("Cargo.toml");
        let mut toml = fs::read_to_string(&path)?.parse::<Document>()?;

        // Update the package name
        toml["package"]["name"] = toml_edit::value(&package.dst_name);

        // Fix-up references to any kind of dependency (dependencies, dev-dependencies,
        // build-dependencies, target-specific dependencies).
        self.update_dependencies(&package.src_path, &package.dst_path, toml.as_table_mut())?;

        if let Some(targets) = toml.get_mut("target").and_then(Item::as_table_like_mut) {
            for (_, target) in targets.iter_mut() {
                if let Some(target) = target.as_table_like_mut() {
                    self.update_dependencies(&package.src_path, &package.dst_path, target)?;
                };
            }
        };

        fs::write(&path, toml.to_string())?;
        Ok(())
    }

    /// Find all dependency tables in `table`, part of a manifest at `dst_path/Cargo.toml`
    /// (originally at `src_path/Cargo.toml`), and fix (relative) paths to account for the change in
    /// the package's location.
    fn update_dependencies(
        &self,
        src_path: impl AsRef<Path>,
        dst_path: impl AsRef<Path>,
        table: &mut dyn toml_edit::TableLike,
    ) -> Result<()> {
        for field in ["dependencies", "dev-dependencies", "build-dependencies"] {
            let Some(deps) = table.get_mut(field).and_then(Item::as_table_like_mut) else {
                continue;
            };

            for (dep_name, dep) in deps.iter_mut() {
                self.update_dependency(&src_path, &dst_path, dep_name, dep)?
            }
        }

        Ok(())
    }

    /// Update an individual dependency from a copied package manifest.  Only local path-based
    /// dependencies are updated:
    ///
    ///     Dep = { path = "..." }
    ///
    /// If `Dep` is another package to be copied as part of this plan, the path is updated to the
    /// location it is copied to.  Otherwise, its location (a relative path) is updated to account
    /// for the fact that the copied package is at a new location.
    fn update_dependency(
        &self,
        src_path: impl AsRef<Path>,
        dst_path: impl AsRef<Path>,
        dep_name: toml_edit::KeyMut,
        dep: &mut Item,
    ) -> Result<()> {
        let Some(dep) = dep.as_table_like_mut() else {
            return Ok(());
        };

        // If the dep has an explicit package name, use that as the key for finding package
        // information, rather than the field name of the dep.
        let dep_pkg = self.packages.get(
            dep.get("package")
                .and_then(Item::as_str)
                .unwrap_or_else(|| dep_name.get()),
        );

        // Only path-based dependencies need to be updated.
        let Some(path) = dep.get_mut("path") else {
            return Ok(());
        };

        if let Some(dep_pkg) = dep_pkg {
            // Dependency is for a package that was cut, redirect to the cut package.
            *path = toml_edit::value(path_to_toml_value(dst_path, &dep_pkg.dst_path)?);
            if dep_name.get() != dep_pkg.dst_name {
                dep.insert("package", toml_edit::value(&dep_pkg.dst_name));
            }
        } else if let Some(rel_dep_path) = path.as_str() {
            // Dependency is for an existing (non-cut) local package, fix up its (relative) path to
            // now be relative to its cut location.
            let dep_path = src_path.as_ref().join(rel_dep_path);
            *path = toml_edit::value(path_to_toml_value(dst_path, dep_path)?);
        }

        Ok(())
    }

    /// Add entries to the `members` and `exclude` arrays in the root manifest's `workspace` table.
    fn update_workspace(&self) -> Result<()> {
        let path = self.root.join("Cargo.toml");
        if !path.exists() {
            bail!(Error::NoWorkspace(path));
        }

        let mut toml = fs::read_to_string(&path)?.parse::<Document>()?;
        for package in self.packages.values() {
            match package.ws_state {
                WorkspaceState::Unknown => {
                    continue;
                }

                WorkspaceState::Member => {
                    // This assumes that there is a "workspace.members" section, which is a fair
                    // assumption in our repo.
                    let Some(members) = toml["workspace"]["members"].as_array_mut() else {
                        bail!(Error::NotAStringArray("members"));
                    };

                    let pkg_path = path_to_toml_value(&self.root, &package.dst_path)?;
                    members.push(pkg_path);
                }

                WorkspaceState::Exclude => {
                    // This assumes that there is a "workspace.exclude" section, which is a fair
                    // assumption in our repo.
                    let Some(exclude) = toml["workspace"]["exclude"].as_array_mut() else {
                        bail!(Error::NotAStringArray("exclude"));
                    };

                    let pkg_path = path_to_toml_value(&self.root, &package.dst_path)?;
                    exclude.push(pkg_path);
                }
            };
        }

        if let Some(members) = toml
            .get_mut("workspace")
            .and_then(|w| w.get_mut("members"))
            .and_then(|m| m.as_array_mut())
        {
            format_array_of_strings("members", members)?
        }

        if let Some(exclude) = toml
            .get_mut("workspace")
            .and_then(|w| w.get_mut("exclude"))
            .and_then(|m| m.as_array_mut())
        {
            format_array_of_strings("exclude", exclude)?
        }

        fs::write(&path, toml.to_string())?;
        Ok(())
    }

    /// Attempt to clean-up the partial results of executing a plan, by deleting the directories
    /// that the plan would have created.  Swallows and prints errors to make sure as much clean-up
    /// as possible is done -- this function is typically called when some other error has occurred,
    /// so it's unclear what it's starting state would be.
    fn rollback(&self) {
        for dir in &self.directories {
            if let Err(e) = fs::remove_dir_all(dir) {
                eprintln!("Rollback Error deleting {}: {e}", dir.display());
            }
        }
    }
}

impl Workspace {
    /// Read `members` and `exclude` from the `workspace` section of the `Cargo.toml` file in
    /// directory `root`.  Fails if there isn't a manifest, it doesn't contain a `workspace`
    /// section, or the relevant fields are not formatted as expected.
    fn read<P: AsRef<Path>>(root: P) -> Result<Self> {
        let path = root.as_ref().join("Cargo.toml");
        if !path.exists() {
            bail!(Error::NoWorkspace(path));
        }

        let toml = toml::de::from_str::<Value>(&fs::read_to_string(&path)?)?;
        let Some(workspace) = toml.get("workspace") else {
            bail!(Error::NoWorkspace(path));
        };

        let members = toml_path_array_to_set(root.as_ref(), workspace, "members")
            .context("Failed to read workspace.members")?;
        let exclude = toml_path_array_to_set(root.as_ref(), workspace, "exclude")
            .context("Failed to read workspace.exclude")?;

        Ok(Self { members, exclude })
    }

    /// Determine the state of the path insofar as whether it is a direct member or exclude of this
    /// `Workspace`.
    fn state<P: AsRef<Path>>(&self, path: P) -> Result<WorkspaceState> {
        let path = path.as_ref();
        match (self.members.contains(path), self.exclude.contains(path)) {
            (true, true) => bail!(Error::WorkspaceConflict(path.to_path_buf())),

            (true, false) => Ok(WorkspaceState::Member),
            (false, true) => Ok(WorkspaceState::Exclude),
            (false, false) => Ok(WorkspaceState::Unknown),
        }
    }
}

impl fmt::Display for CutPlan {
    fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
        writeln!(f, "Copying packages in: {}", self.root.display())?;

        fn write_package(
            root: &Path,
            name: &str,
            pkg: &CutPackage,
            f: &mut fmt::Formatter<'_>,
        ) -> fmt::Result {
            let dst_path = pkg.dst_path.strip_prefix(root).unwrap_or(&pkg.dst_path);

            let src_path = pkg.src_path.strip_prefix(root).unwrap_or(&pkg.src_path);

            writeln!(f, " - to:   {}", pkg.dst_name)?;
            writeln!(f, "         {}", dst_path.display())?;
            writeln!(f, "   from: {name}")?;
            writeln!(f, "         {}", src_path.display())?;
            Ok(())
        }

        writeln!(f)?;
        writeln!(f, "new [workspace] members:")?;
        for (name, package) in &self.packages {
            if package.ws_state == WorkspaceState::Member {
                write_package(&self.root, name, package, f)?
            }
        }

        writeln!(f)?;
        writeln!(f, "new [workspace] excludes:")?;
        for (name, package) in &self.packages {
            if package.ws_state == WorkspaceState::Exclude {
                write_package(&self.root, name, package, f)?
            }
        }

        writeln!(f)?;
        writeln!(f, "other packages:")?;
        for (name, package) in &self.packages {
            if package.ws_state == WorkspaceState::Unknown {
                write_package(&self.root, name, package, f)?
            }
        }

        Ok(())
    }
}

/// Find the root of the git repository containing `cwd`, if it exists, return `None` otherwise.
/// This function only searches prefixes of the provided path for the git repo, so if the path is
/// given as a relative path within the repository, the root will not be found.
fn discover_root(mut cwd: PathBuf) -> Option<PathBuf> {
    cwd.extend(["_", ".git"]);
    while {
        cwd.pop();
        cwd.pop()
    } {
        cwd.push(".git");
        if cwd.is_dir() {
            cwd.pop();
            return Some(cwd);
        }
    }

    None
}

/// Read `[field]` from `table`, as an array of strings, and interpret as a set of paths,
/// canonicalized relative to a `root` path.
///
/// Fails if the field does not exist, does not consist of all strings, or if a path fails to
/// canonicalize.
fn toml_path_array_to_set<P: AsRef<Path>>(
    root: P,
    table: &Value,
    field: &'static str,
) -> Result<HashSet<PathBuf>> {
    let mut set = HashSet::new();

    let Some(array) = table.get(field) else {
        return Ok(set);
    };
    let Some(array) = array.as_array() else {
        bail!(Error::NotAStringArray(field))
    };

    for val in array {
        let Some(path) = val.as_str() else {
            bail!(Error::NotAStringArray(field));
        };

        set.insert(
            fs::canonicalize(root.as_ref().join(path))
                .with_context(|| format!("Canonicalizing path '{path}'"))?,
        );
    }

    Ok(set)
}

/// Represent `path` as a TOML value, by first describing it as a relative path (relative to
/// `root`), and then converting it to a String.  Fails if either `root` or `path` are not real
/// paths (cannot be canonicalized), or the resulting relative path cannot be represented as a
/// String.
fn path_to_toml_value<P, Q>(root: P, path: Q) -> Result<toml_edit::Value>
where
    P: AsRef<Path>,
    Q: AsRef<Path>,
{
    let path = path_relative_to(root, path)?;
    let Some(repr) = path.to_str() else {
        bail!(Error::PathToTomlStr(path));
    };

    Ok(repr.into())
}

/// Format a TOML array of strings: Splits elements over multiple lines, indents them, sorts them,
/// and adds a trailing comma.
fn format_array_of_strings(field: &'static str, array: &mut toml_edit::Array) -> Result<()> {
    let mut strs = BTreeSet::new();
    for item in &*array {
        let Some(s) = item.as_str() else {
            bail!(Error::NotAStringArray(field));
        };

        strs.insert(s.to_owned());
    }

    array.set_trailing_comma(true);
    array.set_trailing("\n");
    array.clear();

    for s in strs {
        array.push_formatted(toml_edit::Value::from(s).decorated("\n    ", ""));
    }

    Ok(())
}

fn package_name<P: AsRef<Path>>(path: P) -> Result<Option<String>> {
    if !path.as_ref().is_file() {
        return Ok(None);
    }

    let content = fs::read_to_string(&path)?;
    let toml = toml::de::from_str::<Value>(&content)?;

    let Some(package) = toml.get("package") else {
        return Ok(None);
    };

    let Some(name) = package.get("name") else {
        return Ok(None);
    };

    Ok(name.as_str().map(str::to_string))
}

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

    use super::*;

    use expect_test::expect;
    use std::fmt;
    use std::fs;
    use std::path::PathBuf;
    use tempfile::tempdir;

    #[test]
    fn test_discover_root() {
        let cut = PathBuf::from(env!("CARGO_MANIFEST_DIR"));

        let Some(root) = discover_root(cut.clone()) else {
            panic!("Failed to discover root from: {}", cut.display());
        };

        assert!(cut.starts_with(root));
    }

    #[test]
    fn test_discover_root_idempotence() {
        let cut = PathBuf::from(env!("CARGO_MANIFEST_DIR"));

        let Some(root) = discover_root(cut.clone()) else {
            panic!("Failed to discover root from: {}", cut.display());
        };

        let Some(root_again) = discover_root(root.clone()) else {
            panic!("Failed to discover root from itself: {}", root.display());
        };

        assert_eq!(root, root_again);
    }

    #[test]
    fn test_discover_root_non_existent() {
        let tmp = tempdir().unwrap();
        assert_eq!(None, discover_root(tmp.path().to_owned()));
    }

    #[test]
    fn test_workspace_read() {
        let cut = fs::canonicalize(env!("CARGO_MANIFEST_DIR")).unwrap();
        let root = discover_root(cut.clone()).unwrap();

        let sui_execution = root.join("sui-execution");
        let move_core_types = root.join("external-crates/move/crates/move-core-types");

        let ws = Workspace::read(&root).unwrap();

        // This crate is a member of the workspace
        assert!(ws.members.contains(&cut));

        // Other examples
        assert!(ws.members.contains(&sui_execution));
        assert!(ws.exclude.contains(&move_core_types));
    }

    #[test]
    fn test_no_workspace() {
        let err = Workspace::read(env!("CARGO_MANIFEST_DIR")).unwrap_err();
        expect!["No [workspace] found at $PATH/sui-execution/cut/Cargo.toml/Cargo.toml"]
            .assert_eq(&scrub_path(&format!("{:#}", err), repo_root()));
    }

    #[test]
    fn test_empty_workspace() {
        let tmp = tempdir().unwrap();
        let toml = tmp.path().join("Cargo.toml");

        fs::write(
            toml,
            r#"
              [workspace]
            "#,
        )
        .unwrap();

        let ws = Workspace::read(&tmp).unwrap();
        assert!(ws.members.is_empty());
        assert!(ws.exclude.is_empty());
    }

    #[test]
    fn test_bad_workspace_field() {
        let tmp = tempdir().unwrap();
        let toml = tmp.path().join("Cargo.toml");

        fs::write(
            toml,
            r#"
              [workspace]
              members = [1, 2, 3]
            "#,
        )
        .unwrap();

        let err = Workspace::read(&tmp).unwrap_err();
        expect!["Failed to read workspace.members: 'members' field is not an array of strings"]
            .assert_eq(&scrub_path(&format!("{:#}", err), repo_root()));
    }

    #[test]
    fn test_bad_workspace_path() {
        let tmp = tempdir().unwrap();
        let toml = tmp.path().join("Cargo.toml");

        fs::write(
            toml,
            r#"
              [workspace]
              members = ["i_dont_exist"]
            "#,
        )
        .unwrap();

        let err = Workspace::read(&tmp).unwrap_err();
        expect!["Failed to read workspace.members: Canonicalizing path 'i_dont_exist': No such file or directory (os error 2)"]
        .assert_eq(&scrub_path(&format!("{:#}", err), repo_root()));
    }

    #[test]
    fn test_cut_plan_discover() {
        let cut = PathBuf::from(env!("CARGO_MANIFEST_DIR"));

        let plan = CutPlan::discover(Args {
            dry_run: false,
            workspace_update: true,
            feature: "feature".to_string(),
            root: None,
            directories: vec![
                Directory {
                    src: cut.join("../latest"),
                    dst: cut.join("../exec-cut"),
                    suffix: Some("-latest".to_string()),
                },
                Directory {
                    src: cut.clone(),
                    dst: cut.join("../cut-cut"),
                    suffix: None,
                },
                Directory {
                    src: cut.join("../../external-crates/move/crates/move-core-types"),
                    dst: cut.join("../cut-move-core-types"),
                    suffix: None,
                },
            ],
            packages: vec![
                "move-core-types".to_string(),
                "sui-adapter-latest".to_string(),
                "sui-execution-cut".to_string(),
                "sui-verifier-latest".to_string(),
            ],
        })
        .unwrap();

        expect![[r#"
            CutPlan {
                root: "$PATH",
                directories: {
                    "$PATH/sui-execution/cut-cut",
                    "$PATH/sui-execution/cut-move-core-types",
                    "$PATH/sui-execution/exec-cut",
                },
                packages: {
                    "move-core-types": CutPackage {
                        dst_name: "move-core-types-feature",
                        src_path: "$PATH/external-crates/move/crates/move-core-types",
                        dst_path: "$PATH/sui-execution/cut-move-core-types",
                        ws_state: Exclude,
                    },
                    "sui-adapter-latest": CutPackage {
                        dst_name: "sui-adapter-feature",
                        src_path: "$PATH/sui-execution/latest/sui-adapter",
                        dst_path: "$PATH/sui-execution/exec-cut/sui-adapter",
                        ws_state: Member,
                    },
                    "sui-execution-cut": CutPackage {
                        dst_name: "sui-execution-cut-feature",
                        src_path: "$PATH/sui-execution/cut",
                        dst_path: "$PATH/sui-execution/cut-cut",
                        ws_state: Member,
                    },
                    "sui-verifier-latest": CutPackage {
                        dst_name: "sui-verifier-feature",
                        src_path: "$PATH/sui-execution/latest/sui-verifier",
                        dst_path: "$PATH/sui-execution/exec-cut/sui-verifier",
                        ws_state: Member,
                    },
                },
            }"#]]
        .assert_eq(&debug_for_test(&plan));

        expect![[r#"
            Copying packages in: $PATH

            new [workspace] members:
             - to:   sui-adapter-feature
                     sui-execution/exec-cut/sui-adapter
               from: sui-adapter-latest
                     sui-execution/latest/sui-adapter
             - to:   sui-execution-cut-feature
                     sui-execution/cut-cut
               from: sui-execution-cut
                     sui-execution/cut
             - to:   sui-verifier-feature
                     sui-execution/exec-cut/sui-verifier
               from: sui-verifier-latest
                     sui-execution/latest/sui-verifier

            new [workspace] excludes:
             - to:   move-core-types-feature
                     sui-execution/cut-move-core-types
               from: move-core-types
                     external-crates/move/crates/move-core-types

            other packages:
        "#]]
        .assert_eq(&display_for_test(&plan));
    }

    #[test]
    fn test_cut_plan_discover_new_top_level_destination() {
        let cut = PathBuf::from(env!("CARGO_MANIFEST_DIR"));

        // Create a plan where all the new packages are gathered into a single top-level destination
        // directory, and expect that the resulting plan's `directories` only contains one entry.
        let plan = CutPlan::discover(Args {
            dry_run: false,
            workspace_update: true,
            feature: "feature".to_string(),
            root: None,
            directories: vec![
                Directory {
                    src: cut.join("../latest"),
                    dst: cut.join("../feature"),
                    suffix: Some("-latest".to_string()),
                },
                Directory {
                    src: cut.clone(),
                    dst: cut.join("../feature/cut"),
                    suffix: None,
                },
                Directory {
                    src: cut.join("../../external-crates/move"),
                    dst: cut.join("../feature/move"),
                    suffix: None,
                },
            ],
            packages: vec![
                "move-core-types".to_string(),
                "sui-adapter-latest".to_string(),
                "sui-execution-cut".to_string(),
                "sui-verifier-latest".to_string(),
            ],
        })
        .unwrap();

        expect![[r#"
            CutPlan {
                root: "$PATH",
                directories: {
                    "$PATH/sui-execution/feature",
                },
                packages: {
                    "move-core-types": CutPackage {
                        dst_name: "move-core-types-feature",
                        src_path: "$PATH/external-crates/move/crates/move-core-types",
                        dst_path: "$PATH/sui-execution/feature/move/crates/move-core-types",
                        ws_state: Exclude,
                    },
                    "sui-adapter-latest": CutPackage {
                        dst_name: "sui-adapter-feature",
                        src_path: "$PATH/sui-execution/latest/sui-adapter",
                        dst_path: "$PATH/sui-execution/feature/sui-adapter",
                        ws_state: Member,
                    },
                    "sui-execution-cut": CutPackage {
                        dst_name: "sui-execution-cut-feature",
                        src_path: "$PATH/sui-execution/cut",
                        dst_path: "$PATH/sui-execution/feature/cut",
                        ws_state: Member,
                    },
                    "sui-verifier-latest": CutPackage {
                        dst_name: "sui-verifier-feature",
                        src_path: "$PATH/sui-execution/latest/sui-verifier",
                        dst_path: "$PATH/sui-execution/feature/sui-verifier",
                        ws_state: Member,
                    },
                },
            }"#]]
        .assert_eq(&debug_for_test(&plan));
    }

    #[test]
    fn test_cut_plan_workspace_conflict() {
        let tmp = tempdir().unwrap();
        fs::create_dir(tmp.path().join("foo")).unwrap();

        fs::write(
            tmp.path().join("Cargo.toml"),
            r#"
              [workspace]
              members = ["foo"]
              exclude = ["foo"]
            "#,
        )
        .unwrap();

        fs::write(
            tmp.path().join("foo/Cargo.toml"),
            r#"
              [package]
              name = "foo"
            "#,
        )
        .unwrap();

        let err = CutPlan::discover(Args {
            dry_run: false,
            workspace_update: true,
            feature: "feature".to_string(),
            root: Some(tmp.path().to_owned()),
            directories: vec![Directory {
                src: tmp.path().to_owned(),
                dst: tmp.path().join("cut"),
                suffix: None,
            }],
            packages: vec!["foo".to_string()],
        })
        .unwrap_err();

        expect!["Failed to find packages in $PATH: Failed to plan copy for $PATH/foo: Both member and exclude of [workspace]: $PATH/foo"]
        .assert_eq(&scrub_path(&format!("{:#}", err), tmp.path()));
    }

    #[test]
    fn test_cut_plan_package_name_conflict() {
        let tmp = tempdir().unwrap();
        fs::create_dir_all(tmp.path().join("foo/bar-latest")).unwrap();
        fs::create_dir_all(tmp.path().join("baz/bar")).unwrap();

        fs::write(tmp.path().join("Cargo.toml"), "[workspace]").unwrap();

        fs::write(
            tmp.path().join("foo/bar-latest/Cargo.toml"),
            r#"package.name = "bar-latest""#,
        )
        .unwrap();

        fs::write(
            tmp.path().join("baz/bar/Cargo.toml"),
            r#"package.name = "bar""#,
        )
        .unwrap();

        let err = CutPlan::discover(Args {
            dry_run: false,
            workspace_update: true,
            feature: "feature".to_string(),
            root: Some(tmp.path().to_owned()),
            directories: vec![
                Directory {
                    src: tmp.path().join("foo"),
                    dst: tmp.path().join("cut"),
                    suffix: Some("-latest".to_string()),
                },
                Directory {
                    src: tmp.path().join("baz"),
                    dst: tmp.path().join("cut"),
                    suffix: None,
                },
            ],
            packages: vec!["bar-latest".to_string(), "bar".to_string()],
        })
        .unwrap_err();

        expect!["Packages 'bar-latest' and 'bar' map to the same cut package name"]
            .assert_eq(&format!("{:#}", err));
    }

    #[test]
    fn test_cut_plan_package_path_conflict() {
        let tmp = tempdir().unwrap();
        fs::create_dir_all(tmp.path().join("foo/bar")).unwrap();
        fs::create_dir_all(tmp.path().join("baz/bar")).unwrap();

        fs::write(tmp.path().join("Cargo.toml"), "[workspace]").unwrap();

        fs::write(
            tmp.path().join("foo/bar/Cargo.toml"),
            r#"package.name = "foo-bar""#,
        )
        .unwrap();

        fs::write(
            tmp.path().join("baz/bar/Cargo.toml"),
            r#"package.name = "baz-bar""#,
        )
        .unwrap();

        let err = CutPlan::discover(Args {
            dry_run: false,
            workspace_update: true,
            feature: "feature".to_string(),
            root: Some(tmp.path().to_owned()),
            directories: vec![
                Directory {
                    src: tmp.path().join("foo"),
                    dst: tmp.path().join("cut"),
                    suffix: None,
                },
                Directory {
                    src: tmp.path().join("baz"),
                    dst: tmp.path().join("cut"),
                    suffix: None,
                },
            ],
            packages: vec!["foo-bar".to_string(), "baz-bar".to_string()],
        })
        .unwrap_err();

        expect!["Packages 'foo-bar' and 'baz-bar' map to the same cut package path"]
            .assert_eq(&format!("{:#}", err));
    }

    #[test]
    fn test_cut_plan_existing_package() {
        let tmp = tempdir().unwrap();
        fs::create_dir_all(tmp.path().join("foo/bar")).unwrap();
        fs::create_dir_all(tmp.path().join("baz/bar")).unwrap();

        fs::write(tmp.path().join("Cargo.toml"), "[workspace]").unwrap();

        fs::write(
            tmp.path().join("foo/bar/Cargo.toml"),
            r#"package.name = "foo-bar""#,
        )
        .unwrap();

        fs::write(
            tmp.path().join("baz/bar/Cargo.toml"),
            r#"package.name = "baz-bar""#,
        )
        .unwrap();

        let err = CutPlan::discover(Args {
            dry_run: false,
            workspace_update: true,
            feature: "feature".to_string(),
            root: Some(tmp.path().to_owned()),
            directories: vec![Directory {
                src: tmp.path().join("foo"),
                dst: tmp.path().join("baz"),
                suffix: None,
            }],
            packages: vec!["foo-bar".to_string()],
        })
        .unwrap_err();

        expect!["Failed to find packages in $PATH/foo: Failed to plan copy for $PATH/foo/bar: Cutting package 'foo-bar' will overwrite existing path: $PATH/baz/bar"]
        .assert_eq(&scrub_path(&format!("{:#}", err), tmp.path()));
    }

    #[test]
    fn test_cut_plan_execute_and_rollback() {
        let tmp = tempdir().unwrap();
        let root = tmp.path().to_owned();

        fs::create_dir_all(root.join("crates/foo/../bar/../baz/../qux/../quy")).unwrap();

        fs::write(
            root.join("Cargo.toml"),
            [
                r#"[workspace]"#,
                r#"members = ["crates/foo"]"#,
                r#"exclude = ["#,
                r#"    "crates/bar","#,
                r#"    "crates/qux","#,
                r#"]"#,
            ]
            .join("\n"),
        )
        .unwrap();

        fs::write(
            root.join("crates/foo/Cargo.toml"),
            r#"package.name = "foo-latest""#,
        )
        .unwrap();

        fs::write(
            root.join("crates/bar/Cargo.toml"),
            [
                r#"[package]"#,
                r#"name = "bar""#,
                r#""#,
                r#"[dependencies]"#,
                r#"foo = { path = "../foo", package = "foo-latest" }"#,
                r#""#,
                r#"[dev-dependencies]"#,
                r#"baz = { path = "../baz" }"#,
                r#"quy = { path = "../quy" }"#,
            ]
            .join("\n"),
        )
        .unwrap();

        fs::write(
            root.join("crates/baz/Cargo.toml"),
            [
                r#"[package]"#,
                r#"name = "baz""#,
                r#""#,
                r#"[dependencies]"#,
                r#"acme = "1.0.0""#,
                r#""#,
                r#"[build-dependencies]"#,
                r#"bar = { path = "../bar" }"#,
            ]
            .join("\n"),
        )
        .unwrap();

        fs::write(
            root.join("crates/qux/Cargo.toml"),
            [
                r#"[package]"#,
                r#"name = "qux""#,
                r#""#,
                r#"[target.'cfg(unix)'.dependencies]"#,
                r#"bar = { path = "../bar" }"#,
                r#""#,
                r#"[target.'cfg(target_arch = "x86_64")'.build-dependencies]"#,
                r#"foo = { path = "../foo", package = "foo-latest" }"#,
            ]
            .join("\n"),
        )
        .unwrap();

        fs::write(
            root.join("crates/quy/Cargo.toml"),
            [r#"[package]"#, r#"name = "quy""#].join("\n"),
        )
        .unwrap();

        let plan = CutPlan::discover(Args {
            dry_run: false,
            workspace_update: true,
            feature: "cut".to_string(),
            root: Some(tmp.path().to_owned()),
            directories: vec![Directory {
                src: root.join("crates"),
                dst: root.join("cut"),
                suffix: Some("-latest".to_owned()),
            }],
            packages: vec![
                "foo-latest".to_string(),
                "bar".to_string(),
                "baz".to_string(),
                "qux".to_string(),
            ],
        })
        .unwrap();

        plan.execute().unwrap();

        assert!(!root.join("cut/quy").exists());

        expect![[r#"
            [workspace]
            members = [
                "crates/foo",
                "cut/foo",
            ]
            exclude = [
                "crates/bar",
                "crates/qux",
                "cut/bar",
                "cut/qux",
            ]

            ---
            package.name = "foo-cut"

            ---
            [package]
            name = "bar-cut"

            [dependencies]
            foo = { path = "../foo", package = "foo-cut" }

            [dev-dependencies]
            baz = { path = "../baz", package = "baz-cut" }
            quy = { path = "../../crates/quy" }

            ---
            [package]
            name = "baz-cut"

            [dependencies]
            acme = "1.0.0"

            [build-dependencies]
            bar = { path = "../bar", package = "bar-cut" }

            ---
            [package]
            name = "qux-cut"

            [target.'cfg(unix)'.dependencies]
            bar = { path = "../bar", package = "bar-cut" }

            [target.'cfg(target_arch = "x86_64")'.build-dependencies]
            foo = { path = "../foo", package = "foo-cut" }
        "#]]
        .assert_eq(&read_files([
            root.join("Cargo.toml"),
            root.join("cut/foo/Cargo.toml"),
            root.join("cut/bar/Cargo.toml"),
            root.join("cut/baz/Cargo.toml"),
            root.join("cut/qux/Cargo.toml"),
        ]));

        plan.rollback();
        assert!(!root.join("cut").exists())
    }

    #[test]
    fn test_cut_plan_no_workspace_update() {
        let cut = PathBuf::from(env!("CARGO_MANIFEST_DIR"));

        let plan = CutPlan::discover(Args {
            dry_run: false,
            workspace_update: false,
            feature: "feature".to_string(),
            root: None,
            directories: vec![
                Directory {
                    src: cut.join("../latest"),
                    dst: cut.join("../exec-cut"),
                    suffix: Some("-latest".to_string()),
                },
                Directory {
                    src: cut.clone(),
                    dst: cut.join("../cut-cut"),
                    suffix: None,
                },
                Directory {
                    src: cut.join("../../external-crates/move/crates/move-core-types"),
                    dst: cut.join("../cut-move-core-types"),
                    suffix: None,
                },
            ],
            packages: vec![
                "move-core-types".to_string(),
                "sui-adapter-latest".to_string(),
                "sui-execution-cut".to_string(),
                "sui-verifier-latest".to_string(),
            ],
        })
        .unwrap();

        expect![[r#"
            CutPlan {
                root: "$PATH",
                directories: {
                    "$PATH/sui-execution/cut-cut",
                    "$PATH/sui-execution/cut-move-core-types",
                    "$PATH/sui-execution/exec-cut",
                },
                packages: {
                    "move-core-types": CutPackage {
                        dst_name: "move-core-types-feature",
                        src_path: "$PATH/external-crates/move/crates/move-core-types",
                        dst_path: "$PATH/sui-execution/cut-move-core-types",
                        ws_state: Unknown,
                    },
                    "sui-adapter-latest": CutPackage {
                        dst_name: "sui-adapter-feature",
                        src_path: "$PATH/sui-execution/latest/sui-adapter",
                        dst_path: "$PATH/sui-execution/exec-cut/sui-adapter",
                        ws_state: Unknown,
                    },
                    "sui-execution-cut": CutPackage {
                        dst_name: "sui-execution-cut-feature",
                        src_path: "$PATH/sui-execution/cut",
                        dst_path: "$PATH/sui-execution/cut-cut",
                        ws_state: Unknown,
                    },
                    "sui-verifier-latest": CutPackage {
                        dst_name: "sui-verifier-feature",
                        src_path: "$PATH/sui-execution/latest/sui-verifier",
                        dst_path: "$PATH/sui-execution/exec-cut/sui-verifier",
                        ws_state: Unknown,
                    },
                },
            }"#]]
        .assert_eq(&debug_for_test(&plan));
    }

    /// Print with pretty-printed debug formatting, with repo paths scrubbed out for consistency.
    fn debug_for_test<T: fmt::Debug>(x: &T) -> String {
        scrub_path(&format!("{x:#?}"), repo_root())
    }

    /// Print with display formatting, with repo paths scrubbed out for consistency.
    fn display_for_test<T: fmt::Display>(x: &T) -> String {
        scrub_path(&format!("{x}"), repo_root())
    }

    /// Read multiple files into one string.
    fn read_files<P: AsRef<Path>>(paths: impl IntoIterator<Item = P>) -> String {
        let contents: Vec<_> = paths
            .into_iter()
            .map(|p| fs::read_to_string(p).unwrap())
            .collect();

        contents.join("\n---\n")
    }

    fn scrub_path<P: AsRef<Path>>(x: &str, p: P) -> String {
        let path0 = fs::canonicalize(&p)
            .unwrap()
            .into_os_string()
            .into_string()
            .unwrap();

        let path1 = p.as_ref().as_os_str().to_os_string().into_string().unwrap();

        x.replace(&path0, "$PATH").replace(&path1, "$PATH")
    }

    fn repo_root() -> PathBuf {
        PathBuf::from(env!("CARGO_MANIFEST_DIR")).join("../..")
    }
}