Skip to main content

rustc_errors/
emitter.rs

1//! The current rustc diagnostics emitter.
2//!
3//! An `Emitter` takes care of generating the output from a `Diag` struct.
4//!
5//! There are various `Emitter` implementations that generate different output formats such as
6//! JSON and human readable output.
7//!
8//! The output types are defined in `rustc_session::config::ErrorOutputType`.
9
10use std::borrow::Cow;
11use std::error::Report;
12use std::io::prelude::*;
13use std::io::{self, IsTerminal};
14use std::iter;
15use std::path::Path;
16
17use anstream::{AutoStream, ColorChoice};
18use anstyle::{AnsiColor, Effects};
19use rustc_data_structures::fx::FxIndexSet;
20use rustc_data_structures::sync::DynSend;
21use rustc_error_messages::FluentArgs;
22use rustc_span::hygiene::{ExpnKind, MacroKind};
23use rustc_span::source_map::SourceMap;
24use rustc_span::{FileName, SourceFile, Span};
25use tracing::{debug, warn};
26
27use crate::timings::TimingRecord;
28use crate::translation::format_diag_message;
29use crate::{
30    CodeSuggestion, DiagInner, DiagMessage, Level, MultiSpan, Style, Subdiag, SuggestionStyle,
31};
32
33/// Describes the way the content of the `rendered` field of the json output is generated
34#[derive(#[automatically_derived]
impl ::core::clone::Clone for HumanReadableErrorType {
    #[inline]
    fn clone(&self) -> HumanReadableErrorType {
        let _: ::core::clone::AssertParamIsClone<bool>;
        *self
    }
}Clone, #[automatically_derived]
impl ::core::marker::Copy for HumanReadableErrorType { }Copy, #[automatically_derived]
impl ::core::fmt::Debug for HumanReadableErrorType {
    #[inline]
    fn fmt(&self, f: &mut ::core::fmt::Formatter) -> ::core::fmt::Result {
        ::core::fmt::Formatter::debug_struct_field2_finish(f,
            "HumanReadableErrorType", "short", &self.short, "unicode",
            &&self.unicode)
    }
}Debug, #[automatically_derived]
impl ::core::cmp::PartialEq for HumanReadableErrorType {
    #[inline]
    fn eq(&self, other: &HumanReadableErrorType) -> bool {
        self.short == other.short && self.unicode == other.unicode
    }
}PartialEq, #[automatically_derived]
impl ::core::cmp::Eq for HumanReadableErrorType {
    #[inline]
    #[doc(hidden)]
    #[coverage(off)]
    fn assert_receiver_is_total_eq(&self) {
        let _: ::core::cmp::AssertParamIsEq<bool>;
    }
}Eq)]
35pub struct HumanReadableErrorType {
36    pub short: bool,
37    pub unicode: bool,
38}
39
40impl HumanReadableErrorType {
41    pub fn short(&self) -> bool {
42        self.short
43    }
44}
45
46pub enum TimingEvent {
47    Start,
48    End,
49}
50
51pub type DynEmitter = dyn Emitter + DynSend;
52
53/// Emitter trait for emitting errors and other structured information.
54pub trait Emitter {
55    /// Emit a structured diagnostic.
56    fn emit_diagnostic(&mut self, diag: DiagInner);
57
58    /// Emit a notification that an artifact has been output.
59    /// Currently only supported for the JSON format.
60    fn emit_artifact_notification(&mut self, _path: &Path, _artifact_type: &str) {}
61
62    /// Emit a timestamp with start/end of a timing section.
63    /// Currently only supported for the JSON format.
64    fn emit_timing_section(&mut self, _record: TimingRecord, _event: TimingEvent) {}
65
66    /// Emit a report about future breakage.
67    /// Currently only supported for the JSON format.
68    fn emit_future_breakage_report(&mut self, _diags: Vec<DiagInner>) {}
69
70    /// Emit list of unused externs.
71    /// Currently only supported for the JSON format.
72    fn emit_unused_externs(
73        &mut self,
74        _lint_level: rustc_lint_defs::Level,
75        _unused_externs: &[&str],
76    ) {
77    }
78
79    /// Checks if should show explanations about "rustc --explain"
80    fn should_show_explain(&self) -> bool {
81        true
82    }
83
84    /// Checks if we can use colors in the current output stream.
85    fn supports_color(&self) -> bool {
86        false
87    }
88
89    fn source_map(&self) -> Option<&SourceMap>;
90
91    /// Formats the substitutions of the primary_span
92    ///
93    /// There are a lot of conditions to this method, but in short:
94    ///
95    /// * If the current `DiagInner` has only one visible `CodeSuggestion`,
96    ///   we format the `help` suggestion depending on the content of the
97    ///   substitutions. In that case, we modify the span and clear the
98    ///   suggestions.
99    ///
100    /// * If the current `DiagInner` has multiple suggestions,
101    ///   we leave `primary_span` and the suggestions untouched.
102    fn primary_span_formatted(
103        &self,
104        primary_span: &mut MultiSpan,
105        suggestions: &mut Vec<CodeSuggestion>,
106        fluent_args: &FluentArgs<'_>,
107    ) {
108        if let Some((sugg, rest)) = suggestions.split_first() {
109            let msg = format_diag_message(&sugg.msg, fluent_args).map_err(Report::new).unwrap();
110            if rest.is_empty()
111               // ^ if there is only one suggestion
112               // don't display multi-suggestions as labels
113               && let [substitution] = sugg.substitutions.as_slice()
114               // don't display multipart suggestions as labels
115               && let [part] = substitution.parts.as_slice()
116               // don't display long messages as labels
117               && msg.split_whitespace().count() < 10
118               // don't display multiline suggestions as labels
119               && !part.snippet.contains('\n')
120               && ![
121                    // when this style is set we want the suggestion to be a message, not inline
122                    SuggestionStyle::HideCodeAlways,
123                    // trivial suggestion for tooling's sake, never shown
124                    SuggestionStyle::CompletelyHidden,
125                    // subtle suggestion, never shown inline
126                    SuggestionStyle::ShowAlways,
127               ].contains(&sugg.style)
128            {
129                let snippet = part.snippet.trim();
130                let msg = if snippet.is_empty() || sugg.style.hide_inline() {
131                    // This substitution is only removal OR we explicitly don't want to show the
132                    // code inline (`hide_inline`). Therefore, we don't show the substitution.
133                    ::alloc::__export::must_use({
        ::alloc::fmt::format(format_args!("help: {0}", msg))
    })format!("help: {msg}")
134                } else {
135                    // Show the default suggestion text with the substitution
136                    let confusion_type = self
137                        .source_map()
138                        .map(|sm| detect_confusion_type(sm, snippet, part.span))
139                        .unwrap_or(ConfusionType::None);
140                    ::alloc::__export::must_use({
        ::alloc::fmt::format(format_args!("help: {0}{1}: `{2}`", msg,
                confusion_type.label_text(), snippet))
    })format!("help: {}{}: `{}`", msg, confusion_type.label_text(), snippet,)
141                };
142                primary_span.push_span_label(part.span, msg);
143
144                // We return only the modified primary_span
145                suggestions.clear();
146            } else {
147                // if there are multiple suggestions, print them all in full
148                // to be consistent. We could try to figure out if we can
149                // make one (or the first one) inline, but that would give
150                // undue importance to a semi-random suggestion
151            }
152        } else {
153            // do nothing
154        }
155    }
156
157    fn fix_multispans_in_extern_macros_and_render_macro_backtrace(
158        &self,
159        span: &mut MultiSpan,
160        children: &mut Vec<Subdiag>,
161        level: &Level,
162        backtrace: bool,
163    ) {
164        // Check for spans in macros, before `fix_multispans_in_extern_macros`
165        // has a chance to replace them.
166        let has_macro_spans: Vec<_> = iter::once(&*span)
167            .chain(children.iter().map(|child| &child.span))
168            .flat_map(|span| span.primary_spans())
169            .flat_map(|sp| sp.macro_backtrace())
170            .filter_map(|expn_data| {
171                match expn_data.kind {
172                    ExpnKind::Root => None,
173
174                    // Skip past non-macro entries, just in case there
175                    // are some which do actually involve macros.
176                    ExpnKind::Desugaring(..) | ExpnKind::AstPass(..) => None,
177
178                    ExpnKind::Macro(macro_kind, name) => {
179                        Some((macro_kind, name, expn_data.hide_backtrace))
180                    }
181                }
182            })
183            .collect();
184
185        if !backtrace {
186            self.fix_multispans_in_extern_macros(span, children);
187        }
188
189        self.render_multispans_macro_backtrace(span, children, backtrace);
190
191        if !backtrace {
192            // Skip builtin macros, as their expansion isn't relevant to the end user. This includes
193            // actual intrinsics, like `asm!`.
194            if let Some((macro_kind, name, _)) = has_macro_spans.first()
195                && let Some((_, _, false)) = has_macro_spans.last()
196            {
197                // Mark the actual macro this originates from
198                let and_then = if let Some((macro_kind, last_name, _)) = has_macro_spans.last()
199                    && last_name != name
200                {
201                    let descr = macro_kind.descr();
202                    ::alloc::__export::must_use({
        ::alloc::fmt::format(format_args!(" which comes from the expansion of the {0} `{1}`",
                descr, last_name))
    })format!(" which comes from the expansion of the {descr} `{last_name}`")
203                } else {
204                    "".to_string()
205                };
206
207                let descr = macro_kind.descr();
208                let msg = ::alloc::__export::must_use({
        ::alloc::fmt::format(format_args!("this {0} originates in the {1} `{2}`{3} (in Nightly builds, run with -Z macro-backtrace for more info)",
                level, descr, name, and_then))
    })format!(
209                    "this {level} originates in the {descr} `{name}`{and_then} \
210                    (in Nightly builds, run with -Z macro-backtrace for more info)",
211                );
212
213                children.push(Subdiag {
214                    level: Level::Note,
215                    messages: ::alloc::boxed::box_assume_init_into_vec_unsafe(::alloc::intrinsics::write_box_via_move(::alloc::boxed::Box::new_uninit(),
        [(DiagMessage::from(msg), Style::NoStyle)]))vec![(DiagMessage::from(msg), Style::NoStyle)],
216                    span: MultiSpan::new(),
217                });
218            }
219        }
220    }
221
222    fn render_multispans_macro_backtrace(
223        &self,
224        span: &mut MultiSpan,
225        children: &mut Vec<Subdiag>,
226        backtrace: bool,
227    ) {
228        for span in iter::once(span).chain(children.iter_mut().map(|child| &mut child.span)) {
229            self.render_multispan_macro_backtrace(span, backtrace);
230        }
231    }
232
233    fn render_multispan_macro_backtrace(&self, span: &mut MultiSpan, always_backtrace: bool) {
234        let mut new_labels = FxIndexSet::default();
235
236        for &sp in span.primary_spans() {
237            if sp.is_dummy() {
238                continue;
239            }
240
241            // FIXME(eddyb) use `retain` on `macro_backtrace` to remove all the
242            // entries we don't want to print, to make sure the indices being
243            // printed are contiguous (or omitted if there's only one entry).
244            let macro_backtrace: Vec<_> = sp.macro_backtrace().collect();
245            for (i, trace) in macro_backtrace.iter().rev().enumerate() {
246                if trace.def_site.is_dummy() {
247                    continue;
248                }
249
250                if always_backtrace {
251                    new_labels.insert((
252                        trace.def_site,
253                        ::alloc::__export::must_use({
        ::alloc::fmt::format(format_args!("in this expansion of `{0}`{1}",
                trace.kind.descr(),
                if macro_backtrace.len() > 1 {
                    ::alloc::__export::must_use({
                            ::alloc::fmt::format(format_args!(" (#{0})", i + 1))
                        })
                } else { String::new() }))
    })format!(
254                            "in this expansion of `{}`{}",
255                            trace.kind.descr(),
256                            if macro_backtrace.len() > 1 {
257                                // if macro_backtrace.len() == 1 it'll be
258                                // pointed at by "in this macro invocation"
259                                format!(" (#{})", i + 1)
260                            } else {
261                                String::new()
262                            },
263                        ),
264                    ));
265                }
266
267                // Don't add a label on the call site if the diagnostic itself
268                // already points to (a part of) that call site, as the label
269                // is meant for showing the relevant invocation when the actual
270                // diagnostic is pointing to some part of macro definition.
271                //
272                // This also handles the case where an external span got replaced
273                // with the call site span by `fix_multispans_in_extern_macros`.
274                //
275                // NB: `-Zmacro-backtrace` overrides this, for uniformity, as the
276                // "in this expansion of" label above is always added in that mode,
277                // and it needs an "in this macro invocation" label to match that.
278                let redundant_span = trace.call_site.contains(sp);
279
280                if !redundant_span || always_backtrace {
281                    let msg: Cow<'static, _> = match trace.kind {
282                        ExpnKind::Macro(MacroKind::Attr, _) => {
283                            "this attribute macro expansion".into()
284                        }
285                        ExpnKind::Macro(MacroKind::Derive, _) => {
286                            "this derive macro expansion".into()
287                        }
288                        ExpnKind::Macro(MacroKind::Bang, _) => "this macro invocation".into(),
289                        ExpnKind::Root => "the crate root".into(),
290                        ExpnKind::AstPass(kind) => kind.descr().into(),
291                        ExpnKind::Desugaring(kind) => {
292                            ::alloc::__export::must_use({
        ::alloc::fmt::format(format_args!("this {0} desugaring",
                kind.descr()))
    })format!("this {} desugaring", kind.descr()).into()
293                        }
294                    };
295                    new_labels.insert((
296                        trace.call_site,
297                        ::alloc::__export::must_use({
        ::alloc::fmt::format(format_args!("in {0}{1}", msg,
                if macro_backtrace.len() > 1 && always_backtrace {
                    ::alloc::__export::must_use({
                            ::alloc::fmt::format(format_args!(" (#{0})", i + 1))
                        })
                } else { String::new() }))
    })format!(
298                            "in {}{}",
299                            msg,
300                            if macro_backtrace.len() > 1 && always_backtrace {
301                                // only specify order when the macro
302                                // backtrace is multiple levels deep
303                                format!(" (#{})", i + 1)
304                            } else {
305                                String::new()
306                            },
307                        ),
308                    ));
309                }
310                if !always_backtrace {
311                    break;
312                }
313            }
314        }
315
316        for (label_span, label_text) in new_labels {
317            span.push_span_label(label_span, label_text);
318        }
319    }
320
321    // This does a small "fix" for multispans by looking to see if it can find any that
322    // point directly at external macros. Since these are often difficult to read,
323    // this will change the span to point at the use site.
324    fn fix_multispans_in_extern_macros(&self, span: &mut MultiSpan, children: &mut Vec<Subdiag>) {
325        {
    use ::tracing::__macro_support::Callsite as _;
    static __CALLSITE: ::tracing::callsite::DefaultCallsite =
        {
            static META: ::tracing::Metadata<'static> =
                {
                    ::tracing_core::metadata::Metadata::new("event compiler/rustc_errors/src/emitter.rs:325",
                        "rustc_errors::emitter", ::tracing::Level::DEBUG,
                        ::tracing_core::__macro_support::Option::Some("compiler/rustc_errors/src/emitter.rs"),
                        ::tracing_core::__macro_support::Option::Some(325u32),
                        ::tracing_core::__macro_support::Option::Some("rustc_errors::emitter"),
                        ::tracing_core::field::FieldSet::new(&["message"],
                            ::tracing_core::callsite::Identifier(&__CALLSITE)),
                        ::tracing::metadata::Kind::EVENT)
                };
            ::tracing::callsite::DefaultCallsite::new(&META)
        };
    let enabled =
        ::tracing::Level::DEBUG <= ::tracing::level_filters::STATIC_MAX_LEVEL
                &&
                ::tracing::Level::DEBUG <=
                    ::tracing::level_filters::LevelFilter::current() &&
            {
                let interest = __CALLSITE.interest();
                !interest.is_never() &&
                    ::tracing::__macro_support::__is_enabled(__CALLSITE.metadata(),
                        interest)
            };
    if enabled {
        (|value_set: ::tracing::field::ValueSet|
                    {
                        let meta = __CALLSITE.metadata();
                        ::tracing::Event::dispatch(meta, &value_set);
                        ;
                    })({
                #[allow(unused_imports)]
                use ::tracing::field::{debug, display, Value};
                let mut iter = __CALLSITE.metadata().fields().iter();
                __CALLSITE.metadata().fields().value_set(&[(&::tracing::__macro_support::Iterator::next(&mut iter).expect("FieldSet corrupted (this is a bug)"),
                                    ::tracing::__macro_support::Option::Some(&format_args!("fix_multispans_in_extern_macros: before: span={0:?} children={1:?}",
                                                    span, children) as &dyn Value))])
            });
    } else { ; }
};debug!("fix_multispans_in_extern_macros: before: span={:?} children={:?}", span, children);
326        self.fix_multispan_in_extern_macros(span);
327        for child in children.iter_mut() {
328            self.fix_multispan_in_extern_macros(&mut child.span);
329        }
330        {
    use ::tracing::__macro_support::Callsite as _;
    static __CALLSITE: ::tracing::callsite::DefaultCallsite =
        {
            static META: ::tracing::Metadata<'static> =
                {
                    ::tracing_core::metadata::Metadata::new("event compiler/rustc_errors/src/emitter.rs:330",
                        "rustc_errors::emitter", ::tracing::Level::DEBUG,
                        ::tracing_core::__macro_support::Option::Some("compiler/rustc_errors/src/emitter.rs"),
                        ::tracing_core::__macro_support::Option::Some(330u32),
                        ::tracing_core::__macro_support::Option::Some("rustc_errors::emitter"),
                        ::tracing_core::field::FieldSet::new(&["message"],
                            ::tracing_core::callsite::Identifier(&__CALLSITE)),
                        ::tracing::metadata::Kind::EVENT)
                };
            ::tracing::callsite::DefaultCallsite::new(&META)
        };
    let enabled =
        ::tracing::Level::DEBUG <= ::tracing::level_filters::STATIC_MAX_LEVEL
                &&
                ::tracing::Level::DEBUG <=
                    ::tracing::level_filters::LevelFilter::current() &&
            {
                let interest = __CALLSITE.interest();
                !interest.is_never() &&
                    ::tracing::__macro_support::__is_enabled(__CALLSITE.metadata(),
                        interest)
            };
    if enabled {
        (|value_set: ::tracing::field::ValueSet|
                    {
                        let meta = __CALLSITE.metadata();
                        ::tracing::Event::dispatch(meta, &value_set);
                        ;
                    })({
                #[allow(unused_imports)]
                use ::tracing::field::{debug, display, Value};
                let mut iter = __CALLSITE.metadata().fields().iter();
                __CALLSITE.metadata().fields().value_set(&[(&::tracing::__macro_support::Iterator::next(&mut iter).expect("FieldSet corrupted (this is a bug)"),
                                    ::tracing::__macro_support::Option::Some(&format_args!("fix_multispans_in_extern_macros: after: span={0:?} children={1:?}",
                                                    span, children) as &dyn Value))])
            });
    } else { ; }
};debug!("fix_multispans_in_extern_macros: after: span={:?} children={:?}", span, children);
331    }
332
333    // This "fixes" MultiSpans that contain `Span`s pointing to locations inside of external macros.
334    // Since these locations are often difficult to read,
335    // we move these spans from the external macros to their corresponding use site.
336    fn fix_multispan_in_extern_macros(&self, span: &mut MultiSpan) {
337        let Some(source_map) = self.source_map() else { return };
338        // First, find all the spans in external macros and point instead at their use site.
339        let replacements: Vec<(Span, Span)> = span
340            .primary_spans()
341            .iter()
342            .copied()
343            .chain(span.span_labels().iter().map(|sp_label| sp_label.span))
344            .filter_map(|sp| {
345                if !sp.is_dummy() && source_map.is_imported(sp) {
346                    let mut span = sp;
347                    while let Some(callsite) = span.parent_callsite() {
348                        span = callsite;
349                        if !source_map.is_imported(span) {
350                            return Some((sp, span));
351                        }
352                    }
353                }
354                None
355            })
356            .collect();
357
358        // After we have them, make sure we replace these 'bad' def sites with their use sites.
359        for (from, to) in replacements {
360            span.replace(from, to);
361        }
362    }
363}
364
365/// An emitter that adds a note to each diagnostic.
366pub struct EmitterWithNote {
367    pub emitter: Box<dyn Emitter + DynSend>,
368    pub note: String,
369}
370
371impl Emitter for EmitterWithNote {
372    fn source_map(&self) -> Option<&SourceMap> {
373        None
374    }
375
376    fn emit_diagnostic(&mut self, mut diag: DiagInner) {
377        diag.sub(Level::Note, self.note.clone(), MultiSpan::new());
378        self.emitter.emit_diagnostic(diag);
379    }
380}
381
382pub struct SilentEmitter;
383
384impl Emitter for SilentEmitter {
385    fn source_map(&self) -> Option<&SourceMap> {
386        None
387    }
388
389    fn emit_diagnostic(&mut self, _diag: DiagInner) {}
390}
391
392/// Maximum number of suggestions to be shown
393///
394/// Arbitrary, but taken from trait import suggestion limit
395pub const MAX_SUGGESTIONS: usize = 4;
396
397#[derive(#[automatically_derived]
impl ::core::clone::Clone for ColorConfig {
    #[inline]
    fn clone(&self) -> ColorConfig { *self }
}Clone, #[automatically_derived]
impl ::core::marker::Copy for ColorConfig { }Copy, #[automatically_derived]
impl ::core::fmt::Debug for ColorConfig {
    #[inline]
    fn fmt(&self, f: &mut ::core::fmt::Formatter) -> ::core::fmt::Result {
        ::core::fmt::Formatter::write_str(f,
            match self {
                ColorConfig::Auto => "Auto",
                ColorConfig::Always => "Always",
                ColorConfig::Never => "Never",
            })
    }
}Debug, #[automatically_derived]
impl ::core::cmp::PartialEq for ColorConfig {
    #[inline]
    fn eq(&self, other: &ColorConfig) -> bool {
        let __self_discr = ::core::intrinsics::discriminant_value(self);
        let __arg1_discr = ::core::intrinsics::discriminant_value(other);
        __self_discr == __arg1_discr
    }
}PartialEq, #[automatically_derived]
impl ::core::cmp::Eq for ColorConfig {
    #[inline]
    #[doc(hidden)]
    #[coverage(off)]
    fn assert_receiver_is_total_eq(&self) {}
}Eq)]
398pub enum ColorConfig {
399    Auto,
400    Always,
401    Never,
402}
403
404impl ColorConfig {
405    pub fn to_color_choice(self) -> ColorChoice {
406        match self {
407            ColorConfig::Always => {
408                if io::stderr().is_terminal() {
409                    ColorChoice::Always
410                } else {
411                    ColorChoice::AlwaysAnsi
412                }
413            }
414            ColorConfig::Never => ColorChoice::Never,
415            ColorConfig::Auto if io::stderr().is_terminal() => ColorChoice::Auto,
416            ColorConfig::Auto => ColorChoice::Never,
417        }
418    }
419}
420
421#[derive(#[automatically_derived]
impl ::core::fmt::Debug for OutputTheme {
    #[inline]
    fn fmt(&self, f: &mut ::core::fmt::Formatter) -> ::core::fmt::Result {
        ::core::fmt::Formatter::write_str(f,
            match self {
                OutputTheme::Ascii => "Ascii",
                OutputTheme::Unicode => "Unicode",
            })
    }
}Debug, #[automatically_derived]
impl ::core::clone::Clone for OutputTheme {
    #[inline]
    fn clone(&self) -> OutputTheme { *self }
}Clone, #[automatically_derived]
impl ::core::marker::Copy for OutputTheme { }Copy, #[automatically_derived]
impl ::core::cmp::PartialEq for OutputTheme {
    #[inline]
    fn eq(&self, other: &OutputTheme) -> bool {
        let __self_discr = ::core::intrinsics::discriminant_value(self);
        let __arg1_discr = ::core::intrinsics::discriminant_value(other);
        __self_discr == __arg1_discr
    }
}PartialEq, #[automatically_derived]
impl ::core::cmp::Eq for OutputTheme {
    #[inline]
    #[doc(hidden)]
    #[coverage(off)]
    fn assert_receiver_is_total_eq(&self) {}
}Eq)]
422pub enum OutputTheme {
423    Ascii,
424    Unicode,
425}
426
427// We replace some characters so the CLI output is always consistent and underlines aligned.
428// Keep the following list in sync with `rustc_span::char_width`.
429const OUTPUT_REPLACEMENTS: &[(char, &str)] = &[
430    // In terminals without Unicode support the following will be garbled, but in *all* terminals
431    // the underlying codepoint will be as well. We could gate this replacement behind a "unicode
432    // support" gate.
433    ('\0', "␀"),
434    ('\u{0001}', "␁"),
435    ('\u{0002}', "␂"),
436    ('\u{0003}', "␃"),
437    ('\u{0004}', "␄"),
438    ('\u{0005}', "␅"),
439    ('\u{0006}', "␆"),
440    ('\u{0007}', "␇"),
441    ('\u{0008}', "␈"),
442    ('\t', "    "), // We do our own tab replacement
443    ('\u{000b}', "␋"),
444    ('\u{000c}', "␌"),
445    ('\u{000d}', "␍"),
446    ('\u{000e}', "␎"),
447    ('\u{000f}', "␏"),
448    ('\u{0010}', "␐"),
449    ('\u{0011}', "␑"),
450    ('\u{0012}', "␒"),
451    ('\u{0013}', "␓"),
452    ('\u{0014}', "␔"),
453    ('\u{0015}', "␕"),
454    ('\u{0016}', "␖"),
455    ('\u{0017}', "␗"),
456    ('\u{0018}', "␘"),
457    ('\u{0019}', "␙"),
458    ('\u{001a}', "␚"),
459    ('\u{001b}', "␛"),
460    ('\u{001c}', "␜"),
461    ('\u{001d}', "␝"),
462    ('\u{001e}', "␞"),
463    ('\u{001f}', "␟"),
464    ('\u{007f}', "␡"),
465    ('\u{200d}', ""), // Replace ZWJ for consistent terminal output of grapheme clusters.
466    ('\u{202a}', "�"), // The following unicode text flow control characters are inconsistently
467    ('\u{202b}', "�"), // supported across CLIs and can cause confusion due to the bytes on disk
468    ('\u{202c}', "�"), // not corresponding to the visible source code, so we replace them always.
469    ('\u{202d}', "�"),
470    ('\u{202e}', "�"),
471    ('\u{2066}', "�"),
472    ('\u{2067}', "�"),
473    ('\u{2068}', "�"),
474    ('\u{2069}', "�"),
475];
476
477pub(crate) fn normalize_whitespace(s: &str) -> String {
478    const {
479        let mut i = 1;
480        while i < OUTPUT_REPLACEMENTS.len() {
481            if !(OUTPUT_REPLACEMENTS[i - 1].0 < OUTPUT_REPLACEMENTS[i].0) {
    {
        ::core::panicking::panic_fmt(format_args!("The OUTPUT_REPLACEMENTS array must be sorted (for binary search to work) and must contain no duplicate entries"));
    }
};assert!(
482                OUTPUT_REPLACEMENTS[i - 1].0 < OUTPUT_REPLACEMENTS[i].0,
483                "The OUTPUT_REPLACEMENTS array must be sorted (for binary search to work) \
484                and must contain no duplicate entries"
485            );
486            i += 1;
487        }
488    }
489    // Scan the input string for a character in the ordered table above.
490    // If it's present, replace it with its alternative string (it can be more than 1 char!).
491    // Otherwise, retain the input char.
492    s.chars().fold(String::with_capacity(s.len()), |mut s, c| {
493        match OUTPUT_REPLACEMENTS.binary_search_by_key(&c, |(k, _)| *k) {
494            Ok(i) => s.push_str(OUTPUT_REPLACEMENTS[i].1),
495            _ => s.push(c),
496        }
497        s
498    })
499}
500
501pub type Destination = AutoStream<Box<dyn Write + Send>>;
502
503struct Buffy {
504    buffer_writer: std::io::Stderr,
505    buffer: Vec<u8>,
506}
507
508impl Write for Buffy {
509    fn write(&mut self, buf: &[u8]) -> io::Result<usize> {
510        self.buffer.write(buf)
511    }
512
513    fn flush(&mut self) -> io::Result<()> {
514        self.buffer_writer.write_all(&self.buffer)?;
515        self.buffer.clear();
516        Ok(())
517    }
518}
519
520impl Drop for Buffy {
521    fn drop(&mut self) {
522        if !self.buffer.is_empty() {
523            self.flush().unwrap();
524            {
    ::core::panicking::panic_fmt(format_args!("buffers need to be flushed in order to print their contents"));
};panic!("buffers need to be flushed in order to print their contents");
525        }
526    }
527}
528
529pub fn stderr_destination(color: ColorConfig) -> Destination {
530    let buffer_writer = std::io::stderr();
531    // We need to resolve `ColorChoice::Auto` before `Box`ing since
532    // `ColorChoice::Auto` on `dyn Write` will always resolve to `Never`
533    let choice = get_stderr_color_choice(color, &buffer_writer);
534    // On Windows we'll be performing global synchronization on the entire
535    // system for emitting rustc errors, so there's no need to buffer
536    // anything.
537    //
538    // On non-Windows we rely on the atomicity of `write` to ensure errors
539    // don't get all jumbled up.
540    if falsecfg!(windows) {
541        AutoStream::new(Box::new(buffer_writer), choice)
542    } else {
543        let buffer = Vec::new();
544        AutoStream::new(Box::new(Buffy { buffer_writer, buffer }), choice)
545    }
546}
547
548pub fn get_stderr_color_choice(color: ColorConfig, stderr: &std::io::Stderr) -> ColorChoice {
549    let choice = color.to_color_choice();
550    if #[allow(non_exhaustive_omitted_patterns)] match choice {
    ColorChoice::Auto => true,
    _ => false,
}matches!(choice, ColorChoice::Auto) { AutoStream::choice(stderr) } else { choice }
551}
552
553/// On Windows, BRIGHT_BLUE is hard to read on black. Use cyan instead.
554///
555/// See #36178.
556const BRIGHT_BLUE: anstyle::Style = if falsecfg!(windows) {
557    AnsiColor::BrightCyan.on_default()
558} else {
559    AnsiColor::BrightBlue.on_default()
560};
561
562impl Style {
563    pub(crate) fn anstyle(&self, lvl: Level) -> anstyle::Style {
564        match self {
565            Style::Addition => AnsiColor::BrightGreen.on_default(),
566            Style::Removal => AnsiColor::BrightRed.on_default(),
567            Style::LineAndColumn => anstyle::Style::new(),
568            Style::LineNumber => BRIGHT_BLUE.effects(Effects::BOLD),
569            Style::Quotation => anstyle::Style::new(),
570            Style::MainHeaderMsg => if falsecfg!(windows) {
571                AnsiColor::BrightWhite.on_default()
572            } else {
573                anstyle::Style::new()
574            }
575            .effects(Effects::BOLD),
576            Style::UnderlinePrimary | Style::LabelPrimary => lvl.color().effects(Effects::BOLD),
577            Style::UnderlineSecondary | Style::LabelSecondary => BRIGHT_BLUE.effects(Effects::BOLD),
578            Style::HeaderMsg | Style::NoStyle => anstyle::Style::new(),
579            Style::Level(lvl) => lvl.color().effects(Effects::BOLD),
580            Style::Highlight => AnsiColor::Magenta.on_default().effects(Effects::BOLD),
581        }
582    }
583}
584
585/// Whether the original and suggested code are the same.
586pub fn is_different(sm: &SourceMap, suggested: &str, sp: Span) -> bool {
587    let found = match sm.span_to_snippet(sp) {
588        Ok(snippet) => snippet,
589        Err(e) => {
590            {
    use ::tracing::__macro_support::Callsite as _;
    static __CALLSITE: ::tracing::callsite::DefaultCallsite =
        {
            static META: ::tracing::Metadata<'static> =
                {
                    ::tracing_core::metadata::Metadata::new("event compiler/rustc_errors/src/emitter.rs:590",
                        "rustc_errors::emitter", ::tracing::Level::WARN,
                        ::tracing_core::__macro_support::Option::Some("compiler/rustc_errors/src/emitter.rs"),
                        ::tracing_core::__macro_support::Option::Some(590u32),
                        ::tracing_core::__macro_support::Option::Some("rustc_errors::emitter"),
                        ::tracing_core::field::FieldSet::new(&["message", "error"],
                            ::tracing_core::callsite::Identifier(&__CALLSITE)),
                        ::tracing::metadata::Kind::EVENT)
                };
            ::tracing::callsite::DefaultCallsite::new(&META)
        };
    let enabled =
        ::tracing::Level::WARN <= ::tracing::level_filters::STATIC_MAX_LEVEL
                &&
                ::tracing::Level::WARN <=
                    ::tracing::level_filters::LevelFilter::current() &&
            {
                let interest = __CALLSITE.interest();
                !interest.is_never() &&
                    ::tracing::__macro_support::__is_enabled(__CALLSITE.metadata(),
                        interest)
            };
    if enabled {
        (|value_set: ::tracing::field::ValueSet|
                    {
                        let meta = __CALLSITE.metadata();
                        ::tracing::Event::dispatch(meta, &value_set);
                        ;
                    })({
                #[allow(unused_imports)]
                use ::tracing::field::{debug, display, Value};
                let mut iter = __CALLSITE.metadata().fields().iter();
                __CALLSITE.metadata().fields().value_set(&[(&::tracing::__macro_support::Iterator::next(&mut iter).expect("FieldSet corrupted (this is a bug)"),
                                    ::tracing::__macro_support::Option::Some(&format_args!("Invalid span {0:?}",
                                                    sp) as &dyn Value)),
                                (&::tracing::__macro_support::Iterator::next(&mut iter).expect("FieldSet corrupted (this is a bug)"),
                                    ::tracing::__macro_support::Option::Some(&debug(&e) as
                                            &dyn Value))])
            });
    } else { ; }
};warn!(error = ?e, "Invalid span {:?}", sp);
591            return true;
592        }
593    };
594    found != suggested
595}
596
597/// Whether the original and suggested code are visually similar enough to warrant extra wording.
598pub fn detect_confusion_type(sm: &SourceMap, suggested: &str, sp: Span) -> ConfusionType {
599    let found = match sm.span_to_snippet(sp) {
600        Ok(snippet) => snippet,
601        Err(e) => {
602            {
    use ::tracing::__macro_support::Callsite as _;
    static __CALLSITE: ::tracing::callsite::DefaultCallsite =
        {
            static META: ::tracing::Metadata<'static> =
                {
                    ::tracing_core::metadata::Metadata::new("event compiler/rustc_errors/src/emitter.rs:602",
                        "rustc_errors::emitter", ::tracing::Level::WARN,
                        ::tracing_core::__macro_support::Option::Some("compiler/rustc_errors/src/emitter.rs"),
                        ::tracing_core::__macro_support::Option::Some(602u32),
                        ::tracing_core::__macro_support::Option::Some("rustc_errors::emitter"),
                        ::tracing_core::field::FieldSet::new(&["message", "error"],
                            ::tracing_core::callsite::Identifier(&__CALLSITE)),
                        ::tracing::metadata::Kind::EVENT)
                };
            ::tracing::callsite::DefaultCallsite::new(&META)
        };
    let enabled =
        ::tracing::Level::WARN <= ::tracing::level_filters::STATIC_MAX_LEVEL
                &&
                ::tracing::Level::WARN <=
                    ::tracing::level_filters::LevelFilter::current() &&
            {
                let interest = __CALLSITE.interest();
                !interest.is_never() &&
                    ::tracing::__macro_support::__is_enabled(__CALLSITE.metadata(),
                        interest)
            };
    if enabled {
        (|value_set: ::tracing::field::ValueSet|
                    {
                        let meta = __CALLSITE.metadata();
                        ::tracing::Event::dispatch(meta, &value_set);
                        ;
                    })({
                #[allow(unused_imports)]
                use ::tracing::field::{debug, display, Value};
                let mut iter = __CALLSITE.metadata().fields().iter();
                __CALLSITE.metadata().fields().value_set(&[(&::tracing::__macro_support::Iterator::next(&mut iter).expect("FieldSet corrupted (this is a bug)"),
                                    ::tracing::__macro_support::Option::Some(&format_args!("Invalid span {0:?}",
                                                    sp) as &dyn Value)),
                                (&::tracing::__macro_support::Iterator::next(&mut iter).expect("FieldSet corrupted (this is a bug)"),
                                    ::tracing::__macro_support::Option::Some(&debug(&e) as
                                            &dyn Value))])
            });
    } else { ; }
};warn!(error = ?e, "Invalid span {:?}", sp);
603            return ConfusionType::None;
604        }
605    };
606
607    let mut has_case_confusion = false;
608    let mut has_digit_letter_confusion = false;
609
610    if found.len() == suggested.len() {
611        let mut has_case_diff = false;
612        let mut has_digit_letter_confusable = false;
613        let mut has_other_diff = false;
614
615        // Letters whose lowercase version is very similar to the uppercase
616        // version.
617        let ascii_confusables = &['c', 'f', 'i', 'k', 'o', 's', 'u', 'v', 'w', 'x', 'y', 'z'];
618
619        let digit_letter_confusables = [('0', 'O'), ('1', 'l'), ('5', 'S'), ('8', 'B'), ('9', 'g')];
620
621        for (f, s) in iter::zip(found.chars(), suggested.chars()) {
622            if f != s {
623                if f.eq_ignore_ascii_case(&s) {
624                    // Check for case differences (any character that differs only in case)
625                    if ascii_confusables.contains(&f) || ascii_confusables.contains(&s) {
626                        has_case_diff = true;
627                    } else {
628                        has_other_diff = true;
629                    }
630                } else if digit_letter_confusables.contains(&(f, s))
631                    || digit_letter_confusables.contains(&(s, f))
632                {
633                    // Check for digit-letter confusables (like 0 vs O, 1 vs l, etc.)
634                    has_digit_letter_confusable = true;
635                } else {
636                    has_other_diff = true;
637                }
638            }
639        }
640
641        // If we have case differences and no other differences
642        if has_case_diff && !has_other_diff && found != suggested {
643            has_case_confusion = true;
644        }
645        if has_digit_letter_confusable && !has_other_diff && found != suggested {
646            has_digit_letter_confusion = true;
647        }
648    }
649
650    match (has_case_confusion, has_digit_letter_confusion) {
651        (true, true) => ConfusionType::Both,
652        (true, false) => ConfusionType::Case,
653        (false, true) => ConfusionType::DigitLetter,
654        (false, false) => ConfusionType::None,
655    }
656}
657
658/// Represents the type of confusion detected between original and suggested code.
659#[derive(#[automatically_derived]
impl ::core::fmt::Debug for ConfusionType {
    #[inline]
    fn fmt(&self, f: &mut ::core::fmt::Formatter) -> ::core::fmt::Result {
        ::core::fmt::Formatter::write_str(f,
            match self {
                ConfusionType::None => "None",
                ConfusionType::Case => "Case",
                ConfusionType::DigitLetter => "DigitLetter",
                ConfusionType::Both => "Both",
            })
    }
}Debug, #[automatically_derived]
impl ::core::clone::Clone for ConfusionType {
    #[inline]
    fn clone(&self) -> ConfusionType { *self }
}Clone, #[automatically_derived]
impl ::core::marker::Copy for ConfusionType { }Copy, #[automatically_derived]
impl ::core::cmp::PartialEq for ConfusionType {
    #[inline]
    fn eq(&self, other: &ConfusionType) -> bool {
        let __self_discr = ::core::intrinsics::discriminant_value(self);
        let __arg1_discr = ::core::intrinsics::discriminant_value(other);
        __self_discr == __arg1_discr
    }
}PartialEq, #[automatically_derived]
impl ::core::cmp::Eq for ConfusionType {
    #[inline]
    #[doc(hidden)]
    #[coverage(off)]
    fn assert_receiver_is_total_eq(&self) {}
}Eq)]
660pub enum ConfusionType {
661    /// No confusion detected
662    None,
663    /// Only case differences (e.g., "hello" vs "Hello")
664    Case,
665    /// Only digit-letter confusion (e.g., "0" vs "O", "1" vs "l")
666    DigitLetter,
667    /// Both case and digit-letter confusion
668    Both,
669}
670
671impl ConfusionType {
672    /// Returns the appropriate label text for this confusion type.
673    pub fn label_text(&self) -> &'static str {
674        match self {
675            ConfusionType::None => "",
676            ConfusionType::Case => " (notice the capitalization)",
677            ConfusionType::DigitLetter => " (notice the digit/letter confusion)",
678            ConfusionType::Both => " (notice the capitalization and digit/letter confusion)",
679        }
680    }
681
682    /// Combines two confusion types. If either is `Both`, the result is `Both`.
683    /// If one is `Case` and the other is `DigitLetter`, the result is `Both`.
684    /// Otherwise, returns the non-`None` type, or `None` if both are `None`.
685    pub fn combine(self, other: ConfusionType) -> ConfusionType {
686        match (self, other) {
687            (ConfusionType::None, other) => other,
688            (this, ConfusionType::None) => this,
689            (ConfusionType::Both, _) | (_, ConfusionType::Both) => ConfusionType::Both,
690            (ConfusionType::Case, ConfusionType::DigitLetter)
691            | (ConfusionType::DigitLetter, ConfusionType::Case) => ConfusionType::Both,
692            (ConfusionType::Case, ConfusionType::Case) => ConfusionType::Case,
693            (ConfusionType::DigitLetter, ConfusionType::DigitLetter) => ConfusionType::DigitLetter,
694        }
695    }
696
697    /// Returns true if this confusion type represents any kind of confusion.
698    pub fn has_confusion(&self) -> bool {
699        *self != ConfusionType::None
700    }
701}
702
703pub(crate) fn should_show_source_code(
704    ignored_directories: &[String],
705    sm: &SourceMap,
706    file: &SourceFile,
707) -> bool {
708    if !sm.ensure_source_file_source_present(file) {
709        return false;
710    }
711
712    let FileName::Real(name) = &file.name else { return true };
713    name.local_path()
714        .map(|path| ignored_directories.iter().all(|dir| !path.starts_with(dir)))
715        .unwrap_or(true)
716}