]> git.lizzy.rs Git - rust.git/blob - src/librustc_errors/lib.rs
Auto merge of #67667 - wesleywiser:speed_up_trivially_valid_constants, r=oli-obk
[rust.git] / src / librustc_errors / lib.rs
1 //! Diagnostics creation and emission for `rustc`.
2 //!
3 //! This module contains the code for creating and emitting diagnostics.
4
5 #![doc(html_root_url = "https://doc.rust-lang.org/nightly/")]
6 #![feature(crate_visibility_modifier)]
7 #![cfg_attr(unix, feature(libc))]
8 #![feature(nll)]
9 #![feature(optin_builtin_traits)]
10
11 pub use emitter::ColorConfig;
12
13 use Level::*;
14
15 use emitter::{is_case_difference, Emitter, EmitterWriter};
16 use registry::Registry;
17 use rustc_data_structures::fx::{FxHashSet, FxIndexMap};
18 use rustc_data_structures::stable_hasher::StableHasher;
19 use rustc_data_structures::sync::{self, Lock, Lrc};
20 use rustc_data_structures::AtomicRef;
21 use syntax_pos::source_map::SourceMap;
22 use syntax_pos::{Loc, MultiSpan, Span};
23
24 use std::borrow::Cow;
25 use std::panic;
26 use std::path::Path;
27 use std::{error, fmt};
28
29 use termcolor::{Color, ColorSpec};
30
31 pub mod annotate_snippet_emitter_writer;
32 mod diagnostic;
33 mod diagnostic_builder;
34 pub mod emitter;
35 pub mod json;
36 mod lock;
37 pub mod registry;
38 mod snippet;
39 mod styled_buffer;
40 pub use snippet::Style;
41
42 pub type PResult<'a, T> = Result<T, DiagnosticBuilder<'a>>;
43
44 // `PResult` is used a lot. Make sure it doesn't unintentionally get bigger.
45 // (See also the comment on `DiagnosticBuilderInner`.)
46 #[cfg(target_arch = "x86_64")]
47 rustc_data_structures::static_assert_size!(PResult<'_, bool>, 16);
48
49 /// Indicates the confidence in the correctness of a suggestion.
50 ///
51 /// All suggestions are marked with an `Applicability`. Tools use the applicability of a suggestion
52 /// to determine whether it should be automatically applied or if the user should be consulted
53 /// before applying the suggestion.
54 #[derive(Copy, Clone, Debug, PartialEq, Hash, RustcEncodable, RustcDecodable)]
55 pub enum Applicability {
56     /// The suggestion is definitely what the user intended. This suggestion should be
57     /// automatically applied.
58     MachineApplicable,
59
60     /// The suggestion may be what the user intended, but it is uncertain. The suggestion should
61     /// result in valid Rust code if it is applied.
62     MaybeIncorrect,
63
64     /// The suggestion contains placeholders like `(...)` or `{ /* fields */ }`. The suggestion
65     /// cannot be applied automatically because it will not result in valid Rust code. The user
66     /// will need to fill in the placeholders.
67     HasPlaceholders,
68
69     /// The applicability of the suggestion is unknown.
70     Unspecified,
71 }
72
73 #[derive(Debug, PartialEq, Eq, Clone, Copy, Hash, RustcEncodable, RustcDecodable)]
74 pub enum SuggestionStyle {
75     /// Hide the suggested code when displaying this suggestion inline.
76     HideCodeInline,
77     /// Always hide the suggested code but display the message.
78     HideCodeAlways,
79     /// Do not display this suggestion in the cli output, it is only meant for tools.
80     CompletelyHidden,
81     /// Always show the suggested code.
82     /// This will *not* show the code if the suggestion is inline *and* the suggested code is
83     /// empty.
84     ShowCode,
85     /// Always show the suggested code independently.
86     ShowAlways,
87 }
88
89 impl SuggestionStyle {
90     fn hide_inline(&self) -> bool {
91         match *self {
92             SuggestionStyle::ShowCode => false,
93             _ => true,
94         }
95     }
96 }
97
98 #[derive(Clone, Debug, PartialEq, Hash, RustcEncodable, RustcDecodable)]
99 pub struct CodeSuggestion {
100     /// Each substitute can have multiple variants due to multiple
101     /// applicable suggestions
102     ///
103     /// `foo.bar` might be replaced with `a.b` or `x.y` by replacing
104     /// `foo` and `bar` on their own:
105     ///
106     /// ```
107     /// vec![
108     ///     Substitution { parts: vec![(0..3, "a"), (4..7, "b")] },
109     ///     Substitution { parts: vec![(0..3, "x"), (4..7, "y")] },
110     /// ]
111     /// ```
112     ///
113     /// or by replacing the entire span:
114     ///
115     /// ```
116     /// vec![
117     ///     Substitution { parts: vec![(0..7, "a.b")] },
118     ///     Substitution { parts: vec![(0..7, "x.y")] },
119     /// ]
120     /// ```
121     pub substitutions: Vec<Substitution>,
122     pub msg: String,
123     /// Visual representation of this suggestion.
124     pub style: SuggestionStyle,
125     /// Whether or not the suggestion is approximate
126     ///
127     /// Sometimes we may show suggestions with placeholders,
128     /// which are useful for users but not useful for
129     /// tools like rustfix
130     pub applicability: Applicability,
131 }
132
133 #[derive(Clone, Debug, PartialEq, Hash, RustcEncodable, RustcDecodable)]
134 /// See the docs on `CodeSuggestion::substitutions`
135 pub struct Substitution {
136     pub parts: Vec<SubstitutionPart>,
137 }
138
139 #[derive(Clone, Debug, PartialEq, Hash, RustcEncodable, RustcDecodable)]
140 pub struct SubstitutionPart {
141     pub span: Span,
142     pub snippet: String,
143 }
144
145 impl CodeSuggestion {
146     /// Returns the assembled code suggestions, whether they should be shown with an underline
147     /// and whether the substitution only differs in capitalization.
148     pub fn splice_lines(&self, cm: &SourceMap) -> Vec<(String, Vec<SubstitutionPart>, bool)> {
149         use syntax_pos::{CharPos, Pos};
150
151         fn push_trailing(
152             buf: &mut String,
153             line_opt: Option<&Cow<'_, str>>,
154             lo: &Loc,
155             hi_opt: Option<&Loc>,
156         ) {
157             let (lo, hi_opt) = (lo.col.to_usize(), hi_opt.map(|hi| hi.col.to_usize()));
158             if let Some(line) = line_opt {
159                 if let Some(lo) = line.char_indices().map(|(i, _)| i).nth(lo) {
160                     let hi_opt = hi_opt.and_then(|hi| line.char_indices().map(|(i, _)| i).nth(hi));
161                     match hi_opt {
162                         Some(hi) if hi > lo => buf.push_str(&line[lo..hi]),
163                         Some(_) => (),
164                         None => buf.push_str(&line[lo..]),
165                     }
166                 }
167                 if let None = hi_opt {
168                     buf.push('\n');
169                 }
170             }
171         }
172
173         assert!(!self.substitutions.is_empty());
174
175         self.substitutions
176             .iter()
177             .cloned()
178             .map(|mut substitution| {
179                 // Assumption: all spans are in the same file, and all spans
180                 // are disjoint. Sort in ascending order.
181                 substitution.parts.sort_by_key(|part| part.span.lo());
182
183                 // Find the bounding span.
184                 let lo = substitution.parts.iter().map(|part| part.span.lo()).min().unwrap();
185                 let hi = substitution.parts.iter().map(|part| part.span.hi()).min().unwrap();
186                 let bounding_span = Span::with_root_ctxt(lo, hi);
187                 let lines = cm.span_to_lines(bounding_span).unwrap();
188                 assert!(!lines.lines.is_empty());
189
190                 // To build up the result, we do this for each span:
191                 // - push the line segment trailing the previous span
192                 //   (at the beginning a "phantom" span pointing at the start of the line)
193                 // - push lines between the previous and current span (if any)
194                 // - if the previous and current span are not on the same line
195                 //   push the line segment leading up to the current span
196                 // - splice in the span substitution
197                 //
198                 // Finally push the trailing line segment of the last span
199                 let fm = &lines.file;
200                 let mut prev_hi = cm.lookup_char_pos(bounding_span.lo());
201                 prev_hi.col = CharPos::from_usize(0);
202
203                 let mut prev_line = fm.get_line(lines.lines[0].line_index);
204                 let mut buf = String::new();
205
206                 for part in &substitution.parts {
207                     let cur_lo = cm.lookup_char_pos(part.span.lo());
208                     if prev_hi.line == cur_lo.line {
209                         push_trailing(&mut buf, prev_line.as_ref(), &prev_hi, Some(&cur_lo));
210                     } else {
211                         push_trailing(&mut buf, prev_line.as_ref(), &prev_hi, None);
212                         // push lines between the previous and current span (if any)
213                         for idx in prev_hi.line..(cur_lo.line - 1) {
214                             if let Some(line) = fm.get_line(idx) {
215                                 buf.push_str(line.as_ref());
216                                 buf.push('\n');
217                             }
218                         }
219                         if let Some(cur_line) = fm.get_line(cur_lo.line - 1) {
220                             let end = std::cmp::min(cur_line.len(), cur_lo.col.to_usize());
221                             buf.push_str(&cur_line[..end]);
222                         }
223                     }
224                     buf.push_str(&part.snippet);
225                     prev_hi = cm.lookup_char_pos(part.span.hi());
226                     prev_line = fm.get_line(prev_hi.line - 1);
227                 }
228                 let only_capitalization = is_case_difference(cm, &buf, bounding_span);
229                 // if the replacement already ends with a newline, don't print the next line
230                 if !buf.ends_with('\n') {
231                     push_trailing(&mut buf, prev_line.as_ref(), &prev_hi, None);
232                 }
233                 // remove trailing newlines
234                 while buf.ends_with('\n') {
235                     buf.pop();
236                 }
237                 (buf, substitution.parts, only_capitalization)
238             })
239             .collect()
240     }
241 }
242
243 pub use syntax_pos::fatal_error::{FatalError, FatalErrorMarker};
244
245 /// Signifies that the compiler died with an explicit call to `.bug`
246 /// or `.span_bug` rather than a failed assertion, etc.
247 #[derive(Copy, Clone, Debug)]
248 pub struct ExplicitBug;
249
250 impl fmt::Display for ExplicitBug {
251     fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
252         write!(f, "parser internal bug")
253     }
254 }
255
256 impl error::Error for ExplicitBug {}
257
258 pub use diagnostic::{Diagnostic, DiagnosticId, DiagnosticStyledString, SubDiagnostic};
259 pub use diagnostic_builder::DiagnosticBuilder;
260
261 /// A handler deals with errors and other compiler output.
262 /// Certain errors (fatal, bug, unimpl) may cause immediate exit,
263 /// others log errors for later reporting.
264 pub struct Handler {
265     flags: HandlerFlags,
266     inner: Lock<HandlerInner>,
267 }
268
269 /// This inner struct exists to keep it all behind a single lock;
270 /// this is done to prevent possible deadlocks in a multi-threaded compiler,
271 /// as well as inconsistent state observation.
272 struct HandlerInner {
273     flags: HandlerFlags,
274     /// The number of errors that have been emitted, including duplicates.
275     ///
276     /// This is not necessarily the count that's reported to the user once
277     /// compilation ends.
278     err_count: usize,
279     deduplicated_err_count: usize,
280     emitter: Box<dyn Emitter + sync::Send>,
281     continue_after_error: bool,
282     delayed_span_bugs: Vec<Diagnostic>,
283
284     /// This set contains the `DiagnosticId` of all emitted diagnostics to avoid
285     /// emitting the same diagnostic with extended help (`--teach`) twice, which
286     /// would be uneccessary repetition.
287     taught_diagnostics: FxHashSet<DiagnosticId>,
288
289     /// Used to suggest rustc --explain <error code>
290     emitted_diagnostic_codes: FxHashSet<DiagnosticId>,
291
292     /// This set contains a hash of every diagnostic that has been emitted by
293     /// this handler. These hashes is used to avoid emitting the same error
294     /// twice.
295     emitted_diagnostics: FxHashSet<u128>,
296
297     /// Stashed diagnostics emitted in one stage of the compiler that may be
298     /// stolen by other stages (e.g. to improve them and add more information).
299     /// The stashed diagnostics count towards the total error count.
300     /// When `.abort_if_errors()` is called, these are also emitted.
301     stashed_diagnostics: FxIndexMap<(Span, StashKey), Diagnostic>,
302 }
303
304 /// A key denoting where from a diagnostic was stashed.
305 #[derive(Copy, Clone, PartialEq, Eq, PartialOrd, Ord, Hash, Debug)]
306 pub enum StashKey {
307     ItemNoType,
308 }
309
310 fn default_track_diagnostic(_: &Diagnostic) {}
311
312 pub static TRACK_DIAGNOSTICS: AtomicRef<fn(&Diagnostic)> =
313     AtomicRef::new(&(default_track_diagnostic as fn(&_)));
314
315 #[derive(Copy, Clone, Default)]
316 pub struct HandlerFlags {
317     /// If false, warning-level lints are suppressed.
318     /// (rustc: see `--allow warnings` and `--cap-lints`)
319     pub can_emit_warnings: bool,
320     /// If true, error-level diagnostics are upgraded to bug-level.
321     /// (rustc: see `-Z treat-err-as-bug`)
322     pub treat_err_as_bug: Option<usize>,
323     /// If true, immediately emit diagnostics that would otherwise be buffered.
324     /// (rustc: see `-Z dont-buffer-diagnostics` and `-Z treat-err-as-bug`)
325     pub dont_buffer_diagnostics: bool,
326     /// If true, immediately print bugs registered with `delay_span_bug`.
327     /// (rustc: see `-Z report-delayed-bugs`)
328     pub report_delayed_bugs: bool,
329     /// show macro backtraces even for non-local macros.
330     /// (rustc: see `-Z external-macro-backtrace`)
331     pub external_macro_backtrace: bool,
332 }
333
334 impl Drop for HandlerInner {
335     fn drop(&mut self) {
336         self.emit_stashed_diagnostics();
337
338         if !self.has_errors() {
339             let bugs = std::mem::replace(&mut self.delayed_span_bugs, Vec::new());
340             let has_bugs = !bugs.is_empty();
341             for bug in bugs {
342                 self.emit_diagnostic(&bug);
343             }
344             if has_bugs {
345                 panic!("no errors encountered even though `delay_span_bug` issued");
346             }
347         }
348     }
349 }
350
351 impl Handler {
352     pub fn with_tty_emitter(
353         color_config: ColorConfig,
354         can_emit_warnings: bool,
355         treat_err_as_bug: Option<usize>,
356         cm: Option<Lrc<SourceMap>>,
357     ) -> Self {
358         Self::with_tty_emitter_and_flags(
359             color_config,
360             cm,
361             HandlerFlags { can_emit_warnings, treat_err_as_bug, ..Default::default() },
362         )
363     }
364
365     pub fn with_tty_emitter_and_flags(
366         color_config: ColorConfig,
367         cm: Option<Lrc<SourceMap>>,
368         flags: HandlerFlags,
369     ) -> Self {
370         let emitter = Box::new(EmitterWriter::stderr(
371             color_config,
372             cm,
373             false,
374             false,
375             None,
376             flags.external_macro_backtrace,
377         ));
378         Self::with_emitter_and_flags(emitter, flags)
379     }
380
381     pub fn with_emitter(
382         can_emit_warnings: bool,
383         treat_err_as_bug: Option<usize>,
384         emitter: Box<dyn Emitter + sync::Send>,
385     ) -> Self {
386         Handler::with_emitter_and_flags(
387             emitter,
388             HandlerFlags { can_emit_warnings, treat_err_as_bug, ..Default::default() },
389         )
390     }
391
392     pub fn with_emitter_and_flags(
393         emitter: Box<dyn Emitter + sync::Send>,
394         flags: HandlerFlags,
395     ) -> Self {
396         Self {
397             flags,
398             inner: Lock::new(HandlerInner {
399                 flags,
400                 err_count: 0,
401                 deduplicated_err_count: 0,
402                 emitter,
403                 continue_after_error: true,
404                 delayed_span_bugs: Vec::new(),
405                 taught_diagnostics: Default::default(),
406                 emitted_diagnostic_codes: Default::default(),
407                 emitted_diagnostics: Default::default(),
408                 stashed_diagnostics: Default::default(),
409             }),
410         }
411     }
412
413     pub fn set_continue_after_error(&self, continue_after_error: bool) {
414         self.inner.borrow_mut().continue_after_error = continue_after_error;
415     }
416
417     // This is here to not allow mutation of flags;
418     // as of this writing it's only used in tests in librustc.
419     pub fn can_emit_warnings(&self) -> bool {
420         self.flags.can_emit_warnings
421     }
422
423     /// Resets the diagnostic error count as well as the cached emitted diagnostics.
424     ///
425     /// NOTE: *do not* call this function from rustc. It is only meant to be called from external
426     /// tools that want to reuse a `Parser` cleaning the previously emitted diagnostics as well as
427     /// the overall count of emitted error diagnostics.
428     pub fn reset_err_count(&self) {
429         let mut inner = self.inner.borrow_mut();
430         inner.err_count = 0;
431         inner.deduplicated_err_count = 0;
432
433         // actually free the underlying memory (which `clear` would not do)
434         inner.delayed_span_bugs = Default::default();
435         inner.taught_diagnostics = Default::default();
436         inner.emitted_diagnostic_codes = Default::default();
437         inner.emitted_diagnostics = Default::default();
438         inner.stashed_diagnostics = Default::default();
439     }
440
441     /// Stash a given diagnostic with the given `Span` and `StashKey` as the key for later stealing.
442     /// If the diagnostic with this `(span, key)` already exists, this will result in an ICE.
443     pub fn stash_diagnostic(&self, span: Span, key: StashKey, diag: Diagnostic) {
444         let mut inner = self.inner.borrow_mut();
445         if let Some(mut old_diag) = inner.stashed_diagnostics.insert((span, key), diag) {
446             // We are removing a previously stashed diagnostic which should not happen.
447             old_diag.level = Bug;
448             old_diag.note(&format!(
449                 "{}:{}: already existing stashed diagnostic with (span = {:?}, key = {:?})",
450                 file!(),
451                 line!(),
452                 span,
453                 key
454             ));
455             inner.emit_diag_at_span(old_diag, span);
456             panic!(ExplicitBug);
457         }
458     }
459
460     /// Steal a previously stashed diagnostic with the given `Span` and `StashKey` as the key.
461     pub fn steal_diagnostic(&self, span: Span, key: StashKey) -> Option<DiagnosticBuilder<'_>> {
462         self.inner
463             .borrow_mut()
464             .stashed_diagnostics
465             .remove(&(span, key))
466             .map(|diag| DiagnosticBuilder::new_diagnostic(self, diag))
467     }
468
469     /// Emit all stashed diagnostics.
470     pub fn emit_stashed_diagnostics(&self) {
471         self.inner.borrow_mut().emit_stashed_diagnostics();
472     }
473
474     /// Construct a dummy builder with `Level::Cancelled`.
475     ///
476     /// Using this will neither report anything to the user (e.g. a warning),
477     /// nor will compilation cancel as a result.
478     pub fn struct_dummy(&self) -> DiagnosticBuilder<'_> {
479         DiagnosticBuilder::new(self, Level::Cancelled, "")
480     }
481
482     /// Construct a builder at the `Warning` level at the given `span` and with the `msg`.
483     pub fn struct_span_warn(&self, span: impl Into<MultiSpan>, msg: &str) -> DiagnosticBuilder<'_> {
484         let mut result = self.struct_warn(msg);
485         result.set_span(span);
486         result
487     }
488
489     /// Construct a builder at the `Warning` level at the given `span` and with the `msg`.
490     /// Also include a code.
491     pub fn struct_span_warn_with_code(
492         &self,
493         span: impl Into<MultiSpan>,
494         msg: &str,
495         code: DiagnosticId,
496     ) -> DiagnosticBuilder<'_> {
497         let mut result = self.struct_span_warn(span, msg);
498         result.code(code);
499         result
500     }
501
502     /// Construct a builder at the `Warning` level with the `msg`.
503     pub fn struct_warn(&self, msg: &str) -> DiagnosticBuilder<'_> {
504         let mut result = DiagnosticBuilder::new(self, Level::Warning, msg);
505         if !self.flags.can_emit_warnings {
506             result.cancel();
507         }
508         result
509     }
510
511     /// Construct a builder at the `Error` level at the given `span` and with the `msg`.
512     pub fn struct_span_err(&self, span: impl Into<MultiSpan>, msg: &str) -> DiagnosticBuilder<'_> {
513         let mut result = self.struct_err(msg);
514         result.set_span(span);
515         result
516     }
517
518     /// Construct a builder at the `Error` level at the given `span`, with the `msg`, and `code`.
519     pub fn struct_span_err_with_code(
520         &self,
521         span: impl Into<MultiSpan>,
522         msg: &str,
523         code: DiagnosticId,
524     ) -> DiagnosticBuilder<'_> {
525         let mut result = self.struct_span_err(span, msg);
526         result.code(code);
527         result
528     }
529
530     /// Construct a builder at the `Error` level with the `msg`.
531     // FIXME: This method should be removed (every error should have an associated error code).
532     pub fn struct_err(&self, msg: &str) -> DiagnosticBuilder<'_> {
533         DiagnosticBuilder::new(self, Level::Error, msg)
534     }
535
536     /// Construct a builder at the `Error` level with the `msg` and the `code`.
537     pub fn struct_err_with_code(&self, msg: &str, code: DiagnosticId) -> DiagnosticBuilder<'_> {
538         let mut result = self.struct_err(msg);
539         result.code(code);
540         result
541     }
542
543     /// Construct a builder at the `Fatal` level at the given `span` and with the `msg`.
544     pub fn struct_span_fatal(
545         &self,
546         span: impl Into<MultiSpan>,
547         msg: &str,
548     ) -> DiagnosticBuilder<'_> {
549         let mut result = self.struct_fatal(msg);
550         result.set_span(span);
551         result
552     }
553
554     /// Construct a builder at the `Fatal` level at the given `span`, with the `msg`, and `code`.
555     pub fn struct_span_fatal_with_code(
556         &self,
557         span: impl Into<MultiSpan>,
558         msg: &str,
559         code: DiagnosticId,
560     ) -> DiagnosticBuilder<'_> {
561         let mut result = self.struct_span_fatal(span, msg);
562         result.code(code);
563         result
564     }
565
566     /// Construct a builder at the `Error` level with the `msg`.
567     pub fn struct_fatal(&self, msg: &str) -> DiagnosticBuilder<'_> {
568         DiagnosticBuilder::new(self, Level::Fatal, msg)
569     }
570
571     /// Construct a builder at the `Help` level with the `msg`.
572     pub fn struct_help(&self, msg: &str) -> DiagnosticBuilder<'_> {
573         DiagnosticBuilder::new(self, Level::Help, msg)
574     }
575
576     pub fn span_fatal(&self, span: impl Into<MultiSpan>, msg: &str) -> FatalError {
577         self.emit_diag_at_span(Diagnostic::new(Fatal, msg), span);
578         FatalError
579     }
580
581     pub fn span_fatal_with_code(
582         &self,
583         span: impl Into<MultiSpan>,
584         msg: &str,
585         code: DiagnosticId,
586     ) -> FatalError {
587         self.emit_diag_at_span(Diagnostic::new_with_code(Fatal, Some(code), msg), span);
588         FatalError
589     }
590
591     pub fn span_err(&self, span: impl Into<MultiSpan>, msg: &str) {
592         self.emit_diag_at_span(Diagnostic::new(Error, msg), span);
593     }
594
595     pub fn span_err_with_code(&self, span: impl Into<MultiSpan>, msg: &str, code: DiagnosticId) {
596         self.emit_diag_at_span(Diagnostic::new_with_code(Error, Some(code), msg), span);
597     }
598
599     pub fn span_warn(&self, span: impl Into<MultiSpan>, msg: &str) {
600         self.emit_diag_at_span(Diagnostic::new(Warning, msg), span);
601     }
602
603     pub fn span_warn_with_code(&self, span: impl Into<MultiSpan>, msg: &str, code: DiagnosticId) {
604         self.emit_diag_at_span(Diagnostic::new_with_code(Warning, Some(code), msg), span);
605     }
606
607     pub fn span_bug(&self, span: impl Into<MultiSpan>, msg: &str) -> ! {
608         self.inner.borrow_mut().span_bug(span, msg)
609     }
610
611     pub fn delay_span_bug(&self, span: impl Into<MultiSpan>, msg: &str) {
612         self.inner.borrow_mut().delay_span_bug(span, msg)
613     }
614
615     pub fn span_bug_no_panic(&self, span: impl Into<MultiSpan>, msg: &str) {
616         self.emit_diag_at_span(Diagnostic::new(Bug, msg), span);
617     }
618
619     pub fn span_note_without_error(&self, span: impl Into<MultiSpan>, msg: &str) {
620         self.emit_diag_at_span(Diagnostic::new(Note, msg), span);
621     }
622
623     pub fn span_note_diag(&self, span: Span, msg: &str) -> DiagnosticBuilder<'_> {
624         let mut db = DiagnosticBuilder::new(self, Note, msg);
625         db.set_span(span);
626         db
627     }
628
629     pub fn failure(&self, msg: &str) {
630         self.inner.borrow_mut().failure(msg);
631     }
632
633     pub fn fatal(&self, msg: &str) -> FatalError {
634         self.inner.borrow_mut().fatal(msg)
635     }
636
637     pub fn err(&self, msg: &str) {
638         self.inner.borrow_mut().err(msg);
639     }
640
641     pub fn warn(&self, msg: &str) {
642         let mut db = DiagnosticBuilder::new(self, Warning, msg);
643         db.emit();
644     }
645
646     pub fn note_without_error(&self, msg: &str) {
647         DiagnosticBuilder::new(self, Note, msg).emit();
648     }
649
650     pub fn bug(&self, msg: &str) -> ! {
651         self.inner.borrow_mut().bug(msg)
652     }
653
654     pub fn err_count(&self) -> usize {
655         self.inner.borrow().err_count()
656     }
657
658     pub fn has_errors(&self) -> bool {
659         self.inner.borrow().has_errors()
660     }
661     pub fn has_errors_or_delayed_span_bugs(&self) -> bool {
662         self.inner.borrow().has_errors_or_delayed_span_bugs()
663     }
664
665     pub fn print_error_count(&self, registry: &Registry) {
666         self.inner.borrow_mut().print_error_count(registry)
667     }
668
669     pub fn abort_if_errors(&self) {
670         self.inner.borrow_mut().abort_if_errors()
671     }
672
673     pub fn abort_if_errors_and_should_abort(&self) {
674         self.inner.borrow_mut().abort_if_errors_and_should_abort()
675     }
676
677     /// `true` if we haven't taught a diagnostic with this code already.
678     /// The caller must then teach the user about such a diagnostic.
679     ///
680     /// Used to suppress emitting the same error multiple times with extended explanation when
681     /// calling `-Zteach`.
682     pub fn must_teach(&self, code: &DiagnosticId) -> bool {
683         self.inner.borrow_mut().must_teach(code)
684     }
685
686     pub fn force_print_diagnostic(&self, db: Diagnostic) {
687         self.inner.borrow_mut().force_print_diagnostic(db)
688     }
689
690     pub fn emit_diagnostic(&self, diagnostic: &Diagnostic) {
691         self.inner.borrow_mut().emit_diagnostic(diagnostic)
692     }
693
694     fn emit_diag_at_span(&self, mut diag: Diagnostic, sp: impl Into<MultiSpan>) {
695         let mut inner = self.inner.borrow_mut();
696         inner.emit_diagnostic(diag.set_span(sp));
697         inner.abort_if_errors_and_should_abort();
698     }
699
700     pub fn emit_artifact_notification(&self, path: &Path, artifact_type: &str) {
701         self.inner.borrow_mut().emit_artifact_notification(path, artifact_type)
702     }
703
704     pub fn delay_as_bug(&self, diagnostic: Diagnostic) {
705         self.inner.borrow_mut().delay_as_bug(diagnostic)
706     }
707 }
708
709 impl HandlerInner {
710     fn must_teach(&mut self, code: &DiagnosticId) -> bool {
711         self.taught_diagnostics.insert(code.clone())
712     }
713
714     fn force_print_diagnostic(&mut self, db: Diagnostic) {
715         self.emitter.emit_diagnostic(&db);
716     }
717
718     /// Emit all stashed diagnostics.
719     fn emit_stashed_diagnostics(&mut self) {
720         let diags = self.stashed_diagnostics.drain(..).map(|x| x.1).collect::<Vec<_>>();
721         diags.iter().for_each(|diag| self.emit_diagnostic(diag));
722     }
723
724     fn emit_diagnostic(&mut self, diagnostic: &Diagnostic) {
725         if diagnostic.cancelled() {
726             return;
727         }
728
729         if diagnostic.level == Warning && !self.flags.can_emit_warnings {
730             return;
731         }
732
733         (*TRACK_DIAGNOSTICS)(diagnostic);
734
735         if let Some(ref code) = diagnostic.code {
736             self.emitted_diagnostic_codes.insert(code.clone());
737         }
738
739         let diagnostic_hash = {
740             use std::hash::Hash;
741             let mut hasher = StableHasher::new();
742             diagnostic.hash(&mut hasher);
743             hasher.finish()
744         };
745
746         // Only emit the diagnostic if we haven't already emitted an equivalent
747         // one:
748         if self.emitted_diagnostics.insert(diagnostic_hash) {
749             self.emitter.emit_diagnostic(diagnostic);
750             if diagnostic.is_error() {
751                 self.deduplicated_err_count += 1;
752             }
753         }
754         if diagnostic.is_error() {
755             self.bump_err_count();
756         }
757     }
758
759     fn emit_artifact_notification(&mut self, path: &Path, artifact_type: &str) {
760         self.emitter.emit_artifact_notification(path, artifact_type);
761     }
762
763     fn treat_err_as_bug(&self) -> bool {
764         self.flags.treat_err_as_bug.map(|c| self.err_count() >= c).unwrap_or(false)
765     }
766
767     fn print_error_count(&mut self, registry: &Registry) {
768         self.emit_stashed_diagnostics();
769
770         let s = match self.deduplicated_err_count {
771             0 => return,
772             1 => "aborting due to previous error".to_string(),
773             count => format!("aborting due to {} previous errors", count),
774         };
775         if self.treat_err_as_bug() {
776             return;
777         }
778
779         let _ = self.fatal(&s);
780
781         let can_show_explain = self.emitter.should_show_explain();
782         let are_there_diagnostics = !self.emitted_diagnostic_codes.is_empty();
783         if can_show_explain && are_there_diagnostics {
784             let mut error_codes = self
785                 .emitted_diagnostic_codes
786                 .iter()
787                 .filter_map(|x| match &x {
788                     DiagnosticId::Error(s) if registry.find_description(s).is_some() => {
789                         Some(s.clone())
790                     }
791                     _ => None,
792                 })
793                 .collect::<Vec<_>>();
794             if !error_codes.is_empty() {
795                 error_codes.sort();
796                 if error_codes.len() > 1 {
797                     let limit = if error_codes.len() > 9 { 9 } else { error_codes.len() };
798                     self.failure(&format!(
799                         "Some errors have detailed explanations: {}{}",
800                         error_codes[..limit].join(", "),
801                         if error_codes.len() > 9 { "..." } else { "." }
802                     ));
803                     self.failure(&format!(
804                         "For more information about an error, try \
805                                            `rustc --explain {}`.",
806                         &error_codes[0]
807                     ));
808                 } else {
809                     self.failure(&format!(
810                         "For more information about this error, try \
811                                            `rustc --explain {}`.",
812                         &error_codes[0]
813                     ));
814                 }
815             }
816         }
817     }
818
819     fn err_count(&self) -> usize {
820         self.err_count + self.stashed_diagnostics.len()
821     }
822
823     fn has_errors(&self) -> bool {
824         self.err_count() > 0
825     }
826     fn has_errors_or_delayed_span_bugs(&self) -> bool {
827         self.has_errors() || !self.delayed_span_bugs.is_empty()
828     }
829
830     fn abort_if_errors_and_should_abort(&mut self) {
831         self.emit_stashed_diagnostics();
832
833         if self.has_errors() && !self.continue_after_error {
834             FatalError.raise();
835         }
836     }
837
838     fn abort_if_errors(&mut self) {
839         self.emit_stashed_diagnostics();
840
841         if self.has_errors() {
842             FatalError.raise();
843         }
844     }
845
846     fn span_bug(&mut self, sp: impl Into<MultiSpan>, msg: &str) -> ! {
847         self.emit_diag_at_span(Diagnostic::new(Bug, msg), sp);
848         panic!(ExplicitBug);
849     }
850
851     fn emit_diag_at_span(&mut self, mut diag: Diagnostic, sp: impl Into<MultiSpan>) {
852         self.emit_diagnostic(diag.set_span(sp));
853         self.abort_if_errors_and_should_abort();
854     }
855
856     fn delay_span_bug(&mut self, sp: impl Into<MultiSpan>, msg: &str) {
857         if self.treat_err_as_bug() {
858             // FIXME: don't abort here if report_delayed_bugs is off
859             self.span_bug(sp, msg);
860         }
861         let mut diagnostic = Diagnostic::new(Level::Bug, msg);
862         diagnostic.set_span(sp.into());
863         self.delay_as_bug(diagnostic)
864     }
865
866     fn failure(&mut self, msg: &str) {
867         self.emit_diagnostic(&Diagnostic::new(FailureNote, msg));
868     }
869
870     fn fatal(&mut self, msg: &str) -> FatalError {
871         self.emit_error(Fatal, msg);
872         FatalError
873     }
874
875     fn err(&mut self, msg: &str) {
876         self.emit_error(Error, msg);
877     }
878
879     /// Emit an error; level should be `Error` or `Fatal`.
880     fn emit_error(&mut self, level: Level, msg: &str) {
881         if self.treat_err_as_bug() {
882             self.bug(msg);
883         }
884         self.emit_diagnostic(&Diagnostic::new(level, msg));
885     }
886
887     fn bug(&mut self, msg: &str) -> ! {
888         self.emit_diagnostic(&Diagnostic::new(Bug, msg));
889         panic!(ExplicitBug);
890     }
891
892     fn delay_as_bug(&mut self, diagnostic: Diagnostic) {
893         if self.flags.report_delayed_bugs {
894             self.emit_diagnostic(&diagnostic);
895         }
896         self.delayed_span_bugs.push(diagnostic);
897     }
898
899     fn bump_err_count(&mut self) {
900         self.err_count += 1;
901         self.panic_if_treat_err_as_bug();
902     }
903
904     fn panic_if_treat_err_as_bug(&self) {
905         if self.treat_err_as_bug() {
906             let s = match (self.err_count(), self.flags.treat_err_as_bug.unwrap_or(0)) {
907                 (0, _) => return,
908                 (1, 1) => "aborting due to `-Z treat-err-as-bug=1`".to_string(),
909                 (1, _) => return,
910                 (count, as_bug) => format!(
911                     "aborting after {} errors due to `-Z treat-err-as-bug={}`",
912                     count, as_bug,
913                 ),
914             };
915             panic!(s);
916         }
917     }
918 }
919
920 #[derive(Copy, PartialEq, Clone, Hash, Debug, RustcEncodable, RustcDecodable)]
921 pub enum Level {
922     Bug,
923     Fatal,
924     Error,
925     Warning,
926     Note,
927     Help,
928     Cancelled,
929     FailureNote,
930 }
931
932 impl fmt::Display for Level {
933     fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
934         self.to_str().fmt(f)
935     }
936 }
937
938 impl Level {
939     fn color(self) -> ColorSpec {
940         let mut spec = ColorSpec::new();
941         match self {
942             Bug | Fatal | Error => {
943                 spec.set_fg(Some(Color::Red)).set_intense(true);
944             }
945             Warning => {
946                 spec.set_fg(Some(Color::Yellow)).set_intense(cfg!(windows));
947             }
948             Note => {
949                 spec.set_fg(Some(Color::Green)).set_intense(true);
950             }
951             Help => {
952                 spec.set_fg(Some(Color::Cyan)).set_intense(true);
953             }
954             FailureNote => {}
955             Cancelled => unreachable!(),
956         }
957         spec
958     }
959
960     pub fn to_str(self) -> &'static str {
961         match self {
962             Bug => "error: internal compiler error",
963             Fatal | Error => "error",
964             Warning => "warning",
965             Note => "note",
966             Help => "help",
967             FailureNote => "failure-note",
968             Cancelled => panic!("Shouldn't call on cancelled error"),
969         }
970     }
971
972     pub fn is_failure_note(&self) -> bool {
973         match *self {
974             FailureNote => true,
975             _ => false,
976         }
977     }
978 }
979
980 #[macro_export]
981 macro_rules! pluralize {
982     ($x:expr) => {
983         if $x != 1 { "s" } else { "" }
984     };
985 }
986
987 // Useful type to use with `Result<>` indicate that an error has already
988 // been reported to the user, so no need to continue checking.
989 #[derive(Clone, Copy, Debug, RustcEncodable, RustcDecodable, Hash, PartialEq, Eq)]
990 pub struct ErrorReported;
991
992 rustc_data_structures::impl_stable_hash_via_hash!(ErrorReported);