]> git.lizzy.rs Git - rust.git/blob - src/lib.rs
fix: backport mod resolution error handling
[rust.git] / src / lib.rs
1 #![deny(rust_2018_idioms)]
2 #![warn(unreachable_pub)]
3
4 #[macro_use]
5 extern crate derive_new;
6 #[macro_use]
7 extern crate lazy_static;
8 #[macro_use]
9 extern crate log;
10
11 use std::cell::RefCell;
12 use std::collections::HashMap;
13 use std::fmt;
14 use std::io::{self, Write};
15 use std::mem;
16 use std::panic;
17 use std::path::PathBuf;
18 use std::rc::Rc;
19
20 use ignore;
21 use rustc_ast::ast;
22 use rustc_span::symbol;
23 use thiserror::Error;
24
25 use crate::comment::LineClasses;
26 use crate::emitter::Emitter;
27 use crate::formatting::{FormatErrorMap, FormattingError, ReportedErrors, SourceFile};
28 use crate::issues::Issue;
29 use crate::modules::ModuleResolutionError;
30 use crate::shape::Indent;
31 use crate::syntux::parser::DirectoryOwnership;
32 use crate::utils::indent_next_line;
33
34 pub use crate::config::{
35     load_config, CliOptions, Color, Config, Edition, EmitMode, FileLines, FileName, NewlineStyle,
36     Range, Verbosity,
37 };
38
39 pub use crate::format_report_formatter::{FormatReportFormatter, FormatReportFormatterBuilder};
40
41 pub use crate::rustfmt_diff::{ModifiedChunk, ModifiedLines};
42
43 #[macro_use]
44 mod utils;
45
46 mod attr;
47 mod chains;
48 mod closures;
49 mod comment;
50 pub(crate) mod config;
51 mod coverage;
52 mod emitter;
53 mod expr;
54 mod format_report_formatter;
55 pub(crate) mod formatting;
56 mod ignore_path;
57 mod imports;
58 mod issues;
59 mod items;
60 mod lists;
61 mod macros;
62 mod matches;
63 mod missed_spans;
64 pub(crate) mod modules;
65 mod overflow;
66 mod pairs;
67 mod patterns;
68 mod release_channel;
69 mod reorder;
70 mod rewrite;
71 pub(crate) mod rustfmt_diff;
72 mod shape;
73 mod skip;
74 pub(crate) mod source_file;
75 pub(crate) mod source_map;
76 mod spanned;
77 mod stmt;
78 mod string;
79 mod syntux;
80 #[cfg(test)]
81 mod test;
82 mod types;
83 mod vertical;
84 pub(crate) mod visitor;
85
86 /// The various errors that can occur during formatting. Note that not all of
87 /// these can currently be propagated to clients.
88 #[derive(Error, Debug)]
89 pub enum ErrorKind {
90     /// Line has exceeded character limit (found, maximum).
91     #[error(
92         "line formatted, but exceeded maximum width \
93          (maximum: {1} (see `max_width` option), found: {0})"
94     )]
95     LineOverflow(usize, usize),
96     /// Line ends in whitespace.
97     #[error("left behind trailing whitespace")]
98     TrailingWhitespace,
99     /// TODO or FIXME item without an issue number.
100     #[error("found {0}")]
101     BadIssue(Issue),
102     /// License check has failed.
103     #[error("license check failed")]
104     LicenseCheck,
105     /// Used deprecated skip attribute.
106     #[error("`rustfmt_skip` is deprecated; use `rustfmt::skip`")]
107     DeprecatedAttr,
108     /// Used a rustfmt:: attribute other than skip or skip::macros.
109     #[error("invalid attribute")]
110     BadAttr,
111     /// An io error during reading or writing.
112     #[error("io error: {0}")]
113     IoError(io::Error),
114     /// Error during module resolution.
115     #[error("{0}")]
116     ModuleResolutionError(#[from] ModuleResolutionError),
117     /// Parse error occurred when parsing the input.
118     #[error("parse error")]
119     ParseError,
120     /// The user mandated a version and the current version of Rustfmt does not
121     /// satisfy that requirement.
122     #[error("version mismatch")]
123     VersionMismatch,
124     /// If we had formatted the given node, then we would have lost a comment.
125     #[error("not formatted because a comment would be lost")]
126     LostComment,
127     /// Invalid glob pattern in `ignore` configuration option.
128     #[error("Invalid glob pattern found in ignore list: {0}")]
129     InvalidGlobPattern(ignore::Error),
130 }
131
132 impl ErrorKind {
133     fn is_comment(&self) -> bool {
134         match self {
135             ErrorKind::LostComment => true,
136             _ => false,
137         }
138     }
139 }
140
141 impl From<io::Error> for ErrorKind {
142     fn from(e: io::Error) -> ErrorKind {
143         ErrorKind::IoError(e)
144     }
145 }
146
147 /// Result of formatting a snippet of code along with ranges of lines that didn't get formatted,
148 /// i.e., that got returned as they were originally.
149 #[derive(Debug)]
150 struct FormattedSnippet {
151     snippet: String,
152     non_formatted_ranges: Vec<(usize, usize)>,
153 }
154
155 impl FormattedSnippet {
156     /// In case the snippet needed to be wrapped in a function, this shifts down the ranges of
157     /// non-formatted code.
158     fn unwrap_code_block(&mut self) {
159         self.non_formatted_ranges
160             .iter_mut()
161             .for_each(|(low, high)| {
162                 *low -= 1;
163                 *high -= 1;
164             });
165     }
166
167     /// Returns `true` if the line n did not get formatted.
168     fn is_line_non_formatted(&self, n: usize) -> bool {
169         self.non_formatted_ranges
170             .iter()
171             .any(|(low, high)| *low <= n && n <= *high)
172     }
173 }
174
175 /// Reports on any issues that occurred during a run of Rustfmt.
176 ///
177 /// Can be reported to the user using the `Display` impl on [`FormatReportFormatter`].
178 #[derive(Clone)]
179 pub struct FormatReport {
180     // Maps stringified file paths to their associated formatting errors.
181     internal: Rc<RefCell<(FormatErrorMap, ReportedErrors)>>,
182     non_formatted_ranges: Vec<(usize, usize)>,
183 }
184
185 impl FormatReport {
186     fn new() -> FormatReport {
187         FormatReport {
188             internal: Rc::new(RefCell::new((HashMap::new(), ReportedErrors::default()))),
189             non_formatted_ranges: Vec::new(),
190         }
191     }
192
193     fn add_non_formatted_ranges(&mut self, mut ranges: Vec<(usize, usize)>) {
194         self.non_formatted_ranges.append(&mut ranges);
195     }
196
197     fn append(&self, f: FileName, mut v: Vec<FormattingError>) {
198         self.track_errors(&v);
199         self.internal
200             .borrow_mut()
201             .0
202             .entry(f)
203             .and_modify(|fe| fe.append(&mut v))
204             .or_insert(v);
205     }
206
207     fn track_errors(&self, new_errors: &[FormattingError]) {
208         let errs = &mut self.internal.borrow_mut().1;
209         if !new_errors.is_empty() {
210             errs.has_formatting_errors = true;
211         }
212         if errs.has_operational_errors && errs.has_check_errors {
213             return;
214         }
215         for err in new_errors {
216             match err.kind {
217                 ErrorKind::LineOverflow(..) | ErrorKind::TrailingWhitespace => {
218                     errs.has_operational_errors = true;
219                 }
220                 ErrorKind::BadIssue(_)
221                 | ErrorKind::LicenseCheck
222                 | ErrorKind::DeprecatedAttr
223                 | ErrorKind::BadAttr
224                 | ErrorKind::VersionMismatch => {
225                     errs.has_check_errors = true;
226                 }
227                 _ => {}
228             }
229         }
230     }
231
232     fn add_diff(&mut self) {
233         self.internal.borrow_mut().1.has_diff = true;
234     }
235
236     fn add_macro_format_failure(&mut self) {
237         self.internal.borrow_mut().1.has_macro_format_failure = true;
238     }
239
240     fn add_parsing_error(&mut self) {
241         self.internal.borrow_mut().1.has_parsing_errors = true;
242     }
243
244     fn warning_count(&self) -> usize {
245         self.internal
246             .borrow()
247             .0
248             .iter()
249             .map(|(_, errors)| errors.len())
250             .sum()
251     }
252
253     /// Whether any warnings or errors are present in the report.
254     pub fn has_warnings(&self) -> bool {
255         self.internal.borrow().1.has_formatting_errors
256     }
257
258     /// Print the report to a terminal using colours and potentially other
259     /// fancy output.
260     #[deprecated(note = "Use FormatReportFormatter with colors enabled instead")]
261     pub fn fancy_print(
262         &self,
263         mut t: Box<dyn term::Terminal<Output = io::Stderr>>,
264     ) -> Result<(), term::Error> {
265         writeln!(
266             t,
267             "{}",
268             FormatReportFormatterBuilder::new(&self)
269                 .enable_colors(true)
270                 .build()
271         )?;
272         Ok(())
273     }
274 }
275
276 #[deprecated(note = "Use FormatReportFormatter instead")]
277 impl fmt::Display for FormatReport {
278     // Prints all the formatting errors.
279     fn fmt(&self, fmt: &mut fmt::Formatter<'_>) -> Result<(), fmt::Error> {
280         write!(fmt, "{}", FormatReportFormatterBuilder::new(&self).build())?;
281         Ok(())
282     }
283 }
284
285 /// Format the given snippet. The snippet is expected to be *complete* code.
286 /// When we cannot parse the given snippet, this function returns `None`.
287 fn format_snippet(snippet: &str, config: &Config) -> Option<FormattedSnippet> {
288     let mut config = config.clone();
289     panic::catch_unwind(|| {
290         let mut out: Vec<u8> = Vec::with_capacity(snippet.len() * 2);
291         config.set().emit_mode(config::EmitMode::Stdout);
292         config.set().verbose(Verbosity::Quiet);
293         config.set().hide_parse_errors(true);
294
295         let (formatting_error, result) = {
296             let input = Input::Text(snippet.into());
297             let mut session = Session::new(config, Some(&mut out));
298             let result = session.format(input);
299             (
300                 session.errors.has_macro_format_failure
301                     || session.out.as_ref().unwrap().is_empty() && !snippet.is_empty()
302                     || result.is_err(),
303                 result,
304             )
305         };
306         if formatting_error {
307             None
308         } else {
309             String::from_utf8(out).ok().map(|snippet| FormattedSnippet {
310                 snippet,
311                 non_formatted_ranges: result.unwrap().non_formatted_ranges,
312             })
313         }
314     })
315     // Discard panics encountered while formatting the snippet
316     // The ? operator is needed to remove the extra Option
317     .ok()?
318 }
319
320 /// Format the given code block. Mainly targeted for code block in comment.
321 /// The code block may be incomplete (i.e., parser may be unable to parse it).
322 /// To avoid panic in parser, we wrap the code block with a dummy function.
323 /// The returned code block does **not** end with newline.
324 fn format_code_block(code_snippet: &str, config: &Config) -> Option<FormattedSnippet> {
325     const FN_MAIN_PREFIX: &str = "fn main() {\n";
326
327     fn enclose_in_main_block(s: &str, config: &Config) -> String {
328         let indent = Indent::from_width(config, config.tab_spaces());
329         let mut result = String::with_capacity(s.len() * 2);
330         result.push_str(FN_MAIN_PREFIX);
331         let mut need_indent = true;
332         for (kind, line) in LineClasses::new(s) {
333             if need_indent {
334                 result.push_str(&indent.to_string(config));
335             }
336             result.push_str(&line);
337             result.push('\n');
338             need_indent = indent_next_line(kind, &line, config);
339         }
340         result.push('}');
341         result
342     }
343
344     // Wrap the given code block with `fn main()` if it does not have one.
345     let snippet = enclose_in_main_block(code_snippet, config);
346     let mut result = String::with_capacity(snippet.len());
347     let mut is_first = true;
348
349     // While formatting the code, ignore the config's newline style setting and always use "\n"
350     // instead of "\r\n" for the newline characters. This is ok because the output here is
351     // not directly outputted by rustfmt command, but used by the comment formatter's input.
352     // We have output-file-wide "\n" ==> "\r\n" conversion process after here if it's necessary.
353     let mut config_with_unix_newline = config.clone();
354     config_with_unix_newline
355         .set()
356         .newline_style(NewlineStyle::Unix);
357     let mut formatted = format_snippet(&snippet, &config_with_unix_newline)?;
358     // Remove wrapping main block
359     formatted.unwrap_code_block();
360
361     // Trim "fn main() {" on the first line and "}" on the last line,
362     // then unindent the whole code block.
363     let block_len = formatted
364         .snippet
365         .rfind('}')
366         .unwrap_or_else(|| formatted.snippet.len());
367     let mut is_indented = true;
368     for (kind, ref line) in LineClasses::new(&formatted.snippet[FN_MAIN_PREFIX.len()..block_len]) {
369         if !is_first {
370             result.push('\n');
371         } else {
372             is_first = false;
373         }
374         let trimmed_line = if !is_indented {
375             line
376         } else if line.len() > config.max_width() {
377             // If there are lines that are larger than max width, we cannot tell
378             // whether we have succeeded but have some comments or strings that
379             // are too long, or we have failed to format code block. We will be
380             // conservative and just return `None` in this case.
381             return None;
382         } else if line.len() > config.tab_spaces() {
383             // Make sure that the line has leading whitespaces.
384             let indent_str = Indent::from_width(config, config.tab_spaces()).to_string(config);
385             if line.starts_with(indent_str.as_ref()) {
386                 let offset = if config.hard_tabs() {
387                     1
388                 } else {
389                     config.tab_spaces()
390                 };
391                 &line[offset..]
392             } else {
393                 line
394             }
395         } else {
396             line
397         };
398         result.push_str(trimmed_line);
399         is_indented = indent_next_line(kind, line, config);
400     }
401     Some(FormattedSnippet {
402         snippet: result,
403         non_formatted_ranges: formatted.non_formatted_ranges,
404     })
405 }
406
407 /// A session is a run of rustfmt across a single or multiple inputs.
408 pub struct Session<'b, T: Write> {
409     pub config: Config,
410     pub out: Option<&'b mut T>,
411     pub(crate) errors: ReportedErrors,
412     source_file: SourceFile,
413     emitter: Box<dyn Emitter + 'b>,
414 }
415
416 impl<'b, T: Write + 'b> Session<'b, T> {
417     pub fn new(config: Config, mut out: Option<&'b mut T>) -> Session<'b, T> {
418         let emitter = create_emitter(&config);
419
420         if let Some(ref mut out) = out {
421             let _ = emitter.emit_header(out);
422         }
423
424         Session {
425             config,
426             out,
427             emitter,
428             errors: ReportedErrors::default(),
429             source_file: SourceFile::new(),
430         }
431     }
432
433     /// The main entry point for Rustfmt. Formats the given input according to the
434     /// given config. `out` is only necessary if required by the configuration.
435     pub fn format(&mut self, input: Input) -> Result<FormatReport, ErrorKind> {
436         self.format_input_inner(input)
437     }
438
439     pub fn override_config<F, U>(&mut self, mut config: Config, f: F) -> U
440     where
441         F: FnOnce(&mut Session<'b, T>) -> U,
442     {
443         mem::swap(&mut config, &mut self.config);
444         let result = f(self);
445         mem::swap(&mut config, &mut self.config);
446         result
447     }
448
449     pub fn add_operational_error(&mut self) {
450         self.errors.has_operational_errors = true;
451     }
452
453     pub fn has_operational_errors(&self) -> bool {
454         self.errors.has_operational_errors
455     }
456
457     pub fn has_parsing_errors(&self) -> bool {
458         self.errors.has_parsing_errors
459     }
460
461     pub fn has_formatting_errors(&self) -> bool {
462         self.errors.has_formatting_errors
463     }
464
465     pub fn has_check_errors(&self) -> bool {
466         self.errors.has_check_errors
467     }
468
469     pub fn has_diff(&self) -> bool {
470         self.errors.has_diff
471     }
472
473     pub fn has_no_errors(&self) -> bool {
474         !(self.has_operational_errors()
475             || self.has_parsing_errors()
476             || self.has_formatting_errors()
477             || self.has_check_errors()
478             || self.has_diff())
479             || self.errors.has_macro_format_failure
480     }
481 }
482
483 pub(crate) fn create_emitter<'a>(config: &Config) -> Box<dyn Emitter + 'a> {
484     match config.emit_mode() {
485         EmitMode::Files if config.make_backup() => {
486             Box::new(emitter::FilesWithBackupEmitter::default())
487         }
488         EmitMode::Files => Box::new(emitter::FilesEmitter::new(
489             config.print_misformatted_file_names(),
490         )),
491         EmitMode::Stdout | EmitMode::Coverage => {
492             Box::new(emitter::StdoutEmitter::new(config.verbose()))
493         }
494         EmitMode::Json => Box::new(emitter::JsonEmitter::default()),
495         EmitMode::ModifiedLines => Box::new(emitter::ModifiedLinesEmitter::default()),
496         EmitMode::Checkstyle => Box::new(emitter::CheckstyleEmitter::default()),
497         EmitMode::Diff => Box::new(emitter::DiffEmitter::new(config.clone())),
498     }
499 }
500
501 impl<'b, T: Write + 'b> Drop for Session<'b, T> {
502     fn drop(&mut self) {
503         if let Some(ref mut out) = self.out {
504             let _ = self.emitter.emit_footer(out);
505         }
506     }
507 }
508
509 #[derive(Debug)]
510 pub enum Input {
511     File(PathBuf),
512     Text(String),
513 }
514
515 impl Input {
516     fn file_name(&self) -> FileName {
517         match *self {
518             Input::File(ref file) => FileName::Real(file.clone()),
519             Input::Text(..) => FileName::Stdin,
520         }
521     }
522
523     fn to_directory_ownership(&self) -> Option<DirectoryOwnership> {
524         match self {
525             Input::File(ref file) => {
526                 // If there exists a directory with the same name as an input,
527                 // then the input should be parsed as a sub module.
528                 let file_stem = file.file_stem()?;
529                 if file.parent()?.to_path_buf().join(file_stem).is_dir() {
530                     Some(DirectoryOwnership::Owned {
531                         relative: file_stem.to_str().map(symbol::Ident::from_str),
532                     })
533                 } else {
534                     None
535                 }
536             }
537             _ => None,
538         }
539     }
540 }
541
542 #[cfg(test)]
543 mod unit_tests {
544     use super::*;
545
546     #[test]
547     fn test_no_panic_on_format_snippet_and_format_code_block() {
548         // `format_snippet()` and `format_code_block()` should not panic
549         // even when we cannot parse the given snippet.
550         let snippet = "let";
551         assert!(format_snippet(snippet, &Config::default()).is_none());
552         assert!(format_code_block(snippet, &Config::default()).is_none());
553     }
554
555     fn test_format_inner<F>(formatter: F, input: &str, expected: &str) -> bool
556     where
557         F: Fn(&str, &Config) -> Option<FormattedSnippet>,
558     {
559         let output = formatter(input, &Config::default());
560         output.is_some() && output.unwrap().snippet == expected
561     }
562
563     #[test]
564     fn test_format_snippet() {
565         let snippet = "fn main() { println!(\"hello, world\"); }";
566         #[cfg(not(windows))]
567         let expected = "fn main() {\n    \
568                         println!(\"hello, world\");\n\
569                         }\n";
570         #[cfg(windows)]
571         let expected = "fn main() {\r\n    \
572                         println!(\"hello, world\");\r\n\
573                         }\r\n";
574         assert!(test_format_inner(format_snippet, snippet, expected));
575     }
576
577     #[test]
578     fn test_format_code_block_fail() {
579         #[rustfmt::skip]
580         let code_block = "this_line_is_100_characters_long_xxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxx(x, y, z);";
581         assert!(format_code_block(code_block, &Config::default()).is_none());
582     }
583
584     #[test]
585     fn test_format_code_block() {
586         // simple code block
587         let code_block = "let x=3;";
588         let expected = "let x = 3;";
589         assert!(test_format_inner(format_code_block, code_block, expected));
590
591         // more complex code block, taken from chains.rs.
592         let code_block =
593 "let (nested_shape, extend) = if !parent_rewrite_contains_newline && is_continuable(&parent) {
594 (
595 chain_indent(context, shape.add_offset(parent_rewrite.len())),
596 context.config.indent_style() == IndentStyle::Visual || is_small_parent,
597 )
598 } else if is_block_expr(context, &parent, &parent_rewrite) {
599 match context.config.indent_style() {
600 // Try to put the first child on the same line with parent's last line
601 IndentStyle::Block => (parent_shape.block_indent(context.config.tab_spaces()), true),
602 // The parent is a block, so align the rest of the chain with the closing
603 // brace.
604 IndentStyle::Visual => (parent_shape, false),
605 }
606 } else {
607 (
608 chain_indent(context, shape.add_offset(parent_rewrite.len())),
609 false,
610 )
611 };
612 ";
613         let expected =
614 "let (nested_shape, extend) = if !parent_rewrite_contains_newline && is_continuable(&parent) {
615     (
616         chain_indent(context, shape.add_offset(parent_rewrite.len())),
617         context.config.indent_style() == IndentStyle::Visual || is_small_parent,
618     )
619 } else if is_block_expr(context, &parent, &parent_rewrite) {
620     match context.config.indent_style() {
621         // Try to put the first child on the same line with parent's last line
622         IndentStyle::Block => (parent_shape.block_indent(context.config.tab_spaces()), true),
623         // The parent is a block, so align the rest of the chain with the closing
624         // brace.
625         IndentStyle::Visual => (parent_shape, false),
626     }
627 } else {
628     (
629         chain_indent(context, shape.add_offset(parent_rewrite.len())),
630         false,
631     )
632 };";
633         assert!(test_format_inner(format_code_block, code_block, expected));
634     }
635 }