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
mod output_format;
pub use output_format::*;
use crate::{
errors::{FromMessagesError, ParseTestListError, WriteTestListError},
helpers::write_test_name,
test_filter::TestFilterBuilder,
};
use camino::{Utf8Path, Utf8PathBuf};
use cargo_metadata::Message;
use duct::{cmd, Expression};
use guppy::{
graph::{PackageGraph, PackageMetadata},
PackageId,
};
use nextest_metadata::{RustTestCaseSummary, RustTestSuiteSummary, TestListSummary};
use once_cell::sync::OnceCell;
use owo_colors::{OwoColorize, Style};
use std::{collections::BTreeMap, io, io::Write, path::Path};
#[derive(Clone, Debug)]
pub struct RustTestArtifact<'g> {
pub binary_id: String,
pub package: PackageMetadata<'g>,
pub binary_path: Utf8PathBuf,
pub binary_name: String,
pub cwd: Utf8PathBuf,
}
impl<'g> RustTestArtifact<'g> {
pub fn from_messages(
graph: &'g PackageGraph,
reader: impl io::BufRead,
) -> Result<Vec<Self>, FromMessagesError> {
let mut binaries = vec![];
for message in Message::parse_stream(reader) {
let message = message.map_err(FromMessagesError::ReadMessages)?;
match message {
Message::CompilerArtifact(artifact) if artifact.profile.test => {
if let Some(binary) = artifact.executable {
let package_id = PackageId::new(artifact.package_id.repr);
let package = graph
.metadata(&package_id)
.map_err(FromMessagesError::PackageGraph)?;
let cwd = package
.manifest_path()
.parent()
.unwrap_or_else(|| {
panic!(
"manifest path {} doesn't have a parent",
package.manifest_path()
)
})
.to_path_buf();
let mut binary_id = package.name().to_owned();
if artifact.target.name != package.name() {
binary_id.push_str("::");
binary_id.push_str(&artifact.target.name);
}
binaries.push(RustTestArtifact {
binary_id,
package,
binary_path: binary,
binary_name: artifact.target.name,
cwd,
})
}
}
_ => {
}
}
}
Ok(binaries)
}
}
#[derive(Clone, Debug)]
pub struct TestList<'g> {
test_count: usize,
rust_suites: BTreeMap<Utf8PathBuf, RustTestSuite<'g>>,
styles: Box<Styles>,
skip_count: OnceCell<usize>,
}
#[derive(Clone, Debug, Eq, PartialEq)]
pub struct RustTestSuite<'g> {
pub binary_id: String,
pub package: PackageMetadata<'g>,
pub binary_name: String,
pub cwd: Utf8PathBuf,
pub testcases: BTreeMap<String, RustTestCaseSummary>,
}
impl<'g> TestList<'g> {
pub fn new(
test_artifacts: impl IntoIterator<Item = RustTestArtifact<'g>>,
filter: &TestFilterBuilder,
) -> Result<Self, ParseTestListError> {
let mut test_count = 0;
let test_artifacts = test_artifacts
.into_iter()
.map(|test_binary| {
let (non_ignored, ignored) = test_binary.exec()?;
let (bin, info) = Self::process_output(
test_binary,
filter,
non_ignored.as_str(),
ignored.as_str(),
)?;
test_count += info.testcases.len();
Ok((bin, info))
})
.collect::<Result<BTreeMap<_, _>, _>>()?;
Ok(Self {
rust_suites: test_artifacts,
test_count,
styles: Box::new(Styles::default()),
skip_count: OnceCell::new(),
})
}
pub fn new_with_outputs(
test_bin_outputs: impl IntoIterator<
Item = (RustTestArtifact<'g>, impl AsRef<str>, impl AsRef<str>),
>,
filter: &TestFilterBuilder,
) -> Result<Self, ParseTestListError> {
let mut test_count = 0;
let test_artifacts = test_bin_outputs
.into_iter()
.map(|(test_binary, non_ignored, ignored)| {
let (bin, info) = Self::process_output(
test_binary,
filter,
non_ignored.as_ref(),
ignored.as_ref(),
)?;
test_count += info.testcases.len();
Ok((bin, info))
})
.collect::<Result<BTreeMap<_, _>, _>>()?;
Ok(Self {
rust_suites: test_artifacts,
test_count,
styles: Box::new(Styles::default()),
skip_count: OnceCell::new(),
})
}
pub fn colorize(&mut self) {
self.styles.colorize();
}
pub fn test_count(&self) -> usize {
self.test_count
}
pub fn skip_count(&self) -> usize {
*self.skip_count.get_or_init(|| {
self.iter_tests()
.filter(|instance| !instance.test_info.filter_match.is_match())
.count()
})
}
pub fn run_count(&self) -> usize {
self.test_count - self.skip_count()
}
pub fn binary_count(&self) -> usize {
self.rust_suites.len()
}
pub fn get(&self, test_bin: impl AsRef<Utf8Path>) -> Option<&RustTestSuite> {
self.rust_suites.get(test_bin.as_ref())
}
pub fn to_summary(&self) -> TestListSummary {
let rust_suites = self
.rust_suites
.iter()
.map(|(binary_path, info)| {
let testsuite = RustTestSuiteSummary {
package_name: info.package.name().to_owned(),
binary_name: info.binary_name.clone(),
package_id: info.package.id().repr().to_owned(),
binary_path: binary_path.clone(),
cwd: info.cwd.clone(),
testcases: info.testcases.clone(),
};
(info.binary_id.clone(), testsuite)
})
.collect();
let mut summary = TestListSummary::default();
summary.test_count = self.test_count;
summary.rust_suites = rust_suites;
summary
}
pub fn write(
&self,
output_format: OutputFormat,
writer: impl Write,
) -> Result<(), WriteTestListError> {
match output_format {
OutputFormat::Plain => self.write_plain(writer).map_err(WriteTestListError::Io),
OutputFormat::Serializable(format) => format
.to_writer(&self.to_summary(), writer)
.map_err(WriteTestListError::Json),
}
}
pub fn iter(&self) -> impl Iterator<Item = (&Utf8Path, &RustTestSuite)> + '_ {
self.rust_suites
.iter()
.map(|(path, info)| (path.as_path(), info))
}
pub fn iter_tests(&self) -> impl Iterator<Item = TestInstance<'_>> + '_ {
self.rust_suites.iter().flat_map(|(test_bin, bin_info)| {
bin_info.testcases.iter().map(move |(name, test_info)| {
TestInstance::new(name, test_bin, bin_info, test_info)
})
})
}
pub fn to_string(&self, output_format: OutputFormat) -> Result<String, WriteTestListError> {
let mut buf = Vec::with_capacity(1024);
self.write(output_format, &mut buf)?;
Ok(String::from_utf8(buf).expect("buffer is valid UTF-8"))
}
#[cfg(test)]
pub(crate) fn empty() -> Self {
Self {
test_count: 0,
rust_suites: BTreeMap::new(),
styles: Box::new(Styles::default()),
skip_count: OnceCell::new(),
}
}
fn process_output(
test_binary: RustTestArtifact<'g>,
filter: &TestFilterBuilder,
non_ignored: impl AsRef<str>,
ignored: impl AsRef<str>,
) -> Result<(Utf8PathBuf, RustTestSuite<'g>), ParseTestListError> {
let mut tests = BTreeMap::new();
let mut non_ignored_filter = filter.build();
for test_name in Self::parse(non_ignored.as_ref())? {
tests.insert(
test_name.into(),
RustTestCaseSummary {
ignored: false,
filter_match: non_ignored_filter.filter_match(test_name, false),
},
);
}
let mut ignored_filter = filter.build();
for test_name in Self::parse(ignored.as_ref())? {
tests.insert(
test_name.into(),
RustTestCaseSummary {
ignored: true,
filter_match: ignored_filter.filter_match(test_name, true),
},
);
}
let RustTestArtifact {
binary_id,
package,
binary_path,
binary_name,
cwd,
} = test_binary;
Ok((
binary_path,
RustTestSuite {
binary_id,
package,
binary_name,
testcases: tests,
cwd,
},
))
}
fn parse(list_output: &str) -> Result<Vec<&'_ str>, ParseTestListError> {
let mut list = Self::parse_impl(list_output).collect::<Result<Vec<_>, _>>()?;
list.sort_unstable();
Ok(list)
}
fn parse_impl(
list_output: &str,
) -> impl Iterator<Item = Result<&'_ str, ParseTestListError>> + '_ {
list_output.lines().map(move |line| {
line.strip_suffix(": test").ok_or_else(|| {
ParseTestListError::parse_line(
format!("line '{}' did not end with the string ': test'", line),
list_output,
)
})
})
}
fn write_plain(&self, mut writer: impl Write) -> io::Result<()> {
for (test_bin, info) in &self.rust_suites {
writeln!(writer, "{}:", info.binary_id.style(self.styles.binary_id))?;
writeln!(writer, " {} {}", "bin:".style(self.styles.field), test_bin)?;
writeln!(writer, " {} {}", "cwd:".style(self.styles.field), info.cwd)?;
let mut indented = indent_write::io::IndentWriter::new(" ", &mut writer);
for (name, info) in &info.testcases {
write_test_name(name, self.styles.test_name, &mut indented)?;
if !info.filter_match.is_match() {
write!(indented, " (skipped)")?;
}
writeln!(indented)?;
}
}
Ok(())
}
}
impl<'g> RustTestArtifact<'g> {
fn exec(&self) -> Result<(String, String), ParseTestListError> {
let non_ignored = self.exec_single(false)?;
let ignored = self.exec_single(true)?;
Ok((non_ignored, ignored))
}
fn exec_single(&self, ignored: bool) -> Result<String, ParseTestListError> {
let mut argv = vec!["--list", "--format", "terse"];
if ignored {
argv.push("--ignored");
}
let cmd = cmd(AsRef::<Path>::as_ref(&self.binary_path), argv)
.dir(&self.cwd)
.stdout_capture();
cmd.read().map_err(|error| {
ParseTestListError::command(
format!(
"'{} --list --format --terse{}'",
self.binary_path,
if ignored { " --ignored" } else { "" }
),
error,
)
})
}
}
#[derive(Clone, Copy, Debug, Eq, PartialEq)]
pub struct TestInstance<'a> {
pub name: &'a str,
pub binary: &'a Utf8Path,
pub bin_info: &'a RustTestSuite<'a>,
pub test_info: &'a RustTestCaseSummary,
}
impl<'a> TestInstance<'a> {
pub(crate) fn new(
name: &'a (impl AsRef<str> + ?Sized),
binary: &'a (impl AsRef<Utf8Path> + ?Sized),
bin_info: &'a RustTestSuite,
test_info: &'a RustTestCaseSummary,
) -> Self {
Self {
name: name.as_ref(),
binary: binary.as_ref(),
bin_info,
test_info,
}
}
pub(crate) fn make_expression(&self) -> Expression {
let mut args = vec!["--exact", self.name, "--nocapture"];
if self.test_info.ignored {
args.push("--ignored");
}
let package = self.bin_info.package;
let cmd = cmd(AsRef::<Path>::as_ref(self.binary), args)
.dir(&self.bin_info.cwd)
.env(
"CARGO_MANIFEST_DIR",
package.manifest_path().parent().unwrap(),
)
.env("CARGO_PKG_VERSION", format!("{}", package.version()))
.env(
"CARGO_PKG_VERSION_MAJOR",
format!("{}", package.version().major),
)
.env(
"CARGO_PKG_VERSION_MINOR",
format!("{}", package.version().minor),
)
.env(
"CARGO_PKG_VERSION_PATCH",
format!("{}", package.version().patch),
)
.env(
"CARGO_PKG_VERSION_PRE",
format!("{}", package.version().pre),
)
.env("CARGO_PKG_AUTHORS", package.authors().join(":"))
.env("CARGO_PKG_NAME", package.name())
.env(
"CARGO_PKG_DESCRIPTION",
package.description().unwrap_or_default(),
)
.env("CARGO_PKG_HOMEPAGE", package.homepage().unwrap_or_default())
.env("CARGO_PKG_LICENSE", package.license().unwrap_or_default())
.env(
"CARGO_PKG_LICENSE_FILE",
package.license_file().unwrap_or_else(|| "".as_ref()),
)
.env(
"CARGO_PKG_REPOSITORY",
package.repository().unwrap_or_default(),
);
cmd
}
}
#[derive(Clone, Debug, Default)]
pub(super) struct Styles {
pub(super) binary_id: Style,
pub(super) test_name: Style,
field: Style,
}
impl Styles {
pub(super) fn colorize(&mut self) {
self.binary_id = Style::new().magenta().bold();
self.test_name = Style::new().blue().bold();
self.field = Style::new().yellow().bold();
}
}
#[cfg(test)]
mod tests {
use super::*;
use crate::test_filter::RunIgnored;
use guppy::CargoMetadata;
use indoc::indoc;
use maplit::btreemap;
use nextest_metadata::{FilterMatch, MismatchReason};
use once_cell::sync::Lazy;
use pretty_assertions::assert_eq;
use std::iter;
#[test]
fn test_parse() {
let non_ignored_output = indoc! {"
tests::foo::test_bar: test
tests::baz::test_quux: test
"};
let ignored_output = indoc! {"
tests::ignored::test_bar: test
tests::baz::test_ignored: test
"};
let test_filter = TestFilterBuilder::any(RunIgnored::Default);
let fake_cwd: Utf8PathBuf = "/fake/cwd".into();
let fake_binary_name = "fake-binary".to_owned();
let fake_binary_id = "fake-package::fake-binary".to_owned();
let test_binary = RustTestArtifact {
binary_path: "/fake/binary".into(),
cwd: fake_cwd.clone(),
package: package_metadata(),
binary_name: fake_binary_name.clone(),
binary_id: fake_binary_id.clone(),
};
let test_list = TestList::new_with_outputs(
iter::once((test_binary, &non_ignored_output, &ignored_output)),
&test_filter,
)
.expect("valid output");
assert_eq!(
test_list.rust_suites,
btreemap! {
"/fake/binary".into() => RustTestSuite {
testcases: btreemap! {
"tests::foo::test_bar".to_owned() => RustTestCaseSummary {
ignored: false,
filter_match: FilterMatch::Matches,
},
"tests::baz::test_quux".to_owned() => RustTestCaseSummary {
ignored: false,
filter_match: FilterMatch::Matches,
},
"tests::ignored::test_bar".to_owned() => RustTestCaseSummary {
ignored: true,
filter_match: FilterMatch::Mismatch { reason: MismatchReason::Ignored },
},
"tests::baz::test_ignored".to_owned() => RustTestCaseSummary {
ignored: true,
filter_match: FilterMatch::Mismatch { reason: MismatchReason::Ignored },
},
},
cwd: fake_cwd,
package: package_metadata(),
binary_name: fake_binary_name,
binary_id: fake_binary_id,
}
}
);
static EXPECTED_PLAIN: &str = indoc! {"
fake-package::fake-binary:
bin: /fake/binary
cwd: /fake/cwd
tests::baz::test_ignored (skipped)
tests::baz::test_quux
tests::foo::test_bar
tests::ignored::test_bar (skipped)
"};
static EXPECTED_JSON_PRETTY: &str = indoc! {r#"
{
"test-count": 4,
"rust-suites": {
"fake-package::fake-binary": {
"package-name": "metadata-helper",
"binary-name": "fake-binary",
"package-id": "metadata-helper 0.1.0 (path+file:///Users/fakeuser/local/testcrates/metadata/metadata-helper)",
"binary-path": "/fake/binary",
"cwd": "/fake/cwd",
"testcases": {
"tests::baz::test_ignored": {
"ignored": true,
"filter-match": {
"status": "mismatch",
"reason": "ignored"
}
},
"tests::baz::test_quux": {
"ignored": false,
"filter-match": {
"status": "matches"
}
},
"tests::foo::test_bar": {
"ignored": false,
"filter-match": {
"status": "matches"
}
},
"tests::ignored::test_bar": {
"ignored": true,
"filter-match": {
"status": "mismatch",
"reason": "ignored"
}
}
}
}
}
}"#};
assert_eq!(
test_list
.to_string(OutputFormat::Plain)
.expect("plain succeeded"),
EXPECTED_PLAIN
);
println!(
"{}",
test_list
.to_string(OutputFormat::Serializable(SerializableFormat::JsonPretty))
.expect("json-pretty succeeded")
);
assert_eq!(
test_list
.to_string(OutputFormat::Serializable(SerializableFormat::JsonPretty))
.expect("json-pretty succeeded"),
EXPECTED_JSON_PRETTY
);
}
static PACKAGE_GRAPH_FIXTURE: Lazy<PackageGraph> = Lazy::new(|| {
static FIXTURE_JSON: &str = include_str!("../../fixtures/cargo-metadata.json");
let metadata = CargoMetadata::parse_json(FIXTURE_JSON).expect("fixture is valid JSON");
metadata
.build_graph()
.expect("fixture is valid PackageGraph")
});
static PACKAGE_METADATA_ID: &str = "metadata-helper 0.1.0 (path+file:///Users/fakeuser/local/testcrates/metadata/metadata-helper)";
fn package_metadata() -> PackageMetadata<'static> {
PACKAGE_GRAPH_FIXTURE
.metadata(&PackageId::new(PACKAGE_METADATA_ID))
.expect("package ID is valid")
}
}