]> git.lizzy.rs Git - rust.git/blob - src/bin/rustfmt.rs
Cargo fmt and update tests
[rust.git] / src / bin / rustfmt.rs
1 // Copyright 2015 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 #![cfg(not(test))]
12
13 extern crate env_logger;
14 extern crate getopts;
15 extern crate rustfmt_nightly as rustfmt;
16
17 use std::{env, error};
18 use std::fs::File;
19 use std::io::{self, Read, Write};
20 use std::path::{Path, PathBuf};
21 use std::str::FromStr;
22
23 use getopts::{HasArg, Matches, Occur, Options};
24
25 use rustfmt::{run, Input, Summary};
26 use rustfmt::file_lines::FileLines;
27 use rustfmt::config::{get_toml_path, Color, Config, WriteMode};
28
29 type FmtError = Box<error::Error + Send + Sync>;
30 type FmtResult<T> = std::result::Result<T, FmtError>;
31
32 /// Rustfmt operations.
33 enum Operation {
34     /// Format files and their child modules.
35     Format {
36         files: Vec<PathBuf>,
37         config_path: Option<PathBuf>,
38         minimal_config_path: Option<String>,
39     },
40     /// Print the help message.
41     Help,
42     // Print version information
43     Version,
44     /// Print detailed configuration help.
45     ConfigHelp,
46     /// Output default config to a file, or stdout if None
47     ConfigOutputDefault {
48         path: Option<String>,
49     },
50     /// No file specified, read from stdin
51     Stdin {
52         input: String,
53         config_path: Option<PathBuf>,
54     },
55 }
56
57 /// Parsed command line options.
58 #[derive(Clone, Debug, Default)]
59 struct CliOptions {
60     skip_children: bool,
61     verbose: bool,
62     write_mode: Option<WriteMode>,
63     color: Option<Color>,
64     file_lines: FileLines, // Default is all lines in all files.
65     unstable_features: bool,
66 }
67
68 impl CliOptions {
69     fn from_matches(matches: &Matches) -> FmtResult<CliOptions> {
70         let mut options = CliOptions::default();
71         options.skip_children = matches.opt_present("skip-children");
72         options.verbose = matches.opt_present("verbose");
73         let unstable_features = matches.opt_present("unstable-features");
74         let rust_nightly = option_env!("CFG_RELEASE_CHANNEL")
75             .map(|c| c == "nightly")
76             .unwrap_or(false);
77         if unstable_features && !rust_nightly {
78             return Err(FmtError::from(
79                 "Unstable features are only available on Nightly channel",
80             ));
81         } else {
82             options.unstable_features = unstable_features;
83         }
84
85         if let Some(ref write_mode) = matches.opt_str("write-mode") {
86             if let Ok(write_mode) = WriteMode::from_str(write_mode) {
87                 options.write_mode = Some(write_mode);
88             } else {
89                 return Err(FmtError::from(format!(
90                     "Invalid write-mode: {}",
91                     write_mode
92                 )));
93             }
94         }
95
96         if let Some(ref color) = matches.opt_str("color") {
97             match Color::from_str(color) {
98                 Ok(color) => options.color = Some(color),
99                 _ => return Err(FmtError::from(format!("Invalid color: {}", color))),
100             }
101         }
102
103         if let Some(ref file_lines) = matches.opt_str("file-lines") {
104             options.file_lines = file_lines.parse()?;
105         }
106
107         Ok(options)
108     }
109
110     fn apply_to(self, config: &mut Config) {
111         config.set().skip_children(self.skip_children);
112         config.set().verbose(self.verbose);
113         config.set().file_lines(self.file_lines);
114         config.set().unstable_features(self.unstable_features);
115         if let Some(write_mode) = self.write_mode {
116             config.set().write_mode(write_mode);
117         }
118         if let Some(color) = self.color {
119             config.set().color(color);
120         }
121     }
122 }
123
124 /// read the given config file path recursively if present else read the project file path
125 fn match_cli_path_or_file(
126     config_path: Option<PathBuf>,
127     input_file: &Path,
128 ) -> FmtResult<(Config, Option<PathBuf>)> {
129     if let Some(config_file) = config_path {
130         let toml = Config::from_toml_path(config_file.as_ref())?;
131         return Ok((toml, Some(config_file)));
132     }
133     Config::from_resolved_toml_path(input_file).map_err(FmtError::from)
134 }
135
136 fn make_opts() -> Options {
137     let mut opts = Options::new();
138     opts.optflag("h", "help", "show this message");
139     opts.optflag("V", "version", "show version information");
140     opts.optflag("v", "verbose", "print verbose output");
141     opts.optopt(
142         "",
143         "write-mode",
144         "how to write output (not usable when piping from stdin)",
145         "[replace|overwrite|display|plain|diff|coverage|checkstyle]",
146     );
147     opts.optopt(
148         "",
149         "color",
150         "use colored output (if supported)",
151         "[always|never|auto]",
152     );
153     opts.optflag("", "skip-children", "don't reformat child modules");
154
155     opts.optflag(
156         "",
157         "unstable-features",
158         "Enables unstable features. Only available on nightly channel",
159     );
160
161     opts.optflag(
162         "",
163         "config-help",
164         "show details of rustfmt configuration options",
165     );
166     opts.opt(
167         "",
168         "dump-default-config",
169         "Dumps default configuration to PATH. PATH defaults to stdout, if omitted.",
170         "PATH",
171         HasArg::Maybe,
172         Occur::Optional,
173     );
174     opts.optopt(
175         "",
176         "dump-minimal-config",
177         "Dumps configuration options that were checked during formatting to a file.",
178         "PATH",
179     );
180     opts.optopt(
181         "",
182         "config-path",
183         "Recursively searches the given path for the rustfmt.toml config file. If not \
184          found reverts to the input file path",
185         "[Path for the configuration file]",
186     );
187     opts.optopt(
188         "",
189         "file-lines",
190         "Format specified line ranges. See README for more detail on the JSON format.",
191         "JSON",
192     );
193
194     opts
195 }
196
197 fn execute(opts: &Options) -> FmtResult<Summary> {
198     let matches = opts.parse(env::args().skip(1))?;
199
200     match determine_operation(&matches)? {
201         Operation::Help => {
202             print_usage_to_stdout(opts, "");
203             Summary::print_exit_codes();
204             Ok(Summary::default())
205         }
206         Operation::Version => {
207             print_version();
208             Ok(Summary::default())
209         }
210         Operation::ConfigHelp => {
211             Config::print_docs();
212             Ok(Summary::default())
213         }
214         Operation::ConfigOutputDefault { path } => {
215             let toml = Config::default().all_options().to_toml()?;
216             if let Some(path) = path {
217                 let mut file = File::create(path)?;
218                 file.write_all(toml.as_bytes())?;
219             } else {
220                 io::stdout().write_all(toml.as_bytes())?;
221             }
222             Ok(Summary::default())
223         }
224         Operation::Stdin { input, config_path } => {
225             // try to read config from local directory
226             let (mut config, _) =
227                 match_cli_path_or_file(config_path, &env::current_dir().unwrap())?;
228
229             // write_mode is always Plain for Stdin.
230             config.set().write_mode(WriteMode::Plain);
231
232             // parse file_lines
233             if let Some(ref file_lines) = matches.opt_str("file-lines") {
234                 config.set().file_lines(file_lines.parse()?);
235                 for f in config.file_lines().files() {
236                     if f != "stdin" {
237                         eprintln!("Warning: Extra file listed in file_lines option '{}'", f);
238                     }
239                 }
240             }
241
242             let mut error_summary = Summary::default();
243             if config.version_meets_requirement(&mut error_summary) {
244                 error_summary.add(run(Input::Text(input), &config));
245             }
246
247             Ok(error_summary)
248         }
249         Operation::Format {
250             files,
251             config_path,
252             minimal_config_path,
253         } => {
254             let options = CliOptions::from_matches(&matches)?;
255
256             for f in options.file_lines.files() {
257                 if !files.contains(&PathBuf::from(f)) {
258                     eprintln!("Warning: Extra file listed in file_lines option '{}'", f);
259                 }
260             }
261
262             let mut config = Config::default();
263             // Load the config path file if provided
264             if let Some(config_file) = config_path.as_ref() {
265                 config = Config::from_toml_path(config_file.as_ref())?;
266             };
267
268             if options.verbose {
269                 if let Some(path) = config_path.as_ref() {
270                     println!("Using rustfmt config file {}", path.display());
271                 }
272             }
273
274             let mut error_summary = Summary::default();
275             for file in files {
276                 if !file.exists() {
277                     eprintln!("Error: file `{}` does not exist", file.to_str().unwrap());
278                     error_summary.add_operational_error();
279                 } else if file.is_dir() {
280                     eprintln!("Error: `{}` is a directory", file.to_str().unwrap());
281                     error_summary.add_operational_error();
282                 } else {
283                     // Check the file directory if the config-path could not be read or not provided
284                     if config_path.is_none() {
285                         let (config_tmp, path_tmp) =
286                             Config::from_resolved_toml_path(file.parent().unwrap())?;
287                         if options.verbose {
288                             if let Some(path) = path_tmp.as_ref() {
289                                 println!(
290                                     "Using rustfmt config file {} for {}",
291                                     path.display(),
292                                     file.display()
293                                 );
294                             }
295                         }
296                         config = config_tmp;
297                     }
298
299                     if !config.version_meets_requirement(&mut error_summary) {
300                         break;
301                     }
302
303                     options.clone().apply_to(&mut config);
304                     error_summary.add(run(Input::File(file), &config));
305                 }
306             }
307
308             // If we were given a path via dump-minimal-config, output any options
309             // that were used during formatting as TOML.
310             if let Some(path) = minimal_config_path {
311                 let mut file = File::create(path)?;
312                 let toml = config.used_options().to_toml()?;
313                 file.write_all(toml.as_bytes())?;
314             }
315
316             Ok(error_summary)
317         }
318     }
319 }
320
321 fn main() {
322     let _ = env_logger::init();
323
324     let opts = make_opts();
325
326     let exit_code = match execute(&opts) {
327         Ok(summary) => {
328             if summary.has_operational_errors() {
329                 1
330             } else if summary.has_parsing_errors() {
331                 2
332             } else if summary.has_formatting_errors() {
333                 3
334             } else if summary.has_diff {
335                 // should only happen in diff mode
336                 4
337             } else {
338                 assert!(summary.has_no_errors());
339                 0
340             }
341         }
342         Err(e) => {
343             print_usage_to_stderr(&opts, &e.to_string());
344             1
345         }
346     };
347     // Make sure standard output is flushed before we exit.
348     std::io::stdout().flush().unwrap();
349
350     // Exit with given exit code.
351     //
352     // NOTE: This immediately terminates the process without doing any cleanup,
353     // so make sure to finish all necessary cleanup before this is called.
354     std::process::exit(exit_code);
355 }
356
357 macro_rules! print_usage {
358     ($print:ident, $opts:ident, $reason:expr) => ({
359         let msg = format!(
360             "{}\n\nusage: {} [options] <file>...",
361             $reason,
362             env::args_os().next().unwrap().to_string_lossy()
363         );
364         $print!("{}", $opts.usage(&msg));
365     })
366 }
367
368 fn print_usage_to_stdout(opts: &Options, reason: &str) {
369     print_usage!(println, opts, reason);
370 }
371
372 fn print_usage_to_stderr(opts: &Options, reason: &str) {
373     print_usage!(eprintln, opts, reason);
374 }
375
376 fn print_version() {
377     println!(
378         "{}-nightly{}",
379         env!("CARGO_PKG_VERSION"),
380         include_str!(concat!(env!("OUT_DIR"), "/commit-info.txt"))
381     )
382 }
383
384 fn determine_operation(matches: &Matches) -> FmtResult<Operation> {
385     if matches.opt_present("h") {
386         return Ok(Operation::Help);
387     }
388
389     if matches.opt_present("config-help") {
390         return Ok(Operation::ConfigHelp);
391     }
392
393     if matches.opt_present("dump-default-config") {
394         // NOTE for some reason when configured with HasArg::Maybe + Occur::Optional opt_default
395         // doesn't recognize `--foo bar` as a long flag with an argument but as a long flag with no
396         // argument *plus* a free argument. Thus we check for that case in this branch -- this is
397         // required for backward compatibility.
398         if let Some(path) = matches.free.get(0) {
399             return Ok(Operation::ConfigOutputDefault {
400                 path: Some(path.clone()),
401             });
402         } else {
403             return Ok(Operation::ConfigOutputDefault {
404                 path: matches.opt_str("dump-default-config"),
405             });
406         }
407     }
408
409     if matches.opt_present("version") {
410         return Ok(Operation::Version);
411     }
412
413     let config_path_not_found = |path: &str| -> FmtResult<Operation> {
414         Err(FmtError::from(format!(
415             "Error: unable to find a config file for the given path: `{}`",
416             path
417         )))
418     };
419
420     // Read the config_path and convert to parent dir if a file is provided.
421     // If a config file cannot be found from the given path, return error.
422     let config_path: Option<PathBuf> = match matches.opt_str("config-path").map(PathBuf::from) {
423         Some(ref path) if !path.exists() => return config_path_not_found(path.to_str().unwrap()),
424         Some(ref path) if path.is_dir() => {
425             let config_file_path = get_toml_path(path)?;
426             if config_file_path.is_some() {
427                 config_file_path
428             } else {
429                 return config_path_not_found(path.to_str().unwrap());
430             }
431         }
432         path => path,
433     };
434
435     // If no path is given, we won't output a minimal config.
436     let minimal_config_path = matches.opt_str("dump-minimal-config");
437
438     // if no file argument is supplied, read from stdin
439     if matches.free.is_empty() {
440         let mut buffer = String::new();
441         io::stdin().read_to_string(&mut buffer)?;
442
443         return Ok(Operation::Stdin {
444             input: buffer,
445             config_path: config_path,
446         });
447     }
448
449     let files: Vec<_> = matches
450         .free
451         .iter()
452         .map(|s| {
453             let p = PathBuf::from(s);
454             // we will do comparison later, so here tries to canonicalize first
455             // to get the expected behavior.
456             p.canonicalize().unwrap_or(p)
457         })
458         .collect();
459
460     Ok(Operation::Format {
461         files: files,
462         config_path: config_path,
463         minimal_config_path: minimal_config_path,
464     })
465 }