]> git.lizzy.rs Git - rust.git/blob - src/config/config_type.rs
Merge pull request #2522 from topecongiro/ignore-config-option
[rust.git] / src / config / config_type.rs
1 // Copyright 2018 The Rust Project Developers. See the COPYRIGHT
2 // file at the top-level directory of this distribution and at
3 // http://rust-lang.org/COPYRIGHT.
4 //
5 // Licensed under the Apache License, Version 2.0 <LICENSE-APACHE or
6 // http://www.apache.org/licenses/LICENSE-2.0> or the MIT license
7 // <LICENSE-MIT or http://opensource.org/licenses/MIT>, at your
8 // option. This file may not be copied, modified, or distributed
9 // except according to those terms.
10
11 use config::file_lines::FileLines;
12 use config::options::{IgnoreList, WidthHeuristics};
13
14 /// Trait for types that can be used in `Config`.
15 pub trait ConfigType: Sized {
16     /// Returns hint text for use in `Config::print_docs()`. For enum types, this is a
17     /// pipe-separated list of variants; for other types it returns "<type>".
18     fn doc_hint() -> String;
19 }
20
21 impl ConfigType for bool {
22     fn doc_hint() -> String {
23         String::from("<boolean>")
24     }
25 }
26
27 impl ConfigType for usize {
28     fn doc_hint() -> String {
29         String::from("<unsigned integer>")
30     }
31 }
32
33 impl ConfigType for isize {
34     fn doc_hint() -> String {
35         String::from("<signed integer>")
36     }
37 }
38
39 impl ConfigType for String {
40     fn doc_hint() -> String {
41         String::from("<string>")
42     }
43 }
44
45 impl ConfigType for FileLines {
46     fn doc_hint() -> String {
47         String::from("<json>")
48     }
49 }
50
51 impl ConfigType for WidthHeuristics {
52     fn doc_hint() -> String {
53         String::new()
54     }
55 }
56
57 impl ConfigType for IgnoreList {
58     fn doc_hint() -> String {
59         String::from("[<string>,..]")
60     }
61 }
62
63 /// Check if we're in a nightly build.
64 ///
65 /// The environment variable `CFG_RELEASE_CHANNEL` is set during the rustc bootstrap
66 /// to "stable", "beta", or "nightly" depending on what toolchain is being built.
67 /// If we are being built as part of the stable or beta toolchains, we want
68 /// to disable unstable configuration options.
69 ///
70 /// If we're being built by cargo (e.g. `cargo +nightly install rustfmt-nightly`),
71 /// `CFG_RELEASE_CHANNEL` is not set. As we only support being built against the
72 /// nightly compiler when installed from crates.io, default to nightly mode.
73 macro_rules! is_nightly_channel {
74     () => {
75         option_env!("CFG_RELEASE_CHANNEL")
76             .map(|c| c == "nightly")
77             .unwrap_or(true)
78     };
79 }
80
81 macro_rules! create_config {
82     ($($i:ident: $ty:ty, $def:expr, $stb:expr, $( $dstring:expr ),+ );+ $(;)*) => (
83         use std::collections::HashSet;
84
85         #[derive(Clone)]
86         pub struct Config {
87             // if a license_template_path has been specified, successfully read, parsed and compiled
88             // into a regex, it will be stored here
89             pub license_template: Option<Regex>,
90             // For each config item, we store a bool indicating whether it has
91             // been accessed and the value, and a bool whether the option was
92             // manually initialised, or taken from the default,
93             $($i: (Cell<bool>, bool, $ty, bool)),+
94         }
95
96         // Just like the Config struct but with each property wrapped
97         // as Option<T>. This is used to parse a rustfmt.toml that doesn't
98         // specify all properties of `Config`.
99         // We first parse into `PartialConfig`, then create a default `Config`
100         // and overwrite the properties with corresponding values from `PartialConfig`.
101         #[derive(Deserialize, Serialize, Clone)]
102         pub struct PartialConfig {
103             $(pub $i: Option<$ty>),+
104         }
105
106         impl PartialConfig {
107             pub fn to_toml(&self) -> Result<String, String> {
108                 // Non-user-facing options can't be specified in TOML
109                 let mut cloned = self.clone();
110                 cloned.file_lines = None;
111                 cloned.verbose = None;
112                 cloned.width_heuristics = None;
113
114                 ::toml::to_string(&cloned)
115                     .map_err(|e| format!("Could not output config: {}", e.to_string()))
116             }
117         }
118
119         // Macro hygiene won't allow us to make `set_$i()` methods on Config
120         // for each item, so this struct is used to give the API to set values:
121         // `config.set().option(false)`. It's pretty ugly. Consider replacing
122         // with `config.set_option(false)` if we ever get a stable/usable
123         // `concat_idents!()`.
124         pub struct ConfigSetter<'a>(&'a mut Config);
125
126         impl<'a> ConfigSetter<'a> {
127             $(
128             pub fn $i(&mut self, value: $ty) {
129                 (self.0).$i.2 = value;
130                 match stringify!($i) {
131                     "use_small_heuristics" => self.0.set_heuristics(),
132                     "license_template_path" => self.0.set_license_template(),
133                     &_ => (),
134                 }
135             }
136             )+
137         }
138
139         // Query each option, returns true if the user set the option, false if
140         // a default was used.
141         pub struct ConfigWasSet<'a>(&'a Config);
142
143         impl<'a> ConfigWasSet<'a> {
144             $(
145             pub fn $i(&self) -> bool {
146                 (self.0).$i.1
147             }
148             )+
149         }
150
151         impl Config {
152             pub fn version_meets_requirement(&self, error_summary: &mut Summary) -> bool {
153                 if self.was_set().required_version() {
154                     let version = env!("CARGO_PKG_VERSION");
155                     let required_version = self.required_version();
156                     if version != required_version {
157                         println!(
158                             "Error: rustfmt version ({}) doesn't match the required version ({})",
159                             version,
160                             required_version,
161                         );
162                         error_summary.add_formatting_error();
163                         return false;
164                     }
165                 }
166
167                 true
168             }
169
170             $(
171             pub fn $i(&self) -> $ty {
172                 self.$i.0.set(true);
173                 self.$i.2.clone()
174             }
175             )+
176
177             pub fn set<'a>(&'a mut self) -> ConfigSetter<'a> {
178                 ConfigSetter(self)
179             }
180
181             pub fn was_set<'a>(&'a self) -> ConfigWasSet<'a> {
182                 ConfigWasSet(self)
183             }
184
185             fn fill_from_parsed_config(mut self, parsed: PartialConfig, dir: &Path) -> Config {
186             $(
187                 if let Some(val) = parsed.$i {
188                     if self.$i.3 {
189                         self.$i.1 = true;
190                         self.$i.2 = val;
191                     } else {
192                         if is_nightly_channel!() {
193                             self.$i.1 = true;
194                             self.$i.2 = val;
195                         } else {
196                             eprintln!("Warning: can't set `{} = {:?}`, unstable features are only \
197                                        available in nightly channel.", stringify!($i), val);
198                         }
199                     }
200                 }
201             )+
202                 self.set_heuristics();
203                 self.set_license_template();
204                 self.set_ignore(dir);
205                 self
206             }
207
208             /// Returns a hash set initialized with every user-facing config option name.
209             pub fn hash_set() -> HashSet<String> {
210                 let mut hash_set = HashSet::new();
211                 $(
212                     hash_set.insert(stringify!($i).to_owned());
213                 )+
214                 hash_set
215             }
216
217             pub fn is_valid_name(name: &str) -> bool {
218                 match name {
219                     $(
220                         stringify!($i) => true,
221                     )+
222                         _ => false,
223                 }
224             }
225
226             pub fn from_toml(toml: &str, dir: &Path) -> Result<Config, String> {
227                 let parsed: ::toml::Value =
228                     toml.parse().map_err(|e| format!("Could not parse TOML: {}", e))?;
229                 let mut err: String = String::new();
230                 {
231                     let table = parsed
232                         .as_table()
233                         .ok_or(String::from("Parsed config was not table"))?;
234                     for key in table.keys() {
235                         if !Config::is_valid_name(key) {
236                             let msg = &format!("Warning: Unknown configuration option `{}`\n", key);
237                             err.push_str(msg)
238                         }
239                     }
240                 }
241                 match parsed.try_into() {
242                     Ok(parsed_config) => {
243                         if !err.is_empty() {
244                             eprint!("{}", err);
245                         }
246                         Ok(Config::default().fill_from_parsed_config(parsed_config, dir: &Path))
247                     }
248                     Err(e) => {
249                         err.push_str("Error: Decoding config file failed:\n");
250                         err.push_str(format!("{}\n", e).as_str());
251                         err.push_str("Please check your config file.");
252                         Err(err)
253                     }
254                 }
255             }
256
257             pub fn used_options(&self) -> PartialConfig {
258                 PartialConfig {
259                     $(
260                         $i: if self.$i.0.get() {
261                                 Some(self.$i.2.clone())
262                             } else {
263                                 None
264                             },
265                     )+
266                 }
267             }
268
269             pub fn all_options(&self) -> PartialConfig {
270                 PartialConfig {
271                     $(
272                         $i: Some(self.$i.2.clone()),
273                     )+
274                 }
275             }
276
277             pub fn override_value(&mut self, key: &str, val: &str)
278             {
279                 match key {
280                     $(
281                         stringify!($i) => {
282                             self.$i.2 = val.parse::<$ty>()
283                                 .expect(&format!("Failed to parse override for {} (\"{}\") as a {}",
284                                                  stringify!($i),
285                                                  val,
286                                                  stringify!($ty)));
287                         }
288                     )+
289                     _ => panic!("Unknown config key in override: {}", key)
290                 }
291
292                 match key {
293                     "use_small_heuristics" => self.set_heuristics(),
294                     "license_template_path" => self.set_license_template(),
295                     &_ => (),
296                 }
297             }
298
299             /// Construct a `Config` from the toml file specified at `file_path`.
300             ///
301             /// This method only looks at the provided path, for a method that
302             /// searches parents for a `rustfmt.toml` see `from_resolved_toml_path`.
303             ///
304             /// Return a `Config` if the config could be read and parsed from
305             /// the file, Error otherwise.
306             pub fn from_toml_path(file_path: &Path) -> Result<Config, Error> {
307                 let mut file = File::open(&file_path)?;
308                 let mut toml = String::new();
309                 file.read_to_string(&mut toml)?;
310                 Config::from_toml(&toml, file_path.parent().unwrap())
311                     .map_err(|err| Error::new(ErrorKind::InvalidData, err))
312             }
313
314             /// Resolve the config for input in `dir`.
315             ///
316             /// Searches for `rustfmt.toml` beginning with `dir`, and
317             /// recursively checking parents of `dir` if no config file is found.
318             /// If no config file exists in `dir` or in any parent, a
319             /// default `Config` will be returned (and the returned path will be empty).
320             ///
321             /// Returns the `Config` to use, and the path of the project file if there was
322             /// one.
323             pub fn from_resolved_toml_path(dir: &Path) -> Result<(Config, Option<PathBuf>), Error> {
324
325                 /// Try to find a project file in the given directory and its parents.
326                 /// Returns the path of a the nearest project file if one exists,
327                 /// or `None` if no project file was found.
328                 fn resolve_project_file(dir: &Path) -> Result<Option<PathBuf>, Error> {
329                     let mut current = if dir.is_relative() {
330                         env::current_dir()?.join(dir)
331                     } else {
332                         dir.to_path_buf()
333                     };
334
335                     current = fs::canonicalize(current)?;
336
337                     loop {
338                         match get_toml_path(&current) {
339                             Ok(Some(path)) => return Ok(Some(path)),
340                             Err(e) => return Err(e),
341                             _ => ()
342                         }
343
344                         // If the current directory has no parent, we're done searching.
345                         if !current.pop() {
346                             return Ok(None);
347                         }
348                     }
349                 }
350
351                 match resolve_project_file(dir)? {
352                     None => Ok((Config::default(), None)),
353                     Some(path) => Config::from_toml_path(&path).map(|config| (config, Some(path))),
354                 }
355             }
356
357             pub fn is_hidden_option(name: &str) -> bool {
358                 const HIDE_OPTIONS: [&str; 3] = ["verbose", "file_lines", "width_heuristics"];
359                 HIDE_OPTIONS.contains(&name)
360             }
361
362             pub fn print_docs() {
363                 use std::cmp;
364                 let max = 0;
365                 $( let max = cmp::max(max, stringify!($i).len()+1); )+
366                 let mut space_str = String::with_capacity(max);
367                 for _ in 0..max {
368                     space_str.push(' ');
369                 }
370                 println!("Configuration Options:");
371                 $(
372                     let name_raw = stringify!($i);
373
374                     if !Config::is_hidden_option(name_raw) {
375                         let mut name_out = String::with_capacity(max);
376                         for _ in name_raw.len()..max-1 {
377                             name_out.push(' ')
378                         }
379                         name_out.push_str(name_raw);
380                         name_out.push(' ');
381                         println!("{}{} Default: {:?}",
382                                 name_out,
383                                 <$ty>::doc_hint(),
384                                 $def);
385                         $(
386                             println!("{}{}", space_str, $dstring);
387                         )+
388                         println!();
389                     }
390                 )+
391             }
392
393             fn set_heuristics(&mut self) {
394                 if self.use_small_heuristics.2 {
395                     let max_width = self.max_width.2;
396                     self.set().width_heuristics(WidthHeuristics::scaled(max_width));
397                 } else {
398                     self.set().width_heuristics(WidthHeuristics::null());
399                 }
400             }
401
402             fn set_license_template(&mut self) {
403                 if self.was_set().license_template_path() {
404                     let lt_path = self.license_template_path();
405                     match license::load_and_compile_template(&lt_path) {
406                         Ok(re) => self.license_template = Some(re),
407                         Err(msg) => eprintln!("Warning for license template file {:?}: {}",
408                                               lt_path, msg),
409                     }
410                 }
411             }
412
413             fn set_ignore(&mut self, dir: &Path) {
414                 self.ignore.2.add_prefix(dir);
415             }
416         }
417
418         // Template for the default configuration
419         impl Default for Config {
420             fn default() -> Config {
421                 Config {
422                     license_template: None,
423                     $(
424                         $i: (Cell::new(false), false, $def, $stb),
425                     )+
426                 }
427             }
428         }
429     )
430 }