]> git.lizzy.rs Git - rust.git/blob - compiler/rustc_errors/src/lib.rs
Implement -Ztrack-diagnostics
[rust.git] / compiler / rustc_errors / src / 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/nightly-rustc/")]
6 #![feature(drain_filter)]
7 #![feature(if_let_guard)]
8 #![feature(adt_const_params)]
9 #![feature(let_chains)]
10 #![feature(never_type)]
11 #![feature(result_option_inspect)]
12 #![feature(rustc_attrs)]
13 #![allow(incomplete_features)]
14
15 #[macro_use]
16 extern crate rustc_macros;
17
18 #[macro_use]
19 extern crate tracing;
20
21 pub use emitter::ColorConfig;
22
23 use rustc_lint_defs::LintExpectationId;
24 use Level::*;
25
26 use emitter::{is_case_difference, Emitter, EmitterWriter};
27 use registry::Registry;
28 use rustc_data_structures::fx::{FxHashMap, FxHashSet, FxIndexMap, FxIndexSet};
29 use rustc_data_structures::stable_hasher::StableHasher;
30 use rustc_data_structures::sync::{self, Lock, Lrc};
31 use rustc_data_structures::AtomicRef;
32 pub use rustc_error_messages::{
33     fallback_fluent_bundle, fluent, fluent_bundle, DelayDm, DiagnosticMessage, FluentBundle,
34     LanguageIdentifier, LazyFallbackBundle, MultiSpan, SpanLabel, SubdiagnosticMessage,
35     DEFAULT_LOCALE_RESOURCES,
36 };
37 pub use rustc_lint_defs::{pluralize, Applicability};
38 use rustc_span::source_map::SourceMap;
39 use rustc_span::HashStableContext;
40 use rustc_span::{Loc, Span};
41
42 use std::borrow::Cow;
43 use std::hash::Hash;
44 use std::num::NonZeroUsize;
45 use std::panic;
46 use std::path::Path;
47 use std::{error, fmt};
48
49 use termcolor::{Color, ColorSpec};
50
51 pub mod annotate_snippet_emitter_writer;
52 mod diagnostic;
53 mod diagnostic_builder;
54 mod diagnostic_impls;
55 pub mod emitter;
56 pub mod json;
57 mod lock;
58 pub mod registry;
59 mod snippet;
60 mod styled_buffer;
61 pub mod translation;
62
63 pub use diagnostic_builder::IntoDiagnostic;
64 pub use snippet::Style;
65
66 pub type PErr<'a> = DiagnosticBuilder<'a, ErrorGuaranteed>;
67 pub type PResult<'a, T> = Result<T, PErr<'a>>;
68
69 // `PResult` is used a lot. Make sure it doesn't unintentionally get bigger.
70 // (See also the comment on `DiagnosticBuilderInner`'s `diagnostic` field.)
71 #[cfg(all(target_arch = "x86_64", target_pointer_width = "64"))]
72 rustc_data_structures::static_assert_size!(PResult<'_, ()>, 16);
73 #[cfg(all(target_arch = "x86_64", target_pointer_width = "64"))]
74 rustc_data_structures::static_assert_size!(PResult<'_, bool>, 16);
75
76 #[derive(Debug, PartialEq, Eq, Clone, Copy, Hash, Encodable, Decodable)]
77 pub enum SuggestionStyle {
78     /// Hide the suggested code when displaying this suggestion inline.
79     HideCodeInline,
80     /// Always hide the suggested code but display the message.
81     HideCodeAlways,
82     /// Do not display this suggestion in the cli output, it is only meant for tools.
83     CompletelyHidden,
84     /// Always show the suggested code.
85     /// This will *not* show the code if the suggestion is inline *and* the suggested code is
86     /// empty.
87     ShowCode,
88     /// Always show the suggested code independently.
89     ShowAlways,
90 }
91
92 impl SuggestionStyle {
93     fn hide_inline(&self) -> bool {
94         !matches!(*self, SuggestionStyle::ShowCode)
95     }
96 }
97
98 #[derive(Clone, Debug, PartialEq, Hash, Encodable, Decodable)]
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     /// ```ignore (illustrative)
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     /// ```ignore (illustrative)
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: DiagnosticMessage,
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, Encodable, Decodable)]
134 /// See the docs on `CodeSuggestion::substitutions`
135 pub struct Substitution {
136     pub parts: Vec<SubstitutionPart>,
137 }
138
139 #[derive(Clone, Debug, PartialEq, Hash, Encodable, Decodable)]
140 pub struct SubstitutionPart {
141     pub span: Span,
142     pub snippet: String,
143 }
144
145 /// Used to translate between `Span`s and byte positions within a single output line in highlighted
146 /// code of structured suggestions.
147 #[derive(Debug, Clone, Copy)]
148 pub struct SubstitutionHighlight {
149     start: usize,
150     end: usize,
151 }
152
153 impl SubstitutionPart {
154     pub fn is_addition(&self, sm: &SourceMap) -> bool {
155         !self.snippet.is_empty() && !self.replaces_meaningful_content(sm)
156     }
157
158     pub fn is_deletion(&self, sm: &SourceMap) -> bool {
159         self.snippet.trim().is_empty() && self.replaces_meaningful_content(sm)
160     }
161
162     pub fn is_replacement(&self, sm: &SourceMap) -> bool {
163         !self.snippet.is_empty() && self.replaces_meaningful_content(sm)
164     }
165
166     fn replaces_meaningful_content(&self, sm: &SourceMap) -> bool {
167         sm.span_to_snippet(self.span)
168             .map_or(!self.span.is_empty(), |snippet| !snippet.trim().is_empty())
169     }
170 }
171
172 impl CodeSuggestion {
173     /// Returns the assembled code suggestions, whether they should be shown with an underline
174     /// and whether the substitution only differs in capitalization.
175     pub fn splice_lines(
176         &self,
177         sm: &SourceMap,
178     ) -> Vec<(String, Vec<SubstitutionPart>, Vec<Vec<SubstitutionHighlight>>, bool)> {
179         // For the `Vec<Vec<SubstitutionHighlight>>` value, the first level of the vector
180         // corresponds to the output snippet's lines, while the second level corresponds to the
181         // substrings within that line that should be highlighted.
182
183         use rustc_span::{CharPos, Pos};
184
185         /// Append to a buffer the remainder of the line of existing source code, and return the
186         /// count of lines that have been added for accurate highlighting.
187         fn push_trailing(
188             buf: &mut String,
189             line_opt: Option<&Cow<'_, str>>,
190             lo: &Loc,
191             hi_opt: Option<&Loc>,
192         ) -> usize {
193             let mut line_count = 0;
194             let (lo, hi_opt) = (lo.col.to_usize(), hi_opt.map(|hi| hi.col.to_usize()));
195             if let Some(line) = line_opt {
196                 if let Some(lo) = line.char_indices().map(|(i, _)| i).nth(lo) {
197                     let hi_opt = hi_opt.and_then(|hi| line.char_indices().map(|(i, _)| i).nth(hi));
198                     match hi_opt {
199                         Some(hi) if hi > lo => {
200                             line_count = line[lo..hi].matches('\n').count();
201                             buf.push_str(&line[lo..hi])
202                         }
203                         Some(_) => (),
204                         None => {
205                             line_count = line[lo..].matches('\n').count();
206                             buf.push_str(&line[lo..])
207                         }
208                     }
209                 }
210                 if hi_opt.is_none() {
211                     buf.push('\n');
212                 }
213             }
214             line_count
215         }
216
217         assert!(!self.substitutions.is_empty());
218
219         self.substitutions
220             .iter()
221             .filter(|subst| {
222                 // Suggestions coming from macros can have malformed spans. This is a heavy
223                 // handed approach to avoid ICEs by ignoring the suggestion outright.
224                 let invalid = subst.parts.iter().any(|item| sm.is_valid_span(item.span).is_err());
225                 if invalid {
226                     debug!("splice_lines: suggestion contains an invalid span: {:?}", subst);
227                 }
228                 !invalid
229             })
230             .cloned()
231             .filter_map(|mut substitution| {
232                 // Assumption: all spans are in the same file, and all spans
233                 // are disjoint. Sort in ascending order.
234                 substitution.parts.sort_by_key(|part| part.span.lo());
235
236                 // Find the bounding span.
237                 let lo = substitution.parts.iter().map(|part| part.span.lo()).min()?;
238                 let hi = substitution.parts.iter().map(|part| part.span.hi()).max()?;
239                 let bounding_span = Span::with_root_ctxt(lo, hi);
240                 // The different spans might belong to different contexts, if so ignore suggestion.
241                 let lines = sm.span_to_lines(bounding_span).ok()?;
242                 assert!(!lines.lines.is_empty() || bounding_span.is_dummy());
243
244                 // We can't splice anything if the source is unavailable.
245                 if !sm.ensure_source_file_source_present(lines.file.clone()) {
246                     return None;
247                 }
248
249                 let mut highlights = vec![];
250                 // To build up the result, we do this for each span:
251                 // - push the line segment trailing the previous span
252                 //   (at the beginning a "phantom" span pointing at the start of the line)
253                 // - push lines between the previous and current span (if any)
254                 // - if the previous and current span are not on the same line
255                 //   push the line segment leading up to the current span
256                 // - splice in the span substitution
257                 //
258                 // Finally push the trailing line segment of the last span
259                 let sf = &lines.file;
260                 let mut prev_hi = sm.lookup_char_pos(bounding_span.lo());
261                 prev_hi.col = CharPos::from_usize(0);
262                 let mut prev_line =
263                     lines.lines.get(0).and_then(|line0| sf.get_line(line0.line_index));
264                 let mut buf = String::new();
265
266                 let mut line_highlight = vec![];
267                 // We need to keep track of the difference between the existing code and the added
268                 // or deleted code in order to point at the correct column *after* substitution.
269                 let mut acc = 0;
270                 for part in &substitution.parts {
271                     let cur_lo = sm.lookup_char_pos(part.span.lo());
272                     if prev_hi.line == cur_lo.line {
273                         let mut count =
274                             push_trailing(&mut buf, prev_line.as_ref(), &prev_hi, Some(&cur_lo));
275                         while count > 0 {
276                             highlights.push(std::mem::take(&mut line_highlight));
277                             acc = 0;
278                             count -= 1;
279                         }
280                     } else {
281                         acc = 0;
282                         highlights.push(std::mem::take(&mut line_highlight));
283                         let mut count = push_trailing(&mut buf, prev_line.as_ref(), &prev_hi, None);
284                         while count > 0 {
285                             highlights.push(std::mem::take(&mut line_highlight));
286                             count -= 1;
287                         }
288                         // push lines between the previous and current span (if any)
289                         for idx in prev_hi.line..(cur_lo.line - 1) {
290                             if let Some(line) = sf.get_line(idx) {
291                                 buf.push_str(line.as_ref());
292                                 buf.push('\n');
293                                 highlights.push(std::mem::take(&mut line_highlight));
294                             }
295                         }
296                         if let Some(cur_line) = sf.get_line(cur_lo.line - 1) {
297                             let end = match cur_line.char_indices().nth(cur_lo.col.to_usize()) {
298                                 Some((i, _)) => i,
299                                 None => cur_line.len(),
300                             };
301                             buf.push_str(&cur_line[..end]);
302                         }
303                     }
304                     // Add a whole line highlight per line in the snippet.
305                     let len: isize = part
306                         .snippet
307                         .split('\n')
308                         .next()
309                         .unwrap_or(&part.snippet)
310                         .chars()
311                         .map(|c| match c {
312                             '\t' => 4,
313                             _ => 1,
314                         })
315                         .sum();
316                     line_highlight.push(SubstitutionHighlight {
317                         start: (cur_lo.col.0 as isize + acc) as usize,
318                         end: (cur_lo.col.0 as isize + acc + len) as usize,
319                     });
320                     buf.push_str(&part.snippet);
321                     let cur_hi = sm.lookup_char_pos(part.span.hi());
322                     if prev_hi.line == cur_lo.line && cur_hi.line == cur_lo.line {
323                         // Account for the difference between the width of the current code and the
324                         // snippet being suggested, so that the *later* suggestions are correctly
325                         // aligned on the screen.
326                         acc += len as isize - (cur_hi.col.0 - cur_lo.col.0) as isize;
327                     }
328                     prev_hi = cur_hi;
329                     prev_line = sf.get_line(prev_hi.line - 1);
330                     for line in part.snippet.split('\n').skip(1) {
331                         acc = 0;
332                         highlights.push(std::mem::take(&mut line_highlight));
333                         let end: usize = line
334                             .chars()
335                             .map(|c| match c {
336                                 '\t' => 4,
337                                 _ => 1,
338                             })
339                             .sum();
340                         line_highlight.push(SubstitutionHighlight { start: 0, end });
341                     }
342                 }
343                 highlights.push(std::mem::take(&mut line_highlight));
344                 let only_capitalization = is_case_difference(sm, &buf, bounding_span);
345                 // if the replacement already ends with a newline, don't print the next line
346                 if !buf.ends_with('\n') {
347                     push_trailing(&mut buf, prev_line.as_ref(), &prev_hi, None);
348                 }
349                 // remove trailing newlines
350                 while buf.ends_with('\n') {
351                     buf.pop();
352                 }
353                 Some((buf, substitution.parts, highlights, only_capitalization))
354             })
355             .collect()
356     }
357 }
358
359 pub use rustc_span::fatal_error::{FatalError, FatalErrorMarker};
360
361 /// Signifies that the compiler died with an explicit call to `.bug`
362 /// or `.span_bug` rather than a failed assertion, etc.
363 #[derive(Copy, Clone, Debug)]
364 pub struct ExplicitBug;
365
366 impl fmt::Display for ExplicitBug {
367     fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
368         write!(f, "parser internal bug")
369     }
370 }
371
372 impl error::Error for ExplicitBug {}
373
374 pub use diagnostic::{
375     AddToDiagnostic, DecorateLint, Diagnostic, DiagnosticArg, DiagnosticArgValue, DiagnosticId,
376     DiagnosticStyledString, IntoDiagnosticArg, SubDiagnostic,
377 };
378 pub use diagnostic_builder::{DiagnosticBuilder, EmissionGuarantee, Noted};
379 pub use diagnostic_impls::DiagnosticArgFromDisplay;
380 use std::backtrace::Backtrace;
381
382 /// A handler deals with errors and other compiler output.
383 /// Certain errors (fatal, bug, unimpl) may cause immediate exit,
384 /// others log errors for later reporting.
385 pub struct Handler {
386     flags: HandlerFlags,
387     inner: Lock<HandlerInner>,
388 }
389
390 /// This inner struct exists to keep it all behind a single lock;
391 /// this is done to prevent possible deadlocks in a multi-threaded compiler,
392 /// as well as inconsistent state observation.
393 struct HandlerInner {
394     flags: HandlerFlags,
395     /// The number of lint errors that have been emitted.
396     lint_err_count: usize,
397     /// The number of errors that have been emitted, including duplicates.
398     ///
399     /// This is not necessarily the count that's reported to the user once
400     /// compilation ends.
401     err_count: usize,
402     warn_count: usize,
403     deduplicated_err_count: usize,
404     emitter: Box<dyn Emitter + sync::Send>,
405     delayed_span_bugs: Vec<Diagnostic>,
406     delayed_good_path_bugs: Vec<DelayedDiagnostic>,
407     /// This flag indicates that an expected diagnostic was emitted and suppressed.
408     /// This is used for the `delayed_good_path_bugs` check.
409     suppressed_expected_diag: bool,
410
411     /// This set contains the `DiagnosticId` of all emitted diagnostics to avoid
412     /// emitting the same diagnostic with extended help (`--teach`) twice, which
413     /// would be unnecessary repetition.
414     taught_diagnostics: FxHashSet<DiagnosticId>,
415
416     /// Used to suggest rustc --explain `<error code>`
417     emitted_diagnostic_codes: FxIndexSet<DiagnosticId>,
418
419     /// This set contains a hash of every diagnostic that has been emitted by
420     /// this handler. These hashes is used to avoid emitting the same error
421     /// twice.
422     emitted_diagnostics: FxHashSet<u128>,
423
424     /// Stashed diagnostics emitted in one stage of the compiler that may be
425     /// stolen by other stages (e.g. to improve them and add more information).
426     /// The stashed diagnostics count towards the total error count.
427     /// When `.abort_if_errors()` is called, these are also emitted.
428     stashed_diagnostics: FxIndexMap<(Span, StashKey), Diagnostic>,
429
430     /// The warning count, used for a recap upon finishing
431     deduplicated_warn_count: usize,
432
433     future_breakage_diagnostics: Vec<Diagnostic>,
434
435     /// The [`Self::unstable_expect_diagnostics`] should be empty when this struct is
436     /// dropped. However, it can have values if the compilation is stopped early
437     /// or is only partially executed. To avoid ICEs, like in rust#94953 we only
438     /// check if [`Self::unstable_expect_diagnostics`] is empty, if the expectation ids
439     /// have been converted.
440     check_unstable_expect_diagnostics: bool,
441
442     /// Expected [`Diagnostic`][diagnostic::Diagnostic]s store a [`LintExpectationId`] as part of
443     /// the lint level. [`LintExpectationId`]s created early during the compilation
444     /// (before `HirId`s have been defined) are not stable and can therefore not be
445     /// stored on disk. This buffer stores these diagnostics until the ID has been
446     /// replaced by a stable [`LintExpectationId`]. The [`Diagnostic`][diagnostic::Diagnostic]s are the
447     /// submitted for storage and added to the list of fulfilled expectations.
448     unstable_expect_diagnostics: Vec<Diagnostic>,
449
450     /// expected diagnostic will have the level `Expect` which additionally
451     /// carries the [`LintExpectationId`] of the expectation that can be
452     /// marked as fulfilled. This is a collection of all [`LintExpectationId`]s
453     /// that have been marked as fulfilled this way.
454     ///
455     /// [RFC-2383]: https://rust-lang.github.io/rfcs/2383-lint-reasons.html
456     fulfilled_expectations: FxHashSet<LintExpectationId>,
457 }
458
459 /// A key denoting where from a diagnostic was stashed.
460 #[derive(Copy, Clone, PartialEq, Eq, Hash)]
461 pub enum StashKey {
462     ItemNoType,
463     UnderscoreForArrayLengths,
464     EarlySyntaxWarning,
465     CallIntoMethod,
466 }
467
468 fn default_track_diagnostic(_: &Diagnostic) {}
469
470 pub static TRACK_DIAGNOSTICS: AtomicRef<fn(&Diagnostic)> =
471     AtomicRef::new(&(default_track_diagnostic as fn(&_)));
472
473 #[derive(Copy, Clone, Default)]
474 pub struct HandlerFlags {
475     /// If false, warning-level lints are suppressed.
476     /// (rustc: see `--allow warnings` and `--cap-lints`)
477     pub can_emit_warnings: bool,
478     /// If true, error-level diagnostics are upgraded to bug-level.
479     /// (rustc: see `-Z treat-err-as-bug`)
480     pub treat_err_as_bug: Option<NonZeroUsize>,
481     /// If true, immediately emit diagnostics that would otherwise be buffered.
482     /// (rustc: see `-Z dont-buffer-diagnostics` and `-Z treat-err-as-bug`)
483     pub dont_buffer_diagnostics: bool,
484     /// If true, immediately print bugs registered with `delay_span_bug`.
485     /// (rustc: see `-Z report-delayed-bugs`)
486     pub report_delayed_bugs: bool,
487     /// Show macro backtraces.
488     /// (rustc: see `-Z macro-backtrace`)
489     pub macro_backtrace: bool,
490     /// If true, identical diagnostics are reported only once.
491     pub deduplicate_diagnostics: bool,
492     /// Track where errors are created. Enabled with `-Ztrack-diagnostics`.
493     pub track_diagnostics: bool,
494 }
495
496 impl Drop for HandlerInner {
497     fn drop(&mut self) {
498         self.emit_stashed_diagnostics();
499
500         if !self.has_errors() {
501             let bugs = std::mem::replace(&mut self.delayed_span_bugs, Vec::new());
502             self.flush_delayed(bugs, "no errors encountered even though `delay_span_bug` issued");
503         }
504
505         // FIXME(eddyb) this explains what `delayed_good_path_bugs` are!
506         // They're `delayed_span_bugs` but for "require some diagnostic happened"
507         // instead of "require some error happened". Sadly that isn't ideal, as
508         // lints can be `#[allow]`'d, potentially leading to this triggering.
509         // Also, "good path" should be replaced with a better naming.
510         if !self.has_any_message() && !self.suppressed_expected_diag {
511             let bugs = std::mem::replace(&mut self.delayed_good_path_bugs, Vec::new());
512             self.flush_delayed(
513                 bugs.into_iter().map(DelayedDiagnostic::decorate),
514                 "no warnings or errors encountered even though `delayed_good_path_bugs` issued",
515             );
516         }
517
518         if self.check_unstable_expect_diagnostics {
519             assert!(
520                 self.unstable_expect_diagnostics.is_empty(),
521                 "all diagnostics with unstable expectations should have been converted",
522             );
523         }
524     }
525 }
526
527 impl Handler {
528     pub fn with_tty_emitter(
529         color_config: ColorConfig,
530         can_emit_warnings: bool,
531         treat_err_as_bug: Option<NonZeroUsize>,
532         sm: Option<Lrc<SourceMap>>,
533         fluent_bundle: Option<Lrc<FluentBundle>>,
534         fallback_bundle: LazyFallbackBundle,
535     ) -> Self {
536         Self::with_tty_emitter_and_flags(
537             color_config,
538             sm,
539             fluent_bundle,
540             fallback_bundle,
541             HandlerFlags { can_emit_warnings, treat_err_as_bug, ..Default::default() },
542         )
543     }
544
545     pub fn with_tty_emitter_and_flags(
546         color_config: ColorConfig,
547         sm: Option<Lrc<SourceMap>>,
548         fluent_bundle: Option<Lrc<FluentBundle>>,
549         fallback_bundle: LazyFallbackBundle,
550         flags: HandlerFlags,
551     ) -> Self {
552         let emitter = Box::new(EmitterWriter::stderr(
553             color_config,
554             sm,
555             fluent_bundle,
556             fallback_bundle,
557             false,
558             false,
559             None,
560             flags.macro_backtrace,
561             flags.track_diagnostics,
562         ));
563         Self::with_emitter_and_flags(emitter, flags)
564     }
565
566     pub fn with_emitter(
567         can_emit_warnings: bool,
568         treat_err_as_bug: Option<NonZeroUsize>,
569         emitter: Box<dyn Emitter + sync::Send>,
570     ) -> Self {
571         Handler::with_emitter_and_flags(
572             emitter,
573             HandlerFlags { can_emit_warnings, treat_err_as_bug, ..Default::default() },
574         )
575     }
576
577     pub fn with_emitter_and_flags(
578         emitter: Box<dyn Emitter + sync::Send>,
579         flags: HandlerFlags,
580     ) -> Self {
581         Self {
582             flags,
583             inner: Lock::new(HandlerInner {
584                 flags,
585                 lint_err_count: 0,
586                 err_count: 0,
587                 warn_count: 0,
588                 deduplicated_err_count: 0,
589                 deduplicated_warn_count: 0,
590                 emitter,
591                 delayed_span_bugs: Vec::new(),
592                 delayed_good_path_bugs: Vec::new(),
593                 suppressed_expected_diag: false,
594                 taught_diagnostics: Default::default(),
595                 emitted_diagnostic_codes: Default::default(),
596                 emitted_diagnostics: Default::default(),
597                 stashed_diagnostics: Default::default(),
598                 future_breakage_diagnostics: Vec::new(),
599                 check_unstable_expect_diagnostics: false,
600                 unstable_expect_diagnostics: Vec::new(),
601                 fulfilled_expectations: Default::default(),
602             }),
603         }
604     }
605
606     /// Translate `message` eagerly with `args`.
607     pub fn eagerly_translate<'a>(
608         &self,
609         message: DiagnosticMessage,
610         args: impl Iterator<Item = DiagnosticArg<'a, 'static>>,
611     ) -> SubdiagnosticMessage {
612         let inner = self.inner.borrow();
613         let args = crate::translation::to_fluent_args(args);
614         SubdiagnosticMessage::Eager(inner.emitter.translate_message(&message, &args).to_string())
615     }
616
617     // This is here to not allow mutation of flags;
618     // as of this writing it's only used in tests in librustc_middle.
619     pub fn can_emit_warnings(&self) -> bool {
620         self.flags.can_emit_warnings
621     }
622
623     /// Resets the diagnostic error count as well as the cached emitted diagnostics.
624     ///
625     /// NOTE: *do not* call this function from rustc. It is only meant to be called from external
626     /// tools that want to reuse a `Parser` cleaning the previously emitted diagnostics as well as
627     /// the overall count of emitted error diagnostics.
628     pub fn reset_err_count(&self) {
629         let mut inner = self.inner.borrow_mut();
630         inner.err_count = 0;
631         inner.warn_count = 0;
632         inner.deduplicated_err_count = 0;
633         inner.deduplicated_warn_count = 0;
634
635         // actually free the underlying memory (which `clear` would not do)
636         inner.delayed_span_bugs = Default::default();
637         inner.delayed_good_path_bugs = Default::default();
638         inner.taught_diagnostics = Default::default();
639         inner.emitted_diagnostic_codes = Default::default();
640         inner.emitted_diagnostics = Default::default();
641         inner.stashed_diagnostics = Default::default();
642     }
643
644     /// Stash a given diagnostic with the given `Span` and `StashKey` as the key for later stealing.
645     pub fn stash_diagnostic(&self, span: Span, key: StashKey, diag: Diagnostic) {
646         let mut inner = self.inner.borrow_mut();
647         inner.stash((span, key), diag);
648     }
649
650     /// Steal a previously stashed diagnostic with the given `Span` and `StashKey` as the key.
651     pub fn steal_diagnostic(&self, span: Span, key: StashKey) -> Option<DiagnosticBuilder<'_, ()>> {
652         let mut inner = self.inner.borrow_mut();
653         inner.steal((span, key)).map(|diag| DiagnosticBuilder::new_diagnostic(self, diag))
654     }
655
656     pub fn has_stashed_diagnostic(&self, span: Span, key: StashKey) -> bool {
657         self.inner.borrow().stashed_diagnostics.get(&(span, key)).is_some()
658     }
659
660     /// Emit all stashed diagnostics.
661     pub fn emit_stashed_diagnostics(&self) -> Option<ErrorGuaranteed> {
662         self.inner.borrow_mut().emit_stashed_diagnostics()
663     }
664
665     /// Construct a builder with the `msg` at the level appropriate for the specific `EmissionGuarantee`.
666     #[rustc_lint_diagnostics]
667     #[track_caller]
668     pub fn struct_diagnostic<G: EmissionGuarantee>(
669         &self,
670         msg: impl Into<DiagnosticMessage>,
671     ) -> DiagnosticBuilder<'_, G> {
672         G::make_diagnostic_builder(self, msg)
673     }
674
675     /// Construct a builder at the `Warning` level at the given `span` and with the `msg`.
676     ///
677     /// Attempting to `.emit()` the builder will only emit if either:
678     /// * `can_emit_warnings` is `true`
679     /// * `is_force_warn` was set in `DiagnosticId::Lint`
680     #[rustc_lint_diagnostics]
681     #[track_caller]
682     pub fn struct_span_warn(
683         &self,
684         span: impl Into<MultiSpan>,
685         msg: impl Into<DiagnosticMessage>,
686     ) -> DiagnosticBuilder<'_, ()> {
687         let mut result = self.struct_warn(msg);
688         result.set_span(span);
689         result
690     }
691
692     /// Construct a builder at the `Warning` level at the given `span` and with the `msg`.
693     /// The `id` is used for lint emissions which should also fulfill a lint expectation.
694     ///
695     /// Attempting to `.emit()` the builder will only emit if either:
696     /// * `can_emit_warnings` is `true`
697     /// * `is_force_warn` was set in `DiagnosticId::Lint`
698     #[track_caller]
699     pub fn struct_span_warn_with_expectation(
700         &self,
701         span: impl Into<MultiSpan>,
702         msg: impl Into<DiagnosticMessage>,
703         id: LintExpectationId,
704     ) -> DiagnosticBuilder<'_, ()> {
705         let mut result = self.struct_warn_with_expectation(msg, id);
706         result.set_span(span);
707         result
708     }
709
710     /// Construct a builder at the `Allow` level at the given `span` and with the `msg`.
711     #[rustc_lint_diagnostics]
712     #[track_caller]
713     pub fn struct_span_allow(
714         &self,
715         span: impl Into<MultiSpan>,
716         msg: impl Into<DiagnosticMessage>,
717     ) -> DiagnosticBuilder<'_, ()> {
718         let mut result = self.struct_allow(msg);
719         result.set_span(span);
720         result
721     }
722
723     /// Construct a builder at the `Warning` level at the given `span` and with the `msg`.
724     /// Also include a code.
725     #[rustc_lint_diagnostics]
726     #[track_caller]
727     pub fn struct_span_warn_with_code(
728         &self,
729         span: impl Into<MultiSpan>,
730         msg: impl Into<DiagnosticMessage>,
731         code: DiagnosticId,
732     ) -> DiagnosticBuilder<'_, ()> {
733         let mut result = self.struct_span_warn(span, msg);
734         result.code(code);
735         result
736     }
737
738     /// Construct a builder at the `Warning` level with the `msg`.
739     ///
740     /// Attempting to `.emit()` the builder will only emit if either:
741     /// * `can_emit_warnings` is `true`
742     /// * `is_force_warn` was set in `DiagnosticId::Lint`
743     #[rustc_lint_diagnostics]
744     #[track_caller]
745     pub fn struct_warn(&self, msg: impl Into<DiagnosticMessage>) -> DiagnosticBuilder<'_, ()> {
746         DiagnosticBuilder::new(self, Level::Warning(None), msg)
747     }
748
749     /// Construct a builder at the `Warning` level with the `msg`. The `id` is used for
750     /// lint emissions which should also fulfill a lint expectation.
751     ///
752     /// Attempting to `.emit()` the builder will only emit if either:
753     /// * `can_emit_warnings` is `true`
754     /// * `is_force_warn` was set in `DiagnosticId::Lint`
755     #[track_caller]
756     pub fn struct_warn_with_expectation(
757         &self,
758         msg: impl Into<DiagnosticMessage>,
759         id: LintExpectationId,
760     ) -> DiagnosticBuilder<'_, ()> {
761         DiagnosticBuilder::new(self, Level::Warning(Some(id)), msg)
762     }
763
764     /// Construct a builder at the `Allow` level with the `msg`.
765     #[rustc_lint_diagnostics]
766     pub fn struct_allow(&self, msg: impl Into<DiagnosticMessage>) -> DiagnosticBuilder<'_, ()> {
767         DiagnosticBuilder::new(self, Level::Allow, msg)
768     }
769
770     /// Construct a builder at the `Expect` level with the `msg`.
771     #[rustc_lint_diagnostics]
772     #[track_caller]
773     pub fn struct_expect(
774         &self,
775         msg: impl Into<DiagnosticMessage>,
776         id: LintExpectationId,
777     ) -> DiagnosticBuilder<'_, ()> {
778         DiagnosticBuilder::new(self, Level::Expect(id), msg)
779     }
780
781     /// Construct a builder at the `Error` level at the given `span` and with the `msg`.
782     #[rustc_lint_diagnostics]
783     #[track_caller]
784     pub fn struct_span_err(
785         &self,
786         span: impl Into<MultiSpan>,
787         msg: impl Into<DiagnosticMessage>,
788     ) -> DiagnosticBuilder<'_, ErrorGuaranteed> {
789         let mut result = self.struct_err(msg);
790         result.set_span(span);
791         result
792     }
793
794     /// Construct a builder at the `Error` level at the given `span`, with the `msg`, and `code`.
795     #[rustc_lint_diagnostics]
796     #[track_caller]
797     pub fn struct_span_err_with_code(
798         &self,
799         span: impl Into<MultiSpan>,
800         msg: impl Into<DiagnosticMessage>,
801         code: DiagnosticId,
802     ) -> DiagnosticBuilder<'_, ErrorGuaranteed> {
803         let mut result = self.struct_span_err(span, msg);
804         result.code(code);
805         result
806     }
807
808     /// Construct a builder at the `Error` level with the `msg`.
809     // FIXME: This method should be removed (every error should have an associated error code).
810     #[rustc_lint_diagnostics]
811     #[track_caller]
812     pub fn struct_err(
813         &self,
814         msg: impl Into<DiagnosticMessage>,
815     ) -> DiagnosticBuilder<'_, ErrorGuaranteed> {
816         DiagnosticBuilder::new_guaranteeing_error::<_, { Level::Error { lint: false } }>(self, msg)
817     }
818
819     /// This should only be used by `rustc_middle::lint::struct_lint_level`. Do not use it for hard errors.
820     #[doc(hidden)]
821     #[track_caller]
822     pub fn struct_err_lint(&self, msg: impl Into<DiagnosticMessage>) -> DiagnosticBuilder<'_, ()> {
823         DiagnosticBuilder::new(self, Level::Error { lint: true }, msg)
824     }
825
826     /// Construct a builder at the `Error` level with the `msg` and the `code`.
827     #[rustc_lint_diagnostics]
828     #[track_caller]
829     pub fn struct_err_with_code(
830         &self,
831         msg: impl Into<DiagnosticMessage>,
832         code: DiagnosticId,
833     ) -> DiagnosticBuilder<'_, ErrorGuaranteed> {
834         let mut result = self.struct_err(msg);
835         result.code(code);
836         result
837     }
838
839     /// Construct a builder at the `Warn` level with the `msg` and the `code`.
840     #[rustc_lint_diagnostics]
841     #[track_caller]
842     pub fn struct_warn_with_code(
843         &self,
844         msg: impl Into<DiagnosticMessage>,
845         code: DiagnosticId,
846     ) -> DiagnosticBuilder<'_, ()> {
847         let mut result = self.struct_warn(msg);
848         result.code(code);
849         result
850     }
851
852     /// Construct a builder at the `Fatal` level at the given `span` and with the `msg`.
853     #[rustc_lint_diagnostics]
854     #[track_caller]
855     pub fn struct_span_fatal(
856         &self,
857         span: impl Into<MultiSpan>,
858         msg: impl Into<DiagnosticMessage>,
859     ) -> DiagnosticBuilder<'_, !> {
860         let mut result = self.struct_fatal(msg);
861         result.set_span(span);
862         result
863     }
864
865     /// Construct a builder at the `Fatal` level at the given `span`, with the `msg`, and `code`.
866     #[rustc_lint_diagnostics]
867     pub fn struct_span_fatal_with_code(
868         &self,
869         span: impl Into<MultiSpan>,
870         msg: impl Into<DiagnosticMessage>,
871         code: DiagnosticId,
872     ) -> DiagnosticBuilder<'_, !> {
873         let mut result = self.struct_span_fatal(span, msg);
874         result.code(code);
875         result
876     }
877
878     /// Construct a builder at the `Error` level with the `msg`.
879     #[rustc_lint_diagnostics]
880     pub fn struct_fatal(&self, msg: impl Into<DiagnosticMessage>) -> DiagnosticBuilder<'_, !> {
881         DiagnosticBuilder::new_fatal(self, msg)
882     }
883
884     /// Construct a builder at the `Help` level with the `msg`.
885     #[rustc_lint_diagnostics]
886     pub fn struct_help(&self, msg: impl Into<DiagnosticMessage>) -> DiagnosticBuilder<'_, ()> {
887         DiagnosticBuilder::new(self, Level::Help, msg)
888     }
889
890     /// Construct a builder at the `Note` level with the `msg`.
891     #[rustc_lint_diagnostics]
892     #[track_caller]
893     pub fn struct_note_without_error(
894         &self,
895         msg: impl Into<DiagnosticMessage>,
896     ) -> DiagnosticBuilder<'_, ()> {
897         DiagnosticBuilder::new(self, Level::Note, msg)
898     }
899
900     #[rustc_lint_diagnostics]
901     pub fn span_fatal(&self, span: impl Into<MultiSpan>, msg: impl Into<DiagnosticMessage>) -> ! {
902         self.emit_diag_at_span(Diagnostic::new(Fatal, msg), span);
903         FatalError.raise()
904     }
905
906     #[rustc_lint_diagnostics]
907     #[track_caller]
908     pub fn span_fatal_with_code(
909         &self,
910         span: impl Into<MultiSpan>,
911         msg: impl Into<DiagnosticMessage>,
912         code: DiagnosticId,
913     ) -> ! {
914         self.emit_diag_at_span(Diagnostic::new_with_code(Fatal, Some(code), msg), span);
915         FatalError.raise()
916     }
917
918     #[rustc_lint_diagnostics]
919     #[track_caller]
920     pub fn span_err(
921         &self,
922         span: impl Into<MultiSpan>,
923         msg: impl Into<DiagnosticMessage>,
924     ) -> ErrorGuaranteed {
925         self.emit_diag_at_span(Diagnostic::new(Error { lint: false }, msg), span).unwrap()
926     }
927
928     #[rustc_lint_diagnostics]
929     #[track_caller]
930     pub fn span_err_with_code(
931         &self,
932         span: impl Into<MultiSpan>,
933         msg: impl Into<DiagnosticMessage>,
934         code: DiagnosticId,
935     ) {
936         self.emit_diag_at_span(
937             Diagnostic::new_with_code(Error { lint: false }, Some(code), msg),
938             span,
939         );
940     }
941
942     #[rustc_lint_diagnostics]
943     #[track_caller]
944     pub fn span_warn(&self, span: impl Into<MultiSpan>, msg: impl Into<DiagnosticMessage>) {
945         self.emit_diag_at_span(Diagnostic::new(Warning(None), msg), span);
946     }
947
948     #[rustc_lint_diagnostics]
949     #[track_caller]
950     pub fn span_warn_with_code(
951         &self,
952         span: impl Into<MultiSpan>,
953         msg: impl Into<DiagnosticMessage>,
954         code: DiagnosticId,
955     ) {
956         self.emit_diag_at_span(Diagnostic::new_with_code(Warning(None), Some(code), msg), span);
957     }
958
959     #[track_caller]
960     pub fn span_bug(&self, span: impl Into<MultiSpan>, msg: impl Into<DiagnosticMessage>) -> ! {
961         self.inner.borrow_mut().span_bug(span, msg)
962     }
963
964     #[track_caller]
965     pub fn delay_span_bug(
966         &self,
967         span: impl Into<MultiSpan>,
968         msg: impl Into<DiagnosticMessage>,
969     ) -> ErrorGuaranteed {
970         self.inner.borrow_mut().delay_span_bug(span, msg)
971     }
972
973     // FIXME(eddyb) note the comment inside `impl Drop for HandlerInner`, that's
974     // where the explanation of what "good path" is (also, it should be renamed).
975     #[track_caller]
976     pub fn delay_good_path_bug(&self, msg: impl Into<DiagnosticMessage>) {
977         self.inner.borrow_mut().delay_good_path_bug(msg)
978     }
979
980     #[track_caller]
981     pub fn span_bug_no_panic(&self, span: impl Into<MultiSpan>, msg: impl Into<DiagnosticMessage>) {
982         self.emit_diag_at_span(Diagnostic::new(Bug, msg), span);
983     }
984
985     #[track_caller]
986     pub fn span_note_without_error(
987         &self,
988         span: impl Into<MultiSpan>,
989         msg: impl Into<DiagnosticMessage>,
990     ) {
991         self.emit_diag_at_span(Diagnostic::new(Note, msg), span);
992     }
993
994     #[track_caller]
995     pub fn span_note_diag(
996         &self,
997         span: Span,
998         msg: impl Into<DiagnosticMessage>,
999     ) -> DiagnosticBuilder<'_, ()> {
1000         let mut db = DiagnosticBuilder::new(self, Note, msg);
1001         db.set_span(span);
1002         db
1003     }
1004
1005     // NOTE: intentionally doesn't raise an error so rustc_codegen_ssa only reports fatal errors in the main thread
1006     pub fn fatal(&self, msg: impl Into<DiagnosticMessage>) -> FatalError {
1007         self.inner.borrow_mut().fatal(msg)
1008     }
1009
1010     pub fn err(&self, msg: impl Into<DiagnosticMessage>) -> ErrorGuaranteed {
1011         self.inner.borrow_mut().err(msg)
1012     }
1013
1014     pub fn warn(&self, msg: impl Into<DiagnosticMessage>) {
1015         let mut db = DiagnosticBuilder::new(self, Warning(None), msg);
1016         db.emit();
1017     }
1018
1019     pub fn note_without_error(&self, msg: impl Into<DiagnosticMessage>) {
1020         DiagnosticBuilder::new(self, Note, msg).emit();
1021     }
1022
1023     pub fn bug(&self, msg: impl Into<DiagnosticMessage>) -> ! {
1024         self.inner.borrow_mut().bug(msg)
1025     }
1026
1027     #[inline]
1028     pub fn err_count(&self) -> usize {
1029         self.inner.borrow().err_count()
1030     }
1031
1032     pub fn has_errors(&self) -> Option<ErrorGuaranteed> {
1033         if self.inner.borrow().has_errors() { Some(ErrorGuaranteed(())) } else { None }
1034     }
1035     pub fn has_errors_or_lint_errors(&self) -> Option<ErrorGuaranteed> {
1036         if self.inner.borrow().has_errors_or_lint_errors() {
1037             Some(ErrorGuaranteed(()))
1038         } else {
1039             None
1040         }
1041     }
1042     pub fn has_errors_or_delayed_span_bugs(&self) -> bool {
1043         self.inner.borrow().has_errors_or_delayed_span_bugs()
1044     }
1045
1046     pub fn print_error_count(&self, registry: &Registry) {
1047         self.inner.borrow_mut().print_error_count(registry)
1048     }
1049
1050     pub fn take_future_breakage_diagnostics(&self) -> Vec<Diagnostic> {
1051         std::mem::take(&mut self.inner.borrow_mut().future_breakage_diagnostics)
1052     }
1053
1054     pub fn abort_if_errors(&self) {
1055         self.inner.borrow_mut().abort_if_errors()
1056     }
1057
1058     /// `true` if we haven't taught a diagnostic with this code already.
1059     /// The caller must then teach the user about such a diagnostic.
1060     ///
1061     /// Used to suppress emitting the same error multiple times with extended explanation when
1062     /// calling `-Zteach`.
1063     pub fn must_teach(&self, code: &DiagnosticId) -> bool {
1064         self.inner.borrow_mut().must_teach(code)
1065     }
1066
1067     pub fn force_print_diagnostic(&self, db: Diagnostic) {
1068         self.inner.borrow_mut().force_print_diagnostic(db)
1069     }
1070
1071     pub fn emit_diagnostic(&self, diagnostic: &mut Diagnostic) -> Option<ErrorGuaranteed> {
1072         self.inner.borrow_mut().emit_diagnostic(diagnostic)
1073     }
1074
1075     pub fn emit_err<'a>(&'a self, err: impl IntoDiagnostic<'a>) -> ErrorGuaranteed {
1076         self.create_err(err).emit()
1077     }
1078
1079     pub fn create_err<'a>(
1080         &'a self,
1081         err: impl IntoDiagnostic<'a>,
1082     ) -> DiagnosticBuilder<'a, ErrorGuaranteed> {
1083         err.into_diagnostic(self)
1084     }
1085
1086     pub fn create_warning<'a>(
1087         &'a self,
1088         warning: impl IntoDiagnostic<'a, ()>,
1089     ) -> DiagnosticBuilder<'a, ()> {
1090         warning.into_diagnostic(self)
1091     }
1092
1093     pub fn emit_warning<'a>(&'a self, warning: impl IntoDiagnostic<'a, ()>) {
1094         self.create_warning(warning).emit()
1095     }
1096
1097     pub fn create_fatal<'a>(
1098         &'a self,
1099         fatal: impl IntoDiagnostic<'a, !>,
1100     ) -> DiagnosticBuilder<'a, !> {
1101         fatal.into_diagnostic(self)
1102     }
1103
1104     pub fn emit_fatal<'a>(&'a self, fatal: impl IntoDiagnostic<'a, !>) -> ! {
1105         self.create_fatal(fatal).emit()
1106     }
1107
1108     fn emit_diag_at_span(
1109         &self,
1110         mut diag: Diagnostic,
1111         sp: impl Into<MultiSpan>,
1112     ) -> Option<ErrorGuaranteed> {
1113         let mut inner = self.inner.borrow_mut();
1114         inner.emit_diagnostic(diag.set_span(sp))
1115     }
1116
1117     pub fn emit_artifact_notification(&self, path: &Path, artifact_type: &str) {
1118         self.inner.borrow_mut().emit_artifact_notification(path, artifact_type)
1119     }
1120
1121     pub fn emit_future_breakage_report(&self, diags: Vec<Diagnostic>) {
1122         self.inner.borrow_mut().emitter.emit_future_breakage_report(diags)
1123     }
1124
1125     pub fn emit_unused_externs(
1126         &self,
1127         lint_level: rustc_lint_defs::Level,
1128         loud: bool,
1129         unused_externs: &[&str],
1130     ) {
1131         let mut inner = self.inner.borrow_mut();
1132
1133         if loud && lint_level.is_error() {
1134             inner.bump_err_count();
1135         }
1136
1137         inner.emit_unused_externs(lint_level, unused_externs)
1138     }
1139
1140     pub fn update_unstable_expectation_id(
1141         &self,
1142         unstable_to_stable: &FxHashMap<LintExpectationId, LintExpectationId>,
1143     ) {
1144         let mut inner = self.inner.borrow_mut();
1145         let diags = std::mem::take(&mut inner.unstable_expect_diagnostics);
1146         inner.check_unstable_expect_diagnostics = true;
1147
1148         if !diags.is_empty() {
1149             inner.suppressed_expected_diag = true;
1150             for mut diag in diags.into_iter() {
1151                 diag.update_unstable_expectation_id(unstable_to_stable);
1152
1153                 // Here the diagnostic is given back to `emit_diagnostic` where it was first
1154                 // intercepted. Now it should be processed as usual, since the unstable expectation
1155                 // id is now stable.
1156                 inner.emit_diagnostic(&mut diag);
1157             }
1158         }
1159
1160         inner
1161             .stashed_diagnostics
1162             .values_mut()
1163             .for_each(|diag| diag.update_unstable_expectation_id(unstable_to_stable));
1164         inner
1165             .future_breakage_diagnostics
1166             .iter_mut()
1167             .for_each(|diag| diag.update_unstable_expectation_id(unstable_to_stable));
1168     }
1169
1170     /// This methods steals all [`LintExpectationId`]s that are stored inside
1171     /// [`HandlerInner`] and indicate that the linked expectation has been fulfilled.
1172     #[must_use]
1173     pub fn steal_fulfilled_expectation_ids(&self) -> FxHashSet<LintExpectationId> {
1174         assert!(
1175             self.inner.borrow().unstable_expect_diagnostics.is_empty(),
1176             "`HandlerInner::unstable_expect_diagnostics` should be empty at this point",
1177         );
1178         std::mem::take(&mut self.inner.borrow_mut().fulfilled_expectations)
1179     }
1180
1181     pub fn flush_delayed(&self) {
1182         let mut inner = self.inner.lock();
1183         let bugs = std::mem::replace(&mut inner.delayed_span_bugs, Vec::new());
1184         inner.flush_delayed(bugs, "no errors encountered even though `delay_span_bug` issued");
1185     }
1186 }
1187
1188 impl HandlerInner {
1189     fn must_teach(&mut self, code: &DiagnosticId) -> bool {
1190         self.taught_diagnostics.insert(code.clone())
1191     }
1192
1193     fn force_print_diagnostic(&mut self, mut db: Diagnostic) {
1194         self.emitter.emit_diagnostic(&mut db);
1195     }
1196
1197     /// Emit all stashed diagnostics.
1198     fn emit_stashed_diagnostics(&mut self) -> Option<ErrorGuaranteed> {
1199         let has_errors = self.has_errors();
1200         let diags = self.stashed_diagnostics.drain(..).map(|x| x.1).collect::<Vec<_>>();
1201         let mut reported = None;
1202         for mut diag in diags {
1203             // Decrement the count tracking the stash; emitting will increment it.
1204             if diag.is_error() {
1205                 if matches!(diag.level, Level::Error { lint: true }) {
1206                     self.lint_err_count -= 1;
1207                 } else {
1208                     self.err_count -= 1;
1209                 }
1210             } else {
1211                 if diag.is_force_warn() {
1212                     self.warn_count -= 1;
1213                 } else {
1214                     // Unless they're forced, don't flush stashed warnings when
1215                     // there are errors, to avoid causing warning overload. The
1216                     // stash would've been stolen already if it were important.
1217                     if has_errors {
1218                         continue;
1219                     }
1220                 }
1221             }
1222             let reported_this = self.emit_diagnostic(&mut diag);
1223             reported = reported.or(reported_this);
1224         }
1225         reported
1226     }
1227
1228     // FIXME(eddyb) this should ideally take `diagnostic` by value.
1229     fn emit_diagnostic(&mut self, diagnostic: &mut Diagnostic) -> Option<ErrorGuaranteed> {
1230         // The `LintExpectationId` can be stable or unstable depending on when it was created.
1231         // Diagnostics created before the definition of `HirId`s are unstable and can not yet
1232         // be stored. Instead, they are buffered until the `LintExpectationId` is replaced by
1233         // a stable one by the `LintLevelsBuilder`.
1234         if let Some(LintExpectationId::Unstable { .. }) = diagnostic.level.get_expectation_id() {
1235             self.unstable_expect_diagnostics.push(diagnostic.clone());
1236             return None;
1237         }
1238
1239         if diagnostic.level == Level::DelayedBug {
1240             // FIXME(eddyb) this should check for `has_errors` and stop pushing
1241             // once *any* errors were emitted (and truncate `delayed_span_bugs`
1242             // when an error is first emitted, also), but maybe there's a case
1243             // in which that's not sound? otherwise this is really inefficient.
1244             self.delayed_span_bugs.push(diagnostic.clone());
1245
1246             if !self.flags.report_delayed_bugs {
1247                 return Some(ErrorGuaranteed::unchecked_claim_error_was_emitted());
1248             }
1249         }
1250
1251         if diagnostic.has_future_breakage() {
1252             self.future_breakage_diagnostics.push(diagnostic.clone());
1253         }
1254
1255         if let Some(expectation_id) = diagnostic.level.get_expectation_id() {
1256             self.suppressed_expected_diag = true;
1257             self.fulfilled_expectations.insert(expectation_id.normalize());
1258         }
1259
1260         if matches!(diagnostic.level, Warning(_))
1261             && !self.flags.can_emit_warnings
1262             && !diagnostic.is_force_warn()
1263         {
1264             if diagnostic.has_future_breakage() {
1265                 (*TRACK_DIAGNOSTICS)(diagnostic);
1266             }
1267             return None;
1268         }
1269
1270         (*TRACK_DIAGNOSTICS)(diagnostic);
1271
1272         if matches!(diagnostic.level, Level::Expect(_) | Level::Allow) {
1273             return None;
1274         }
1275
1276         if let Some(ref code) = diagnostic.code {
1277             self.emitted_diagnostic_codes.insert(code.clone());
1278         }
1279
1280         let already_emitted = |this: &mut Self| {
1281             let mut hasher = StableHasher::new();
1282             diagnostic.hash(&mut hasher);
1283             let diagnostic_hash = hasher.finish();
1284             !this.emitted_diagnostics.insert(diagnostic_hash)
1285         };
1286
1287         // Only emit the diagnostic if we've been asked to deduplicate or
1288         // haven't already emitted an equivalent diagnostic.
1289         if !(self.flags.deduplicate_diagnostics && already_emitted(self)) {
1290             debug!(?diagnostic);
1291             debug!(?self.emitted_diagnostics);
1292             let already_emitted_sub = |sub: &mut SubDiagnostic| {
1293                 debug!(?sub);
1294                 if sub.level != Level::OnceNote {
1295                     return false;
1296                 }
1297                 let mut hasher = StableHasher::new();
1298                 sub.hash(&mut hasher);
1299                 let diagnostic_hash = hasher.finish();
1300                 debug!(?diagnostic_hash);
1301                 !self.emitted_diagnostics.insert(diagnostic_hash)
1302             };
1303
1304             diagnostic.children.drain_filter(already_emitted_sub).for_each(|_| {});
1305
1306             self.emitter.emit_diagnostic(&diagnostic);
1307             if diagnostic.is_error() {
1308                 self.deduplicated_err_count += 1;
1309             } else if let Warning(_) = diagnostic.level {
1310                 self.deduplicated_warn_count += 1;
1311             }
1312         }
1313         if diagnostic.is_error() {
1314             if matches!(diagnostic.level, Level::Error { lint: true }) {
1315                 self.bump_lint_err_count();
1316             } else {
1317                 self.bump_err_count();
1318             }
1319
1320             Some(ErrorGuaranteed::unchecked_claim_error_was_emitted())
1321         } else {
1322             self.bump_warn_count();
1323
1324             None
1325         }
1326     }
1327
1328     fn emit_artifact_notification(&mut self, path: &Path, artifact_type: &str) {
1329         self.emitter.emit_artifact_notification(path, artifact_type);
1330     }
1331
1332     fn emit_unused_externs(&mut self, lint_level: rustc_lint_defs::Level, unused_externs: &[&str]) {
1333         self.emitter.emit_unused_externs(lint_level, unused_externs);
1334     }
1335
1336     fn treat_err_as_bug(&self) -> bool {
1337         self.flags.treat_err_as_bug.map_or(false, |c| {
1338             self.err_count() + self.lint_err_count + self.delayed_bug_count() >= c.get()
1339         })
1340     }
1341
1342     fn delayed_bug_count(&self) -> usize {
1343         self.delayed_span_bugs.len() + self.delayed_good_path_bugs.len()
1344     }
1345
1346     fn print_error_count(&mut self, registry: &Registry) {
1347         self.emit_stashed_diagnostics();
1348
1349         let warnings = match self.deduplicated_warn_count {
1350             0 => String::new(),
1351             1 => "1 warning emitted".to_string(),
1352             count => format!("{count} warnings emitted"),
1353         };
1354         let errors = match self.deduplicated_err_count {
1355             0 => String::new(),
1356             1 => "aborting due to previous error".to_string(),
1357             count => format!("aborting due to {count} previous errors"),
1358         };
1359         if self.treat_err_as_bug() {
1360             return;
1361         }
1362
1363         match (errors.len(), warnings.len()) {
1364             (0, 0) => return,
1365             (0, _) => self.emitter.emit_diagnostic(&Diagnostic::new(
1366                 Level::Warning(None),
1367                 DiagnosticMessage::Str(warnings),
1368             )),
1369             (_, 0) => {
1370                 let _ = self.fatal(&errors);
1371             }
1372             (_, _) => {
1373                 let _ = self.fatal(&format!("{}; {}", &errors, &warnings));
1374             }
1375         }
1376
1377         let can_show_explain = self.emitter.should_show_explain();
1378         let are_there_diagnostics = !self.emitted_diagnostic_codes.is_empty();
1379         if can_show_explain && are_there_diagnostics {
1380             let mut error_codes = self
1381                 .emitted_diagnostic_codes
1382                 .iter()
1383                 .filter_map(|x| match &x {
1384                     DiagnosticId::Error(s)
1385                         if registry.try_find_description(s).map_or(false, |o| o.is_some()) =>
1386                     {
1387                         Some(s.clone())
1388                     }
1389                     _ => None,
1390                 })
1391                 .collect::<Vec<_>>();
1392             if !error_codes.is_empty() {
1393                 error_codes.sort();
1394                 if error_codes.len() > 1 {
1395                     let limit = if error_codes.len() > 9 { 9 } else { error_codes.len() };
1396                     self.failure(&format!(
1397                         "Some errors have detailed explanations: {}{}",
1398                         error_codes[..limit].join(", "),
1399                         if error_codes.len() > 9 { "..." } else { "." }
1400                     ));
1401                     self.failure(&format!(
1402                         "For more information about an error, try \
1403                          `rustc --explain {}`.",
1404                         &error_codes[0]
1405                     ));
1406                 } else {
1407                     self.failure(&format!(
1408                         "For more information about this error, try \
1409                          `rustc --explain {}`.",
1410                         &error_codes[0]
1411                     ));
1412                 }
1413             }
1414         }
1415     }
1416
1417     fn stash(&mut self, key: (Span, StashKey), diagnostic: Diagnostic) {
1418         // Track the diagnostic for counts, but don't panic-if-treat-err-as-bug
1419         // yet; that happens when we actually emit the diagnostic.
1420         if diagnostic.is_error() {
1421             if matches!(diagnostic.level, Level::Error { lint: true }) {
1422                 self.lint_err_count += 1;
1423             } else {
1424                 self.err_count += 1;
1425             }
1426         } else {
1427             // Warnings are only automatically flushed if they're forced.
1428             if diagnostic.is_force_warn() {
1429                 self.warn_count += 1;
1430             }
1431         }
1432
1433         // FIXME(Centril, #69537): Consider reintroducing panic on overwriting a stashed diagnostic
1434         // if/when we have a more robust macro-friendly replacement for `(span, key)` as a key.
1435         // See the PR for a discussion.
1436         self.stashed_diagnostics.insert(key, diagnostic);
1437     }
1438
1439     fn steal(&mut self, key: (Span, StashKey)) -> Option<Diagnostic> {
1440         let diagnostic = self.stashed_diagnostics.remove(&key)?;
1441         if diagnostic.is_error() {
1442             if matches!(diagnostic.level, Level::Error { lint: true }) {
1443                 self.lint_err_count -= 1;
1444             } else {
1445                 self.err_count -= 1;
1446             }
1447         } else {
1448             if diagnostic.is_force_warn() {
1449                 self.warn_count -= 1;
1450             }
1451         }
1452         Some(diagnostic)
1453     }
1454
1455     #[inline]
1456     fn err_count(&self) -> usize {
1457         self.err_count
1458     }
1459
1460     fn has_errors(&self) -> bool {
1461         self.err_count() > 0
1462     }
1463     fn has_errors_or_lint_errors(&self) -> bool {
1464         self.has_errors() || self.lint_err_count > 0
1465     }
1466     fn has_errors_or_delayed_span_bugs(&self) -> bool {
1467         self.has_errors() || !self.delayed_span_bugs.is_empty()
1468     }
1469     fn has_any_message(&self) -> bool {
1470         self.err_count() > 0 || self.lint_err_count > 0 || self.warn_count > 0
1471     }
1472
1473     fn abort_if_errors(&mut self) {
1474         self.emit_stashed_diagnostics();
1475
1476         if self.has_errors() {
1477             FatalError.raise();
1478         }
1479     }
1480
1481     #[track_caller]
1482     fn span_bug(&mut self, sp: impl Into<MultiSpan>, msg: impl Into<DiagnosticMessage>) -> ! {
1483         self.emit_diag_at_span(Diagnostic::new(Bug, msg), sp);
1484         panic::panic_any(ExplicitBug);
1485     }
1486
1487     fn emit_diag_at_span(&mut self, mut diag: Diagnostic, sp: impl Into<MultiSpan>) {
1488         self.emit_diagnostic(diag.set_span(sp));
1489     }
1490
1491     #[track_caller]
1492     fn delay_span_bug(
1493         &mut self,
1494         sp: impl Into<MultiSpan>,
1495         msg: impl Into<DiagnosticMessage>,
1496     ) -> ErrorGuaranteed {
1497         // This is technically `self.treat_err_as_bug()` but `delay_span_bug` is called before
1498         // incrementing `err_count` by one, so we need to +1 the comparing.
1499         // FIXME: Would be nice to increment err_count in a more coherent way.
1500         if self.flags.treat_err_as_bug.map_or(false, |c| {
1501             self.err_count() + self.lint_err_count + self.delayed_bug_count() + 1 >= c.get()
1502         }) {
1503             // FIXME: don't abort here if report_delayed_bugs is off
1504             self.span_bug(sp, msg);
1505         }
1506         let mut diagnostic = Diagnostic::new(Level::DelayedBug, msg);
1507         diagnostic.set_span(sp.into());
1508         diagnostic.note(&format!("delayed at {}", std::panic::Location::caller()));
1509         self.emit_diagnostic(&mut diagnostic).unwrap()
1510     }
1511
1512     // FIXME(eddyb) note the comment inside `impl Drop for HandlerInner`, that's
1513     // where the explanation of what "good path" is (also, it should be renamed).
1514     fn delay_good_path_bug(&mut self, msg: impl Into<DiagnosticMessage>) {
1515         let mut diagnostic = Diagnostic::new(Level::DelayedBug, msg);
1516         if self.flags.report_delayed_bugs {
1517             self.emit_diagnostic(&mut diagnostic);
1518         }
1519         let backtrace = std::backtrace::Backtrace::force_capture();
1520         self.delayed_good_path_bugs.push(DelayedDiagnostic::with_backtrace(diagnostic, backtrace));
1521     }
1522
1523     fn failure(&mut self, msg: impl Into<DiagnosticMessage>) {
1524         self.emit_diagnostic(&mut Diagnostic::new(FailureNote, msg));
1525     }
1526
1527     fn fatal(&mut self, msg: impl Into<DiagnosticMessage>) -> FatalError {
1528         self.emit(Fatal, msg);
1529         FatalError
1530     }
1531
1532     fn err(&mut self, msg: impl Into<DiagnosticMessage>) -> ErrorGuaranteed {
1533         self.emit(Error { lint: false }, msg)
1534     }
1535
1536     /// Emit an error; level should be `Error` or `Fatal`.
1537     fn emit(&mut self, level: Level, msg: impl Into<DiagnosticMessage>) -> ErrorGuaranteed {
1538         if self.treat_err_as_bug() {
1539             self.bug(msg);
1540         }
1541         self.emit_diagnostic(&mut Diagnostic::new(level, msg)).unwrap()
1542     }
1543
1544     fn bug(&mut self, msg: impl Into<DiagnosticMessage>) -> ! {
1545         self.emit_diagnostic(&mut Diagnostic::new(Bug, msg));
1546         panic::panic_any(ExplicitBug);
1547     }
1548
1549     fn flush_delayed(
1550         &mut self,
1551         bugs: impl IntoIterator<Item = Diagnostic>,
1552         explanation: impl Into<DiagnosticMessage> + Copy,
1553     ) {
1554         let mut no_bugs = true;
1555         for mut bug in bugs {
1556             if no_bugs {
1557                 // Put the overall explanation before the `DelayedBug`s, to
1558                 // frame them better (e.g. separate warnings from them).
1559                 self.emit_diagnostic(&mut Diagnostic::new(Bug, explanation));
1560                 no_bugs = false;
1561             }
1562
1563             // "Undelay" the `DelayedBug`s (into plain `Bug`s).
1564             if bug.level != Level::DelayedBug {
1565                 // NOTE(eddyb) not panicking here because we're already producing
1566                 // an ICE, and the more information the merrier.
1567                 bug.note(&format!(
1568                     "`flushed_delayed` got diagnostic with level {:?}, \
1569                      instead of the expected `DelayedBug`",
1570                     bug.level,
1571                 ));
1572             }
1573             bug.level = Level::Bug;
1574
1575             self.emit_diagnostic(&mut bug);
1576         }
1577
1578         // Panic with `ExplicitBug` to avoid "unexpected panic" messages.
1579         if !no_bugs {
1580             panic::panic_any(ExplicitBug);
1581         }
1582     }
1583
1584     fn bump_lint_err_count(&mut self) {
1585         self.lint_err_count += 1;
1586         self.panic_if_treat_err_as_bug();
1587     }
1588
1589     fn bump_err_count(&mut self) {
1590         self.err_count += 1;
1591         self.panic_if_treat_err_as_bug();
1592     }
1593
1594     fn bump_warn_count(&mut self) {
1595         self.warn_count += 1;
1596     }
1597
1598     fn panic_if_treat_err_as_bug(&self) {
1599         if self.treat_err_as_bug() {
1600             match (
1601                 self.err_count() + self.lint_err_count,
1602                 self.delayed_bug_count(),
1603                 self.flags.treat_err_as_bug.map(|c| c.get()).unwrap_or(0),
1604             ) {
1605                 (1, 0, 1) => panic!("aborting due to `-Z treat-err-as-bug=1`"),
1606                 (0, 1, 1) => panic!("aborting due delayed bug with `-Z treat-err-as-bug=1`"),
1607                 (count, delayed_count, as_bug) => {
1608                     if delayed_count > 0 {
1609                         panic!(
1610                             "aborting after {} errors and {} delayed bugs due to `-Z treat-err-as-bug={}`",
1611                             count, delayed_count, as_bug,
1612                         )
1613                     } else {
1614                         panic!(
1615                             "aborting after {} errors due to `-Z treat-err-as-bug={}`",
1616                             count, as_bug,
1617                         )
1618                     }
1619                 }
1620             }
1621         }
1622     }
1623 }
1624
1625 struct DelayedDiagnostic {
1626     inner: Diagnostic,
1627     note: Backtrace,
1628 }
1629
1630 impl DelayedDiagnostic {
1631     fn with_backtrace(diagnostic: Diagnostic, backtrace: Backtrace) -> Self {
1632         DelayedDiagnostic { inner: diagnostic, note: backtrace }
1633     }
1634
1635     fn decorate(mut self) -> Diagnostic {
1636         self.inner.note(&format!("delayed at {}", self.note));
1637         self.inner
1638     }
1639 }
1640
1641 #[derive(Copy, PartialEq, Eq, Clone, Hash, Debug, Encodable, Decodable)]
1642 pub enum Level {
1643     Bug,
1644     DelayedBug,
1645     Fatal,
1646     Error {
1647         /// If this error comes from a lint, don't abort compilation even when abort_if_errors() is called.
1648         lint: bool,
1649     },
1650     /// This [`LintExpectationId`] is used for expected lint diagnostics, which should
1651     /// also emit a warning due to the `force-warn` flag. In all other cases this should
1652     /// be `None`.
1653     Warning(Option<LintExpectationId>),
1654     Note,
1655     /// A note that is only emitted once.
1656     OnceNote,
1657     Help,
1658     FailureNote,
1659     Allow,
1660     Expect(LintExpectationId),
1661 }
1662
1663 impl fmt::Display for Level {
1664     fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
1665         self.to_str().fmt(f)
1666     }
1667 }
1668
1669 impl Level {
1670     fn color(self) -> ColorSpec {
1671         let mut spec = ColorSpec::new();
1672         match self {
1673             Bug | DelayedBug | Fatal | Error { .. } => {
1674                 spec.set_fg(Some(Color::Red)).set_intense(true);
1675             }
1676             Warning(_) => {
1677                 spec.set_fg(Some(Color::Yellow)).set_intense(cfg!(windows));
1678             }
1679             Note | OnceNote => {
1680                 spec.set_fg(Some(Color::Green)).set_intense(true);
1681             }
1682             Help => {
1683                 spec.set_fg(Some(Color::Cyan)).set_intense(true);
1684             }
1685             FailureNote => {}
1686             Allow | Expect(_) => unreachable!(),
1687         }
1688         spec
1689     }
1690
1691     pub fn to_str(self) -> &'static str {
1692         match self {
1693             Bug | DelayedBug => "error: internal compiler error",
1694             Fatal | Error { .. } => "error",
1695             Warning(_) => "warning",
1696             Note | OnceNote => "note",
1697             Help => "help",
1698             FailureNote => "failure-note",
1699             Allow => panic!("Shouldn't call on allowed error"),
1700             Expect(_) => panic!("Shouldn't call on expected error"),
1701         }
1702     }
1703
1704     pub fn is_failure_note(&self) -> bool {
1705         matches!(*self, FailureNote)
1706     }
1707
1708     pub fn get_expectation_id(&self) -> Option<LintExpectationId> {
1709         match self {
1710             Level::Expect(id) | Level::Warning(Some(id)) => Some(*id),
1711             _ => None,
1712         }
1713     }
1714 }
1715
1716 // FIXME(eddyb) this doesn't belong here AFAICT, should be moved to callsite.
1717 pub fn add_elided_lifetime_in_path_suggestion(
1718     source_map: &SourceMap,
1719     diag: &mut Diagnostic,
1720     n: usize,
1721     path_span: Span,
1722     incl_angl_brckt: bool,
1723     insertion_span: Span,
1724 ) {
1725     diag.span_label(path_span, format!("expected lifetime parameter{}", pluralize!(n)));
1726     if !source_map.is_span_accessible(insertion_span) {
1727         // Do not try to suggest anything if generated by a proc-macro.
1728         return;
1729     }
1730     let anon_lts = vec!["'_"; n].join(", ");
1731     let suggestion =
1732         if incl_angl_brckt { format!("<{}>", anon_lts) } else { format!("{}, ", anon_lts) };
1733     diag.span_suggestion_verbose(
1734         insertion_span.shrink_to_hi(),
1735         &format!("indicate the anonymous lifetime{}", pluralize!(n)),
1736         suggestion,
1737         Applicability::MachineApplicable,
1738     );
1739 }
1740
1741 /// Useful type to use with `Result<>` indicate that an error has already
1742 /// been reported to the user, so no need to continue checking.
1743 #[derive(Clone, Copy, Debug, Encodable, Decodable, Hash, PartialEq, Eq, PartialOrd, Ord)]
1744 #[derive(HashStable_Generic)]
1745 pub struct ErrorGuaranteed(());
1746
1747 impl ErrorGuaranteed {
1748     /// To be used only if you really know what you are doing... ideally, we would find a way to
1749     /// eliminate all calls to this method.
1750     pub fn unchecked_claim_error_was_emitted() -> Self {
1751         ErrorGuaranteed(())
1752     }
1753 }