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
use crate::{
errors::{ConfigParseError, ProfileNotFound},
reporter::{StatusLevel, TestOutputDisplay},
};
use camino::{Utf8Path, Utf8PathBuf};
use config::{Config, File, FileFormat};
use serde::Deserialize;
use std::{collections::HashMap, time::Duration};
#[derive(Clone, Debug)]
pub struct NextestConfig {
workspace_root: Utf8PathBuf,
inner: NextestConfigImpl,
}
impl NextestConfig {
pub const CONFIG_PATH: &'static str = ".config/nextest.toml";
#[doc = include_str ! ("../default-config.toml")]
pub const DEFAULT_CONFIG: &'static str = include_str!("../default-config.toml");
pub const ENVIRONMENT_PREFIX: &'static str = "NEXTEST";
pub const DEFAULT_PROFILE: &'static str = "default";
pub fn from_sources(
workspace_root: impl Into<Utf8PathBuf>,
config_file: Option<&Utf8Path>,
) -> Result<Self, ConfigParseError> {
let workspace_root = workspace_root.into();
let (config_file, config) = Self::read_from_sources(&workspace_root, config_file)?;
let inner = config
.try_into()
.map_err(|err| ConfigParseError::new(config_file, err))?;
Ok(Self {
workspace_root,
inner,
})
}
pub fn default_config(workspace_root: impl Into<Utf8PathBuf>) -> Self {
let config = Self::make_default_config();
let inner = config.try_into().expect("default config is always valid");
Self {
workspace_root: workspace_root.into(),
inner,
}
}
pub fn profile(&self, name: impl AsRef<str>) -> Result<NextestProfile<'_>, ProfileNotFound> {
self.make_profile(name.as_ref())
}
fn read_from_sources(
workspace_root: &Utf8Path,
file: Option<&Utf8Path>,
) -> Result<(Utf8PathBuf, Config), ConfigParseError> {
let mut config = Self::make_default_config();
let config_path = match file {
Some(file) => {
config
.merge(File::new(file.as_str(), FileFormat::Toml))
.map_err(|err| ConfigParseError::new(file, err))?;
file.to_owned()
}
None => {
let config_path = workspace_root.join(Self::CONFIG_PATH);
config
.merge(File::new(config_path.as_str(), FileFormat::Toml).required(false))
.map_err(|err| ConfigParseError::new(config_path.clone(), err))?;
config_path
}
};
Ok((config_path, config))
}
fn make_default_config() -> Config {
Config::new()
.with_merged(File::from_str(Self::DEFAULT_CONFIG, FileFormat::Toml))
.expect("default config is valid")
}
fn make_profile(&self, name: &str) -> Result<NextestProfile<'_>, ProfileNotFound> {
let custom_profile = self.inner.profiles.get(name)?;
let mut store_dir = self.workspace_root.join(&self.inner.store.dir);
store_dir.push(name);
Ok(NextestProfile {
store_dir,
default_profile: &self.inner.profiles.default,
custom_profile,
})
}
}
#[derive(Clone, Debug)]
pub struct NextestProfile<'cfg> {
store_dir: Utf8PathBuf,
default_profile: &'cfg DefaultProfileImpl,
custom_profile: Option<&'cfg CustomProfileImpl>,
}
impl<'cfg> NextestProfile<'cfg> {
pub fn store_dir(&self) -> &Utf8Path {
&self.store_dir
}
pub fn retries(&self) -> usize {
self.custom_profile
.map(|profile| profile.retries)
.flatten()
.unwrap_or(self.default_profile.retries)
}
pub fn slow_timeout(&self) -> Duration {
self.custom_profile
.map(|profile| profile.slow_timeout)
.flatten()
.unwrap_or(self.default_profile.slow_timeout)
}
pub fn status_level(&self) -> StatusLevel {
self.custom_profile
.map(|profile| profile.status_level)
.flatten()
.unwrap_or(self.default_profile.status_level)
}
pub fn failure_output(&self) -> TestOutputDisplay {
self.custom_profile
.map(|profile| profile.failure_output)
.flatten()
.unwrap_or(self.default_profile.failure_output)
}
pub fn success_output(&self) -> TestOutputDisplay {
self.custom_profile
.map(|profile| profile.success_output)
.flatten()
.unwrap_or(self.default_profile.success_output)
}
pub fn fail_fast(&self) -> bool {
self.custom_profile
.map(|profile| profile.fail_fast)
.flatten()
.unwrap_or(self.default_profile.fail_fast)
}
pub fn junit(&self) -> Option<NextestJunitConfig<'cfg>> {
let path = self
.custom_profile
.map(|profile| &profile.junit.path)
.unwrap_or(&self.default_profile.junit.path)
.as_deref();
path.map(|path| {
let path = self.store_dir.join(path);
let report_name = self
.custom_profile
.map(|profile| profile.junit.report_name.as_deref())
.flatten()
.unwrap_or(&self.default_profile.junit.report_name);
NextestJunitConfig { path, report_name }
})
}
}
#[derive(Clone, Debug)]
pub struct NextestJunitConfig<'cfg> {
path: Utf8PathBuf,
report_name: &'cfg str,
}
impl<'cfg> NextestJunitConfig<'cfg> {
pub fn path(&self) -> &Utf8Path {
&self.path
}
pub fn report_name(&self) -> &'cfg str {
self.report_name
}
}
#[derive(Clone, Debug, Deserialize)]
#[serde(rename_all = "kebab-case")]
struct NextestConfigImpl {
store: StoreConfigImpl,
#[serde(rename = "profile")]
profiles: NextestProfilesImpl,
}
#[derive(Clone, Debug, Deserialize)]
#[serde(rename_all = "kebab-case")]
struct StoreConfigImpl {
dir: Utf8PathBuf,
}
#[derive(Clone, Debug, Deserialize)]
#[serde(rename_all = "kebab-case")]
struct NextestProfilesImpl {
default: DefaultProfileImpl,
#[serde(flatten)]
other: HashMap<String, CustomProfileImpl>,
}
impl NextestProfilesImpl {
fn get(&self, profile: &str) -> Result<Option<&CustomProfileImpl>, ProfileNotFound> {
let custom_profile = match profile {
NextestConfig::DEFAULT_PROFILE => None,
other => Some(
self.other
.get(other)
.ok_or_else(|| ProfileNotFound::new(profile, self.all_profiles()))?,
),
};
Ok(custom_profile)
}
fn all_profiles(&self) -> impl Iterator<Item = &str> {
self.other
.keys()
.map(|key| key.as_str())
.chain(std::iter::once(NextestConfig::DEFAULT_PROFILE))
}
}
#[derive(Clone, Debug, Deserialize)]
#[serde(rename_all = "kebab-case")]
struct DefaultProfileImpl {
retries: usize,
status_level: StatusLevel,
failure_output: TestOutputDisplay,
success_output: TestOutputDisplay,
fail_fast: bool,
#[serde(with = "humantime_serde")]
slow_timeout: Duration,
junit: DefaultJunitImpl,
}
#[derive(Clone, Debug, Deserialize)]
#[serde(rename_all = "kebab-case")]
struct DefaultJunitImpl {
#[serde(default)]
path: Option<Utf8PathBuf>,
report_name: String,
}
#[derive(Clone, Debug, Deserialize)]
#[serde(rename_all = "kebab-case")]
struct CustomProfileImpl {
#[serde(default)]
retries: Option<usize>,
#[serde(default)]
status_level: Option<StatusLevel>,
#[serde(default)]
failure_output: Option<TestOutputDisplay>,
#[serde(default)]
success_output: Option<TestOutputDisplay>,
#[serde(default)]
fail_fast: Option<bool>,
#[serde(with = "humantime_serde")]
#[serde(default)]
slow_timeout: Option<Duration>,
#[serde(default)]
junit: JunitImpl,
}
#[derive(Clone, Debug, Default, Deserialize)]
#[serde(rename_all = "kebab-case")]
struct JunitImpl {
#[serde(default)]
path: Option<Utf8PathBuf>,
report_name: Option<String>,
}
#[cfg(test)]
mod tests {
use super::*;
#[test]
fn default_config_is_valid() {
let default_config = NextestConfig::default_config("foo");
default_config
.profile(NextestConfig::DEFAULT_PROFILE)
.expect("default profile should exist");
}
}