Skip to content

Commit cbc8105

Browse files
authored
Merge pull request #1887 from klensy/clippy-list
collector: beautify warning when include\exclude filters wrong
2 parents a8651d5 + 4c1e237 commit cbc8105

File tree

6 files changed

+122
-100
lines changed

6 files changed

+122
-100
lines changed

collector/benchlib/src/benchmark.rs

+54-27
Original file line numberDiff line numberDiff line change
@@ -83,9 +83,7 @@ impl<'a> BenchmarkGroup<'a> {
8383
let mut items: Vec<(&'static str, BenchmarkProfileFns)> = self
8484
.benchmarks
8585
.into_iter()
86-
.filter(|(name, _)| {
87-
passes_filter(name, args.exclude.as_deref(), args.include.as_deref())
88-
})
86+
.filter(|(name, _)| passes_filter(name, &args.exclude, &args.include))
8987
.collect();
9088
items.sort_unstable_by_key(|item| item.0);
9189

@@ -144,16 +142,21 @@ impl<'a> BenchmarkGroup<'a> {
144142

145143
/// Tests if the name of the benchmark passes through the include and exclude filters.
146144
/// Both filters can contain multiple comma-separated prefixes.
147-
pub fn passes_filter(name: &str, exclude: Option<&str>, include: Option<&str>) -> bool {
145+
pub fn passes_filter(name: &str, exclude: &[String], include: &[String]) -> bool {
148146
match (exclude, include) {
149-
(Some(exclude), Some(include)) => {
150-
let included = include.split(',').any(|filter| name.starts_with(filter));
151-
let excluded = exclude.split(',').any(|filter| name.starts_with(filter));
147+
(exclude, include) if !exclude.is_empty() && !include.is_empty() => {
148+
let included = include.iter().any(|filter| name.starts_with(filter));
149+
let excluded = exclude.iter().any(|filter| name.starts_with(filter));
152150
included && !excluded
153151
}
154-
(None, Some(include)) => include.split(',').any(|filter| name.starts_with(filter)),
155-
(Some(exclude), None) => !exclude.split(',').any(|filter| name.starts_with(filter)),
156-
(None, None) => true,
152+
([], include) if !include.is_empty() => {
153+
include.iter().any(|filter| name.starts_with(filter))
154+
}
155+
(exclude, []) if !exclude.is_empty() => {
156+
!exclude.iter().any(|filter| name.starts_with(filter))
157+
}
158+
([], []) => true,
159+
(_, _) => unreachable!(),
157160
}
158161
}
159162

@@ -172,34 +175,58 @@ mod tests {
172175

173176
#[test]
174177
fn test_passes_filter_no_filter() {
175-
assert!(passes_filter("foo", None, None));
178+
assert!(passes_filter("foo", &[], &[]));
176179
}
177180

178181
#[test]
179182
fn test_passes_filter_include() {
180-
assert!(!passes_filter("foo", None, Some("bar")));
181-
assert!(!passes_filter("foo", None, Some("foobar")));
182-
183-
assert!(passes_filter("foo", None, Some("f")));
184-
assert!(passes_filter("foo", None, Some("foo")));
185-
assert!(passes_filter("foo", None, Some("bar,baz,foo")));
183+
assert!(!passes_filter("foo", &[], &["bar".to_string()]));
184+
assert!(!passes_filter("foo", &[], &["foobar".to_string()]));
185+
186+
assert!(passes_filter("foo", &[], &["f".to_string()]));
187+
assert!(passes_filter("foo", &[], &["foo".to_string()]));
188+
assert!(passes_filter(
189+
"foo",
190+
&[],
191+
&["bar".to_string(), "baz".to_string(), "foo".to_string()]
192+
));
186193
}
187194

188195
#[test]
189196
fn test_passes_filter_exclude() {
190-
assert!(passes_filter("foo", Some("bar"), None));
191-
assert!(passes_filter("foo", Some("foobar"), None));
192-
193-
assert!(!passes_filter("foo", Some("f"), None));
194-
assert!(!passes_filter("foo", Some("foo"), None));
195-
assert!(!passes_filter("foo", Some("bar,baz,foo"), None));
197+
assert!(passes_filter("foo", &["bar".to_string()], &[]));
198+
assert!(passes_filter("foo", &["foobar".to_string()], &[]));
199+
200+
assert!(!passes_filter("foo", &["f".to_string()], &[]));
201+
assert!(!passes_filter("foo", &["foo".to_string()], &[]));
202+
assert!(!passes_filter(
203+
"foo",
204+
&["bar".to_string(), "baz".to_string(), "foo".to_string()],
205+
&[]
206+
));
196207
}
197208

198209
#[test]
199210
fn test_passes_filter_include_exclude() {
200-
assert!(!passes_filter("foo", Some("bar"), Some("baz")));
201-
assert!(passes_filter("foo", Some("bar"), Some("foo")));
202-
assert!(!passes_filter("foo", Some("foo"), Some("bar")));
203-
assert!(!passes_filter("foo", Some("foo"), Some("foo")));
211+
assert!(!passes_filter(
212+
"foo",
213+
&["bar".to_string()],
214+
&["baz".to_string()]
215+
));
216+
assert!(passes_filter(
217+
"foo",
218+
&["bar".to_string()],
219+
&["foo".to_string()]
220+
));
221+
assert!(!passes_filter(
222+
"foo",
223+
&["foo".to_string()],
224+
&["bar".to_string()]
225+
));
226+
assert!(!passes_filter(
227+
"foo",
228+
&["foo".to_string()],
229+
&["foo".to_string()]
230+
));
204231
}
205232
}

collector/benchlib/src/cli.rs

+4-4
Original file line numberDiff line numberDiff line change
@@ -17,12 +17,12 @@ pub struct BenchmarkArgs {
1717
pub iterations: u32,
1818

1919
/// Exclude all benchmarks matching a prefix in this comma-separated list
20-
#[arg(long)]
21-
pub exclude: Option<String>,
20+
#[arg(long, value_delimiter = ',')]
21+
pub exclude: Vec<String>,
2222

2323
/// Include only benchmarks matching a prefix in this comma-separated list
24-
#[arg(long)]
25-
pub include: Option<String>,
24+
#[arg(long, value_delimiter = ',')]
25+
pub include: Vec<String>,
2626
}
2727

2828
#[derive(clap::Parser, Debug)]

collector/src/bin/collector.rs

+29-19
Original file line numberDiff line numberDiff line change
@@ -312,16 +312,16 @@ struct LocalOptions {
312312
cargo: Option<PathBuf>,
313313

314314
/// Exclude all benchmarks matching a prefix in this comma-separated list
315-
#[arg(long)]
316-
exclude: Option<String>,
315+
#[arg(long, value_delimiter = ',')]
316+
exclude: Vec<String>,
317317

318318
/// Exclude all benchmarks matching a suffix in this comma-separated list
319-
#[arg(long)]
320-
exclude_suffix: Option<String>,
319+
#[arg(long, value_delimiter = ',')]
320+
exclude_suffix: Vec<String>,
321321

322322
/// Include only benchmarks matching a prefix in this comma-separated list
323-
#[arg(long)]
324-
include: Option<String>,
323+
#[arg(long, value_delimiter = ',')]
324+
include: Vec<String>,
325325

326326
/// Include only benchmarks belonging to the given categories.
327327
#[arg(long, value_parser = EnumArgParser::<Category>::default(), default_value = "Primary,Secondary")]
@@ -689,9 +689,9 @@ fn main_result() -> anyhow::Result<i32> {
689689
};
690690
let benchmarks = get_compile_benchmarks(
691691
&compile_benchmark_dir,
692-
local.include.as_deref(),
693-
local.exclude.as_deref(),
694-
local.exclude_suffix.as_deref(),
692+
&local.include,
693+
&local.exclude,
694+
&local.exclude_suffix,
695695
)?;
696696
for benchmark in benchmarks {
697697
println!("Stats for benchmark `{}`", benchmark.name);
@@ -901,9 +901,9 @@ fn main_result() -> anyhow::Result<i32> {
901901

902902
let mut benchmarks = get_compile_benchmarks(
903903
&compile_benchmark_dir,
904-
local.include.as_deref(),
905-
local.exclude.as_deref(),
906-
local.exclude_suffix.as_deref(),
904+
&local.include,
905+
&local.exclude,
906+
&local.exclude_suffix,
907907
)?;
908908
benchmarks.retain(|b| local.category.0.contains(&b.category()));
909909

@@ -978,6 +978,16 @@ fn main_result() -> anyhow::Result<i32> {
978978
exclude,
979979
runs,
980980
} => {
981+
// FIXME: remove this when/if NextArtifact::Commit's include/exclude
982+
// changed from Option<String> to Vec<String>
983+
// to not to manually parse args
984+
let split_args = |l: Option<String>| -> Vec<String> {
985+
if let Some(l) = l {
986+
l.split(',').map(|arg| arg.trim().to_owned()).collect()
987+
} else {
988+
vec![]
989+
}
990+
};
981991
let sha = commit.sha.to_string();
982992
let sysroot = Sysroot::install(
983993
sha.clone(),
@@ -988,9 +998,9 @@ fn main_result() -> anyhow::Result<i32> {
988998

989999
let mut benchmarks = get_compile_benchmarks(
9901000
&compile_benchmark_dir,
991-
include.as_deref(),
992-
exclude.as_deref(),
993-
None,
1001+
&split_args(include),
1002+
&split_args(exclude),
1003+
&[],
9941004
)?;
9951005
benchmarks.retain(|b| b.category().is_primary_or_secondary());
9961006

@@ -1085,9 +1095,9 @@ fn main_result() -> anyhow::Result<i32> {
10851095

10861096
let mut benchmarks = get_compile_benchmarks(
10871097
&compile_benchmark_dir,
1088-
local.include.as_deref(),
1089-
local.exclude.as_deref(),
1090-
local.exclude_suffix.as_deref(),
1098+
&local.include,
1099+
&local.exclude,
1100+
&local.exclude_suffix,
10911101
)?;
10921102
benchmarks.retain(|b| local.category.0.contains(&b.category()));
10931103

@@ -1569,7 +1579,7 @@ fn bench_published_artifact(
15691579
};
15701580

15711581
// Exclude benchmarks that don't work with a stable compiler.
1572-
let mut compile_benchmarks = get_compile_benchmarks(dirs.compile, None, None, None)?;
1582+
let mut compile_benchmarks = get_compile_benchmarks(dirs.compile, &[], &[], &[])?;
15731583
compile_benchmarks.retain(|b| b.category().is_stable());
15741584

15751585
let runtime_suite = rt.block_on(load_runtime_benchmarks(

collector/src/compile/benchmark/mod.rs

+21-27
Original file line numberDiff line numberDiff line change
@@ -440,9 +440,9 @@ pub fn compile_benchmark_dir() -> PathBuf {
440440

441441
pub fn get_compile_benchmarks(
442442
benchmark_dir: &Path,
443-
include: Option<&str>,
444-
exclude: Option<&str>,
445-
exclude_suffix: Option<&str>,
443+
include: &[String],
444+
exclude: &[String],
445+
exclude_suffix: &[String],
446446
) -> anyhow::Result<Vec<Benchmark>> {
447447
let mut benchmarks = Vec::new();
448448

@@ -467,33 +467,29 @@ pub fn get_compile_benchmarks(
467467

468468
// For each --include/--exclude entry, we count how many times it's used,
469469
// to enable `check_for_unused` below.
470-
fn to_hashmap(xyz: Option<&str>) -> Option<HashMap<&str, usize>> {
471-
xyz.map(|list| {
472-
list.split(',')
473-
.map(|x| (x, 0))
474-
.collect::<HashMap<&str, usize>>()
475-
})
470+
fn to_hashmap(xyz: &[String]) -> HashMap<&str, usize> {
471+
xyz.iter().map(|x| (x.as_ref(), 0)).collect()
476472
}
477473

478474
let mut includes = to_hashmap(include);
479475
let mut excludes = to_hashmap(exclude);
480476
let mut exclude_suffixes = to_hashmap(exclude_suffix);
481477

482-
for (path, name) in paths {
478+
for (path, name) in paths.clone() {
483479
let mut skip = false;
484480

485481
let name_matches_prefix = |prefixes: &mut HashMap<&str, usize>| {
486482
substring_matches(prefixes, |prefix| name.starts_with(prefix))
487483
};
488484

489-
if let Some(includes) = includes.as_mut() {
490-
skip |= !name_matches_prefix(includes);
485+
if !includes.is_empty() {
486+
skip |= !name_matches_prefix(&mut includes);
491487
}
492-
if let Some(excludes) = excludes.as_mut() {
493-
skip |= name_matches_prefix(excludes);
488+
if !excludes.is_empty() {
489+
skip |= name_matches_prefix(&mut excludes);
494490
}
495-
if let Some(exclude_suffixes) = exclude_suffixes.as_mut() {
496-
skip |= substring_matches(exclude_suffixes, |suffix| name.ends_with(suffix));
491+
if !exclude_suffixes.is_empty() {
492+
skip |= substring_matches(&mut exclude_suffixes, |suffix| name.ends_with(suffix));
497493
}
498494
if skip {
499495
continue;
@@ -504,17 +500,19 @@ pub fn get_compile_benchmarks(
504500
}
505501

506502
// All prefixes/suffixes must be used at least once. This is to catch typos.
507-
let check_for_unused = |option, substrings: Option<HashMap<&str, usize>>| {
508-
if let Some(substrings) = substrings {
503+
let check_for_unused = |option, substrings: HashMap<&str, usize>| {
504+
if !substrings.is_empty() {
509505
let unused: Vec<_> = substrings
510506
.into_iter()
511507
.filter_map(|(i, n)| if n == 0 { Some(i) } else { None })
512508
.collect();
513509
if !unused.is_empty() {
514510
bail!(
515-
"Warning: one or more unused --{} entries: {:?}",
511+
r#"Warning: one or more unused --{} entries: {:?} found.
512+
Expected zero or more entries or substrings from list: {:?}."#,
516513
option,
517-
unused
514+
unused,
515+
&paths.iter().map(|(_, name)| name).collect::<Vec<_>>(),
518516
);
519517
}
520518
}
@@ -560,13 +558,9 @@ mod tests {
560558
// Check that we can deserialize all perf-config.json files in the compile benchmark
561559
// directory.
562560
let root = env!("CARGO_MANIFEST_DIR");
563-
let benchmarks = get_compile_benchmarks(
564-
&Path::new(root).join("compile-benchmarks"),
565-
None,
566-
None,
567-
None,
568-
)
569-
.unwrap();
561+
let benchmarks =
562+
get_compile_benchmarks(&Path::new(root).join("compile-benchmarks"), &[], &[], &[])
563+
.unwrap();
570564
assert!(!benchmarks.is_empty());
571565
}
572566
}

collector/src/runtime/benchmark.rs

+10-19
Original file line numberDiff line numberDiff line change
@@ -54,13 +54,10 @@ impl BenchmarkSuite {
5454
groups: groups
5555
.into_iter()
5656
.filter(|group| {
57-
group.benchmark_names.iter().any(|benchmark| {
58-
passes_filter(
59-
benchmark,
60-
filter.exclude.as_deref(),
61-
filter.include.as_deref(),
62-
)
63-
})
57+
group
58+
.benchmark_names
59+
.iter()
60+
.any(|benchmark| passes_filter(benchmark, &filter.exclude, &filter.include))
6461
})
6562
.collect(),
6663
_tmp_artifacts_dir,
@@ -69,13 +66,7 @@ impl BenchmarkSuite {
6966

7067
pub fn filtered_benchmark_count(&self, filter: &BenchmarkFilter) -> u64 {
7168
self.benchmark_names()
72-
.filter(|benchmark| {
73-
passes_filter(
74-
benchmark,
75-
filter.exclude.as_deref(),
76-
filter.include.as_deref(),
77-
)
78-
})
69+
.filter(|benchmark| passes_filter(benchmark, &filter.exclude, &filter.include))
7970
.count() as u64
8071
}
8172

@@ -96,19 +87,19 @@ impl BenchmarkSuite {
9687
}
9788

9889
pub struct BenchmarkFilter {
99-
pub exclude: Option<String>,
100-
pub include: Option<String>,
90+
pub exclude: Vec<String>,
91+
pub include: Vec<String>,
10192
}
10293

10394
impl BenchmarkFilter {
10495
pub fn keep_all() -> Self {
10596
Self {
106-
exclude: None,
107-
include: None,
97+
exclude: vec![],
98+
include: vec![],
10899
}
109100
}
110101

111-
pub fn new(exclude: Option<String>, include: Option<String>) -> Self {
102+
pub fn new(exclude: Vec<String>, include: Vec<String>) -> Self {
112103
Self { exclude, include }
113104
}
114105
}

0 commit comments

Comments
 (0)