]> git.lizzy.rs Git - rust.git/blob - compiler/rustc_resolve/src/diagnostics.rs
Rollup merge of #102869 - azdavis:master, r=joshtriplett
[rust.git] / compiler / rustc_resolve / src / diagnostics.rs
1 use std::ptr;
2
3 use rustc_ast::ptr::P;
4 use rustc_ast::visit::{self, Visitor};
5 use rustc_ast::{self as ast, Crate, ItemKind, ModKind, NodeId, Path, CRATE_NODE_ID};
6 use rustc_ast_pretty::pprust;
7 use rustc_data_structures::fx::FxHashSet;
8 use rustc_errors::struct_span_err;
9 use rustc_errors::{Applicability, Diagnostic, DiagnosticBuilder, ErrorGuaranteed, MultiSpan};
10 use rustc_feature::BUILTIN_ATTRIBUTES;
11 use rustc_hir::def::Namespace::{self, *};
12 use rustc_hir::def::{self, CtorKind, CtorOf, DefKind, NonMacroAttrKind, PerNS};
13 use rustc_hir::def_id::{DefId, LocalDefId, CRATE_DEF_ID, LOCAL_CRATE};
14 use rustc_hir::PrimTy;
15 use rustc_index::vec::IndexVec;
16 use rustc_middle::bug;
17 use rustc_middle::ty::DefIdTree;
18 use rustc_session::lint::builtin::ABSOLUTE_PATHS_NOT_STARTING_WITH_CRATE;
19 use rustc_session::lint::builtin::MACRO_EXPANDED_MACRO_EXPORTS_ACCESSED_BY_ABSOLUTE_PATHS;
20 use rustc_session::lint::BuiltinLintDiagnostics;
21 use rustc_session::Session;
22 use rustc_span::edition::Edition;
23 use rustc_span::hygiene::MacroKind;
24 use rustc_span::lev_distance::find_best_match_for_name;
25 use rustc_span::source_map::SourceMap;
26 use rustc_span::symbol::{kw, sym, Ident, Symbol};
27 use rustc_span::{BytePos, Span};
28
29 use crate::imports::{Import, ImportKind, ImportResolver};
30 use crate::late::{PatternSource, Rib};
31 use crate::path_names_to_string;
32 use crate::{AmbiguityError, AmbiguityErrorMisc, AmbiguityKind, BindingError, Finalize};
33 use crate::{HasGenericParams, MacroRulesScope, Module, ModuleKind, ModuleOrUniformRoot};
34 use crate::{LexicalScopeBinding, NameBinding, NameBindingKind, PrivacyError, VisResolutionError};
35 use crate::{ParentScope, PathResult, ResolutionError, Resolver, Scope, ScopeSet};
36 use crate::{Segment, UseError};
37
38 #[cfg(test)]
39 mod tests;
40
41 type Res = def::Res<ast::NodeId>;
42
43 /// A vector of spans and replacements, a message and applicability.
44 pub(crate) type Suggestion = (Vec<(Span, String)>, String, Applicability);
45
46 /// Potential candidate for an undeclared or out-of-scope label - contains the ident of a
47 /// similarly named label and whether or not it is reachable.
48 pub(crate) type LabelSuggestion = (Ident, bool);
49
50 pub(crate) enum SuggestionTarget {
51     /// The target has a similar name as the name used by the programmer (probably a typo)
52     SimilarlyNamed,
53     /// The target is the only valid item that can be used in the corresponding context
54     SingleItem,
55 }
56
57 pub(crate) struct TypoSuggestion {
58     pub candidate: Symbol,
59     pub res: Res,
60     pub target: SuggestionTarget,
61 }
62
63 impl TypoSuggestion {
64     pub(crate) fn typo_from_res(candidate: Symbol, res: Res) -> TypoSuggestion {
65         Self { candidate, res, target: SuggestionTarget::SimilarlyNamed }
66     }
67     pub(crate) fn single_item_from_res(candidate: Symbol, res: Res) -> TypoSuggestion {
68         Self { candidate, res, target: SuggestionTarget::SingleItem }
69     }
70 }
71
72 /// A free importable items suggested in case of resolution failure.
73 #[derive(Debug, Clone)]
74 pub(crate) struct ImportSuggestion {
75     pub did: Option<DefId>,
76     pub descr: &'static str,
77     pub path: Path,
78     pub accessible: bool,
79     /// An extra note that should be issued if this item is suggested
80     pub note: Option<String>,
81 }
82
83 /// Adjust the impl span so that just the `impl` keyword is taken by removing
84 /// everything after `<` (`"impl<T> Iterator for A<T> {}" -> "impl"`) and
85 /// everything after the first whitespace (`"impl Iterator for A" -> "impl"`).
86 ///
87 /// *Attention*: the method used is very fragile since it essentially duplicates the work of the
88 /// parser. If you need to use this function or something similar, please consider updating the
89 /// `source_map` functions and this function to something more robust.
90 fn reduce_impl_span_to_impl_keyword(sm: &SourceMap, impl_span: Span) -> Span {
91     let impl_span = sm.span_until_char(impl_span, '<');
92     sm.span_until_whitespace(impl_span)
93 }
94
95 impl<'a> Resolver<'a> {
96     pub(crate) fn report_errors(&mut self, krate: &Crate) {
97         self.report_with_use_injections(krate);
98
99         for &(span_use, span_def) in &self.macro_expanded_macro_export_errors {
100             let msg = "macro-expanded `macro_export` macros from the current crate \
101                        cannot be referred to by absolute paths";
102             self.lint_buffer.buffer_lint_with_diagnostic(
103                 MACRO_EXPANDED_MACRO_EXPORTS_ACCESSED_BY_ABSOLUTE_PATHS,
104                 CRATE_NODE_ID,
105                 span_use,
106                 msg,
107                 BuiltinLintDiagnostics::MacroExpandedMacroExportsAccessedByAbsolutePaths(span_def),
108             );
109         }
110
111         for ambiguity_error in &self.ambiguity_errors {
112             self.report_ambiguity_error(ambiguity_error);
113         }
114
115         let mut reported_spans = FxHashSet::default();
116         for error in &self.privacy_errors {
117             if reported_spans.insert(error.dedup_span) {
118                 self.report_privacy_error(error);
119             }
120         }
121     }
122
123     fn report_with_use_injections(&mut self, krate: &Crate) {
124         for UseError { mut err, candidates, def_id, instead, suggestion, path, is_call } in
125             self.use_injections.drain(..)
126         {
127             let (span, found_use) = if let Some(def_id) = def_id.as_local() {
128                 UsePlacementFinder::check(krate, self.def_id_to_node_id[def_id])
129             } else {
130                 (None, FoundUse::No)
131             };
132
133             if !candidates.is_empty() {
134                 show_candidates(
135                     &self.session,
136                     &self.source_span,
137                     &mut err,
138                     span,
139                     &candidates,
140                     if instead { Instead::Yes } else { Instead::No },
141                     found_use,
142                     IsPattern::No,
143                     IsImport::No,
144                     path,
145                 );
146                 err.emit();
147             } else if let Some((span, msg, sugg, appl)) = suggestion {
148                 err.span_suggestion(span, msg, sugg, appl);
149                 err.emit();
150             } else if let [segment] = path.as_slice() && is_call {
151                 err.stash(segment.ident.span, rustc_errors::StashKey::CallIntoMethod);
152             } else {
153                 err.emit();
154             }
155         }
156     }
157
158     pub(crate) fn report_conflict<'b>(
159         &mut self,
160         parent: Module<'_>,
161         ident: Ident,
162         ns: Namespace,
163         new_binding: &NameBinding<'b>,
164         old_binding: &NameBinding<'b>,
165     ) {
166         // Error on the second of two conflicting names
167         if old_binding.span.lo() > new_binding.span.lo() {
168             return self.report_conflict(parent, ident, ns, old_binding, new_binding);
169         }
170
171         let container = match parent.kind {
172             ModuleKind::Def(kind, _, _) => kind.descr(parent.def_id()),
173             ModuleKind::Block => "block",
174         };
175
176         let old_noun = match old_binding.is_import() {
177             true => "import",
178             false => "definition",
179         };
180
181         let new_participle = match new_binding.is_import() {
182             true => "imported",
183             false => "defined",
184         };
185
186         let (name, span) =
187             (ident.name, self.session.source_map().guess_head_span(new_binding.span));
188
189         if let Some(s) = self.name_already_seen.get(&name) {
190             if s == &span {
191                 return;
192             }
193         }
194
195         let old_kind = match (ns, old_binding.module()) {
196             (ValueNS, _) => "value",
197             (MacroNS, _) => "macro",
198             (TypeNS, _) if old_binding.is_extern_crate() => "extern crate",
199             (TypeNS, Some(module)) if module.is_normal() => "module",
200             (TypeNS, Some(module)) if module.is_trait() => "trait",
201             (TypeNS, _) => "type",
202         };
203
204         let msg = format!("the name `{}` is defined multiple times", name);
205
206         let mut err = match (old_binding.is_extern_crate(), new_binding.is_extern_crate()) {
207             (true, true) => struct_span_err!(self.session, span, E0259, "{}", msg),
208             (true, _) | (_, true) => match new_binding.is_import() && old_binding.is_import() {
209                 true => struct_span_err!(self.session, span, E0254, "{}", msg),
210                 false => struct_span_err!(self.session, span, E0260, "{}", msg),
211             },
212             _ => match (old_binding.is_import(), new_binding.is_import()) {
213                 (false, false) => struct_span_err!(self.session, span, E0428, "{}", msg),
214                 (true, true) => struct_span_err!(self.session, span, E0252, "{}", msg),
215                 _ => struct_span_err!(self.session, span, E0255, "{}", msg),
216             },
217         };
218
219         err.note(&format!(
220             "`{}` must be defined only once in the {} namespace of this {}",
221             name,
222             ns.descr(),
223             container
224         ));
225
226         err.span_label(span, format!("`{}` re{} here", name, new_participle));
227         err.span_label(
228             self.session.source_map().guess_head_span(old_binding.span),
229             format!("previous {} of the {} `{}` here", old_noun, old_kind, name),
230         );
231
232         // See https://github.com/rust-lang/rust/issues/32354
233         use NameBindingKind::Import;
234         let import = match (&new_binding.kind, &old_binding.kind) {
235             // If there are two imports where one or both have attributes then prefer removing the
236             // import without attributes.
237             (Import { import: new, .. }, Import { import: old, .. })
238                 if {
239                     !new_binding.span.is_dummy()
240                         && !old_binding.span.is_dummy()
241                         && (new.has_attributes || old.has_attributes)
242                 } =>
243             {
244                 if old.has_attributes {
245                     Some((new, new_binding.span, true))
246                 } else {
247                     Some((old, old_binding.span, true))
248                 }
249             }
250             // Otherwise prioritize the new binding.
251             (Import { import, .. }, other) if !new_binding.span.is_dummy() => {
252                 Some((import, new_binding.span, other.is_import()))
253             }
254             (other, Import { import, .. }) if !old_binding.span.is_dummy() => {
255                 Some((import, old_binding.span, other.is_import()))
256             }
257             _ => None,
258         };
259
260         // Check if the target of the use for both bindings is the same.
261         let duplicate = new_binding.res().opt_def_id() == old_binding.res().opt_def_id();
262         let has_dummy_span = new_binding.span.is_dummy() || old_binding.span.is_dummy();
263         let from_item =
264             self.extern_prelude.get(&ident).map_or(true, |entry| entry.introduced_by_item);
265         // Only suggest removing an import if both bindings are to the same def, if both spans
266         // aren't dummy spans. Further, if both bindings are imports, then the ident must have
267         // been introduced by an item.
268         let should_remove_import = duplicate
269             && !has_dummy_span
270             && ((new_binding.is_extern_crate() || old_binding.is_extern_crate()) || from_item);
271
272         match import {
273             Some((import, span, true)) if should_remove_import && import.is_nested() => {
274                 self.add_suggestion_for_duplicate_nested_use(&mut err, import, span)
275             }
276             Some((import, _, true)) if should_remove_import && !import.is_glob() => {
277                 // Simple case - remove the entire import. Due to the above match arm, this can
278                 // only be a single use so just remove it entirely.
279                 err.tool_only_span_suggestion(
280                     import.use_span_with_attributes,
281                     "remove unnecessary import",
282                     "",
283                     Applicability::MaybeIncorrect,
284                 );
285             }
286             Some((import, span, _)) => {
287                 self.add_suggestion_for_rename_of_use(&mut err, name, import, span)
288             }
289             _ => {}
290         }
291
292         err.emit();
293         self.name_already_seen.insert(name, span);
294     }
295
296     /// This function adds a suggestion to change the binding name of a new import that conflicts
297     /// with an existing import.
298     ///
299     /// ```text,ignore (diagnostic)
300     /// help: you can use `as` to change the binding name of the import
301     ///    |
302     /// LL | use foo::bar as other_bar;
303     ///    |     ^^^^^^^^^^^^^^^^^^^^^
304     /// ```
305     fn add_suggestion_for_rename_of_use(
306         &self,
307         err: &mut Diagnostic,
308         name: Symbol,
309         import: &Import<'_>,
310         binding_span: Span,
311     ) {
312         let suggested_name = if name.as_str().chars().next().unwrap().is_uppercase() {
313             format!("Other{}", name)
314         } else {
315             format!("other_{}", name)
316         };
317
318         let mut suggestion = None;
319         match import.kind {
320             ImportKind::Single { type_ns_only: true, .. } => {
321                 suggestion = Some(format!("self as {}", suggested_name))
322             }
323             ImportKind::Single { source, .. } => {
324                 if let Some(pos) =
325                     source.span.hi().0.checked_sub(binding_span.lo().0).map(|pos| pos as usize)
326                 {
327                     if let Ok(snippet) = self.session.source_map().span_to_snippet(binding_span) {
328                         if pos <= snippet.len() {
329                             suggestion = Some(format!(
330                                 "{} as {}{}",
331                                 &snippet[..pos],
332                                 suggested_name,
333                                 if snippet.ends_with(';') { ";" } else { "" }
334                             ))
335                         }
336                     }
337                 }
338             }
339             ImportKind::ExternCrate { source, target } => {
340                 suggestion = Some(format!(
341                     "extern crate {} as {};",
342                     source.unwrap_or(target.name),
343                     suggested_name,
344                 ))
345             }
346             _ => unreachable!(),
347         }
348
349         let rename_msg = "you can use `as` to change the binding name of the import";
350         if let Some(suggestion) = suggestion {
351             err.span_suggestion(
352                 binding_span,
353                 rename_msg,
354                 suggestion,
355                 Applicability::MaybeIncorrect,
356             );
357         } else {
358             err.span_label(binding_span, rename_msg);
359         }
360     }
361
362     /// This function adds a suggestion to remove an unnecessary binding from an import that is
363     /// nested. In the following example, this function will be invoked to remove the `a` binding
364     /// in the second use statement:
365     ///
366     /// ```ignore (diagnostic)
367     /// use issue_52891::a;
368     /// use issue_52891::{d, a, e};
369     /// ```
370     ///
371     /// The following suggestion will be added:
372     ///
373     /// ```ignore (diagnostic)
374     /// use issue_52891::{d, a, e};
375     ///                      ^-- help: remove unnecessary import
376     /// ```
377     ///
378     /// If the nested use contains only one import then the suggestion will remove the entire
379     /// line.
380     ///
381     /// It is expected that the provided import is nested - this isn't checked by the
382     /// function. If this invariant is not upheld, this function's behaviour will be unexpected
383     /// as characters expected by span manipulations won't be present.
384     fn add_suggestion_for_duplicate_nested_use(
385         &self,
386         err: &mut Diagnostic,
387         import: &Import<'_>,
388         binding_span: Span,
389     ) {
390         assert!(import.is_nested());
391         let message = "remove unnecessary import";
392
393         // Two examples will be used to illustrate the span manipulations we're doing:
394         //
395         // - Given `use issue_52891::{d, a, e};` where `a` is a duplicate then `binding_span` is
396         //   `a` and `import.use_span` is `issue_52891::{d, a, e};`.
397         // - Given `use issue_52891::{d, e, a};` where `a` is a duplicate then `binding_span` is
398         //   `a` and `import.use_span` is `issue_52891::{d, e, a};`.
399
400         let (found_closing_brace, span) =
401             find_span_of_binding_until_next_binding(self.session, binding_span, import.use_span);
402
403         // If there was a closing brace then identify the span to remove any trailing commas from
404         // previous imports.
405         if found_closing_brace {
406             if let Some(span) = extend_span_to_previous_binding(self.session, span) {
407                 err.tool_only_span_suggestion(span, message, "", Applicability::MaybeIncorrect);
408             } else {
409                 // Remove the entire line if we cannot extend the span back, this indicates an
410                 // `issue_52891::{self}` case.
411                 err.span_suggestion(
412                     import.use_span_with_attributes,
413                     message,
414                     "",
415                     Applicability::MaybeIncorrect,
416                 );
417             }
418
419             return;
420         }
421
422         err.span_suggestion(span, message, "", Applicability::MachineApplicable);
423     }
424
425     pub(crate) fn lint_if_path_starts_with_module(
426         &mut self,
427         finalize: Option<Finalize>,
428         path: &[Segment],
429         second_binding: Option<&NameBinding<'_>>,
430     ) {
431         let Some(Finalize { node_id, root_span, .. }) = finalize else {
432             return;
433         };
434
435         let first_name = match path.get(0) {
436             // In the 2018 edition this lint is a hard error, so nothing to do
437             Some(seg) if seg.ident.span.rust_2015() && self.session.rust_2015() => seg.ident.name,
438             _ => return,
439         };
440
441         // We're only interested in `use` paths which should start with
442         // `{{root}}` currently.
443         if first_name != kw::PathRoot {
444             return;
445         }
446
447         match path.get(1) {
448             // If this import looks like `crate::...` it's already good
449             Some(Segment { ident, .. }) if ident.name == kw::Crate => return,
450             // Otherwise go below to see if it's an extern crate
451             Some(_) => {}
452             // If the path has length one (and it's `PathRoot` most likely)
453             // then we don't know whether we're gonna be importing a crate or an
454             // item in our crate. Defer this lint to elsewhere
455             None => return,
456         }
457
458         // If the first element of our path was actually resolved to an
459         // `ExternCrate` (also used for `crate::...`) then no need to issue a
460         // warning, this looks all good!
461         if let Some(binding) = second_binding {
462             if let NameBindingKind::Import { import, .. } = binding.kind {
463                 // Careful: we still want to rewrite paths from renamed extern crates.
464                 if let ImportKind::ExternCrate { source: None, .. } = import.kind {
465                     return;
466                 }
467             }
468         }
469
470         let diag = BuiltinLintDiagnostics::AbsPathWithModule(root_span);
471         self.lint_buffer.buffer_lint_with_diagnostic(
472             ABSOLUTE_PATHS_NOT_STARTING_WITH_CRATE,
473             node_id,
474             root_span,
475             "absolute paths must start with `self`, `super`, \
476              `crate`, or an external crate name in the 2018 edition",
477             diag,
478         );
479     }
480
481     pub(crate) fn add_module_candidates(
482         &mut self,
483         module: Module<'a>,
484         names: &mut Vec<TypoSuggestion>,
485         filter_fn: &impl Fn(Res) -> bool,
486     ) {
487         for (key, resolution) in self.resolutions(module).borrow().iter() {
488             if let Some(binding) = resolution.borrow().binding {
489                 let res = binding.res();
490                 if filter_fn(res) {
491                     names.push(TypoSuggestion::typo_from_res(key.ident.name, res));
492                 }
493             }
494         }
495     }
496
497     /// Combines an error with provided span and emits it.
498     ///
499     /// This takes the error provided, combines it with the span and any additional spans inside the
500     /// error and emits it.
501     pub(crate) fn report_error(&mut self, span: Span, resolution_error: ResolutionError<'a>) {
502         self.into_struct_error(span, resolution_error).emit();
503     }
504
505     pub(crate) fn into_struct_error(
506         &mut self,
507         span: Span,
508         resolution_error: ResolutionError<'a>,
509     ) -> DiagnosticBuilder<'_, ErrorGuaranteed> {
510         match resolution_error {
511             ResolutionError::GenericParamsFromOuterFunction(outer_res, has_generic_params) => {
512                 let mut err = struct_span_err!(
513                     self.session,
514                     span,
515                     E0401,
516                     "can't use generic parameters from outer function",
517                 );
518                 err.span_label(span, "use of generic parameter from outer function");
519
520                 let sm = self.session.source_map();
521                 let def_id = match outer_res {
522                     Res::SelfTyParam { .. } => {
523                         err.span_label(span, "can't use `Self` here");
524                         return err;
525                     }
526                     Res::SelfTyAlias { alias_to: def_id, .. } => {
527                         if let Some(impl_span) = self.opt_span(def_id) {
528                             err.span_label(
529                                 reduce_impl_span_to_impl_keyword(sm, impl_span),
530                                 "`Self` type implicitly declared here, by this `impl`",
531                             );
532                         }
533                         err.span_label(span, "use a type here instead");
534                         return err;
535                     }
536                     Res::Def(DefKind::TyParam, def_id) => {
537                         if let Some(span) = self.opt_span(def_id) {
538                             err.span_label(span, "type parameter from outer function");
539                         }
540                         def_id
541                     }
542                     Res::Def(DefKind::ConstParam, def_id) => {
543                         if let Some(span) = self.opt_span(def_id) {
544                             err.span_label(span, "const parameter from outer function");
545                         }
546                         def_id
547                     }
548                     _ => {
549                         bug!(
550                             "GenericParamsFromOuterFunction should only be used with \
551                             Res::SelfTyParam, Res::SelfTyAlias, DefKind::TyParam or \
552                             DefKind::ConstParam"
553                         );
554                     }
555                 };
556
557                 if let HasGenericParams::Yes(span) = has_generic_params {
558                     // Try to retrieve the span of the function signature and generate a new
559                     // message with a local type or const parameter.
560                     let sugg_msg = "try using a local generic parameter instead";
561                     let name = self.opt_name(def_id).unwrap_or(sym::T);
562                     let (span, snippet) = if span.is_empty() {
563                         let snippet = format!("<{}>", name);
564                         (span, snippet)
565                     } else {
566                         let span = sm.span_through_char(span, '<').shrink_to_hi();
567                         let snippet = format!("{}, ", name);
568                         (span, snippet)
569                     };
570                     // Suggest the modification to the user
571                     err.span_suggestion(span, sugg_msg, snippet, Applicability::MaybeIncorrect);
572                 }
573
574                 err
575             }
576             ResolutionError::NameAlreadyUsedInParameterList(name, first_use_span) => {
577                 let mut err = struct_span_err!(
578                     self.session,
579                     span,
580                     E0403,
581                     "the name `{}` is already used for a generic \
582                      parameter in this item's generic parameters",
583                     name,
584                 );
585                 err.span_label(span, "already used");
586                 err.span_label(first_use_span, format!("first use of `{}`", name));
587                 err
588             }
589             ResolutionError::MethodNotMemberOfTrait(method, trait_, candidate) => {
590                 let mut err = struct_span_err!(
591                     self.session,
592                     span,
593                     E0407,
594                     "method `{}` is not a member of trait `{}`",
595                     method,
596                     trait_
597                 );
598                 err.span_label(span, format!("not a member of trait `{}`", trait_));
599                 if let Some(candidate) = candidate {
600                     err.span_suggestion(
601                         method.span,
602                         "there is an associated function with a similar name",
603                         candidate.to_ident_string(),
604                         Applicability::MaybeIncorrect,
605                     );
606                 }
607                 err
608             }
609             ResolutionError::TypeNotMemberOfTrait(type_, trait_, candidate) => {
610                 let mut err = struct_span_err!(
611                     self.session,
612                     span,
613                     E0437,
614                     "type `{}` is not a member of trait `{}`",
615                     type_,
616                     trait_
617                 );
618                 err.span_label(span, format!("not a member of trait `{}`", trait_));
619                 if let Some(candidate) = candidate {
620                     err.span_suggestion(
621                         type_.span,
622                         "there is an associated type with a similar name",
623                         candidate.to_ident_string(),
624                         Applicability::MaybeIncorrect,
625                     );
626                 }
627                 err
628             }
629             ResolutionError::ConstNotMemberOfTrait(const_, trait_, candidate) => {
630                 let mut err = struct_span_err!(
631                     self.session,
632                     span,
633                     E0438,
634                     "const `{}` is not a member of trait `{}`",
635                     const_,
636                     trait_
637                 );
638                 err.span_label(span, format!("not a member of trait `{}`", trait_));
639                 if let Some(candidate) = candidate {
640                     err.span_suggestion(
641                         const_.span,
642                         "there is an associated constant with a similar name",
643                         candidate.to_ident_string(),
644                         Applicability::MaybeIncorrect,
645                     );
646                 }
647                 err
648             }
649             ResolutionError::VariableNotBoundInPattern(binding_error, parent_scope) => {
650                 let BindingError { name, target, origin, could_be_path } = binding_error;
651
652                 let target_sp = target.iter().copied().collect::<Vec<_>>();
653                 let origin_sp = origin.iter().copied().collect::<Vec<_>>();
654
655                 let msp = MultiSpan::from_spans(target_sp.clone());
656                 let mut err = struct_span_err!(
657                     self.session,
658                     msp,
659                     E0408,
660                     "variable `{}` is not bound in all patterns",
661                     name,
662                 );
663                 for sp in target_sp {
664                     err.span_label(sp, format!("pattern doesn't bind `{}`", name));
665                 }
666                 for sp in origin_sp {
667                     err.span_label(sp, "variable not in all patterns");
668                 }
669                 if could_be_path {
670                     let import_suggestions = self.lookup_import_candidates(
671                         Ident::with_dummy_span(name),
672                         Namespace::ValueNS,
673                         &parent_scope,
674                         &|res: Res| match res {
675                             Res::Def(
676                                 DefKind::Ctor(CtorOf::Variant, CtorKind::Const)
677                                 | DefKind::Ctor(CtorOf::Struct, CtorKind::Const)
678                                 | DefKind::Const
679                                 | DefKind::AssocConst,
680                                 _,
681                             ) => true,
682                             _ => false,
683                         },
684                     );
685
686                     if import_suggestions.is_empty() {
687                         let help_msg = format!(
688                             "if you meant to match on a variant or a `const` item, consider \
689                              making the path in the pattern qualified: `path::to::ModOrType::{}`",
690                             name,
691                         );
692                         err.span_help(span, &help_msg);
693                     }
694                     show_candidates(
695                         &self.session,
696                         &self.source_span,
697                         &mut err,
698                         Some(span),
699                         &import_suggestions,
700                         Instead::No,
701                         FoundUse::Yes,
702                         IsPattern::Yes,
703                         IsImport::No,
704                         vec![],
705                     );
706                 }
707                 err
708             }
709             ResolutionError::VariableBoundWithDifferentMode(variable_name, first_binding_span) => {
710                 let mut err = struct_span_err!(
711                     self.session,
712                     span,
713                     E0409,
714                     "variable `{}` is bound inconsistently across alternatives separated by `|`",
715                     variable_name
716                 );
717                 err.span_label(span, "bound in different ways");
718                 err.span_label(first_binding_span, "first binding");
719                 err
720             }
721             ResolutionError::IdentifierBoundMoreThanOnceInParameterList(identifier) => {
722                 let mut err = struct_span_err!(
723                     self.session,
724                     span,
725                     E0415,
726                     "identifier `{}` is bound more than once in this parameter list",
727                     identifier
728                 );
729                 err.span_label(span, "used as parameter more than once");
730                 err
731             }
732             ResolutionError::IdentifierBoundMoreThanOnceInSamePattern(identifier) => {
733                 let mut err = struct_span_err!(
734                     self.session,
735                     span,
736                     E0416,
737                     "identifier `{}` is bound more than once in the same pattern",
738                     identifier
739                 );
740                 err.span_label(span, "used in a pattern more than once");
741                 err
742             }
743             ResolutionError::UndeclaredLabel { name, suggestion } => {
744                 let mut err = struct_span_err!(
745                     self.session,
746                     span,
747                     E0426,
748                     "use of undeclared label `{}`",
749                     name
750                 );
751
752                 err.span_label(span, format!("undeclared label `{}`", name));
753
754                 match suggestion {
755                     // A reachable label with a similar name exists.
756                     Some((ident, true)) => {
757                         err.span_label(ident.span, "a label with a similar name is reachable");
758                         err.span_suggestion(
759                             span,
760                             "try using similarly named label",
761                             ident.name,
762                             Applicability::MaybeIncorrect,
763                         );
764                     }
765                     // An unreachable label with a similar name exists.
766                     Some((ident, false)) => {
767                         err.span_label(
768                             ident.span,
769                             "a label with a similar name exists but is unreachable",
770                         );
771                     }
772                     // No similarly-named labels exist.
773                     None => (),
774                 }
775
776                 err
777             }
778             ResolutionError::SelfImportsOnlyAllowedWithin { root, span_with_rename } => {
779                 let mut err = struct_span_err!(
780                     self.session,
781                     span,
782                     E0429,
783                     "{}",
784                     "`self` imports are only allowed within a { } list"
785                 );
786
787                 // None of the suggestions below would help with a case like `use self`.
788                 if !root {
789                     // use foo::bar::self        -> foo::bar
790                     // use foo::bar::self as abc -> foo::bar as abc
791                     err.span_suggestion(
792                         span,
793                         "consider importing the module directly",
794                         "",
795                         Applicability::MachineApplicable,
796                     );
797
798                     // use foo::bar::self        -> foo::bar::{self}
799                     // use foo::bar::self as abc -> foo::bar::{self as abc}
800                     let braces = vec![
801                         (span_with_rename.shrink_to_lo(), "{".to_string()),
802                         (span_with_rename.shrink_to_hi(), "}".to_string()),
803                     ];
804                     err.multipart_suggestion(
805                         "alternatively, use the multi-path `use` syntax to import `self`",
806                         braces,
807                         Applicability::MachineApplicable,
808                     );
809                 }
810                 err
811             }
812             ResolutionError::SelfImportCanOnlyAppearOnceInTheList => {
813                 let mut err = struct_span_err!(
814                     self.session,
815                     span,
816                     E0430,
817                     "`self` import can only appear once in an import list"
818                 );
819                 err.span_label(span, "can only appear once in an import list");
820                 err
821             }
822             ResolutionError::SelfImportOnlyInImportListWithNonEmptyPrefix => {
823                 let mut err = struct_span_err!(
824                     self.session,
825                     span,
826                     E0431,
827                     "`self` import can only appear in an import list with \
828                                                 a non-empty prefix"
829                 );
830                 err.span_label(span, "can only appear in an import list with a non-empty prefix");
831                 err
832             }
833             ResolutionError::FailedToResolve { label, suggestion } => {
834                 let mut err =
835                     struct_span_err!(self.session, span, E0433, "failed to resolve: {}", &label);
836                 err.span_label(span, label);
837
838                 if let Some((suggestions, msg, applicability)) = suggestion {
839                     if suggestions.is_empty() {
840                         err.help(&msg);
841                         return err;
842                     }
843                     err.multipart_suggestion(&msg, suggestions, applicability);
844                 }
845
846                 err
847             }
848             ResolutionError::CannotCaptureDynamicEnvironmentInFnItem => {
849                 let mut err = struct_span_err!(
850                     self.session,
851                     span,
852                     E0434,
853                     "{}",
854                     "can't capture dynamic environment in a fn item"
855                 );
856                 err.help("use the `|| { ... }` closure form instead");
857                 err
858             }
859             ResolutionError::AttemptToUseNonConstantValueInConstant(ident, sugg, current) => {
860                 let mut err = struct_span_err!(
861                     self.session,
862                     span,
863                     E0435,
864                     "attempt to use a non-constant value in a constant"
865                 );
866                 // let foo =...
867                 //     ^^^ given this Span
868                 // ------- get this Span to have an applicable suggestion
869
870                 // edit:
871                 // only do this if the const and usage of the non-constant value are on the same line
872                 // the further the two are apart, the higher the chance of the suggestion being wrong
873
874                 let sp = self
875                     .session
876                     .source_map()
877                     .span_extend_to_prev_str(ident.span, current, true, false);
878
879                 match sp {
880                     Some(sp) if !self.session.source_map().is_multiline(sp) => {
881                         let sp = sp.with_lo(BytePos(sp.lo().0 - (current.len() as u32)));
882                         err.span_suggestion(
883                             sp,
884                             &format!("consider using `{}` instead of `{}`", sugg, current),
885                             format!("{} {}", sugg, ident),
886                             Applicability::MaybeIncorrect,
887                         );
888                         err.span_label(span, "non-constant value");
889                     }
890                     _ => {
891                         err.span_label(ident.span, &format!("this would need to be a `{}`", sugg));
892                     }
893                 }
894
895                 err
896             }
897             ResolutionError::BindingShadowsSomethingUnacceptable {
898                 shadowing_binding,
899                 name,
900                 participle,
901                 article,
902                 shadowed_binding,
903                 shadowed_binding_span,
904             } => {
905                 let shadowed_binding_descr = shadowed_binding.descr();
906                 let mut err = struct_span_err!(
907                     self.session,
908                     span,
909                     E0530,
910                     "{}s cannot shadow {}s",
911                     shadowing_binding.descr(),
912                     shadowed_binding_descr,
913                 );
914                 err.span_label(
915                     span,
916                     format!("cannot be named the same as {} {}", article, shadowed_binding_descr),
917                 );
918                 match (shadowing_binding, shadowed_binding) {
919                     (
920                         PatternSource::Match,
921                         Res::Def(DefKind::Ctor(CtorOf::Variant | CtorOf::Struct, CtorKind::Fn), _),
922                     ) => {
923                         err.span_suggestion(
924                             span,
925                             "try specify the pattern arguments",
926                             format!("{}(..)", name),
927                             Applicability::Unspecified,
928                         );
929                     }
930                     _ => (),
931                 }
932                 let msg =
933                     format!("the {} `{}` is {} here", shadowed_binding_descr, name, participle);
934                 err.span_label(shadowed_binding_span, msg);
935                 err
936             }
937             ResolutionError::ForwardDeclaredGenericParam => {
938                 let mut err = struct_span_err!(
939                     self.session,
940                     span,
941                     E0128,
942                     "generic parameters with a default cannot use \
943                                                 forward declared identifiers"
944                 );
945                 err.span_label(span, "defaulted generic parameters cannot be forward declared");
946                 err
947             }
948             ResolutionError::ParamInTyOfConstParam(name) => {
949                 let mut err = struct_span_err!(
950                     self.session,
951                     span,
952                     E0770,
953                     "the type of const parameters must not depend on other generic parameters"
954                 );
955                 err.span_label(
956                     span,
957                     format!("the type must not depend on the parameter `{}`", name),
958                 );
959                 err
960             }
961             ResolutionError::ParamInNonTrivialAnonConst { name, is_type } => {
962                 let mut err = self.session.struct_span_err(
963                     span,
964                     "generic parameters may not be used in const operations",
965                 );
966                 err.span_label(span, &format!("cannot perform const operation using `{}`", name));
967
968                 if is_type {
969                     err.note("type parameters may not be used in const expressions");
970                 } else {
971                     err.help(&format!(
972                         "const parameters may only be used as standalone arguments, i.e. `{}`",
973                         name
974                     ));
975                 }
976
977                 if self.session.is_nightly_build() {
978                     err.help(
979                         "use `#![feature(generic_const_exprs)]` to allow generic const expressions",
980                     );
981                 }
982
983                 err
984             }
985             ResolutionError::SelfInGenericParamDefault => {
986                 let mut err = struct_span_err!(
987                     self.session,
988                     span,
989                     E0735,
990                     "generic parameters cannot use `Self` in their defaults"
991                 );
992                 err.span_label(span, "`Self` in generic parameter default");
993                 err
994             }
995             ResolutionError::UnreachableLabel { name, definition_span, suggestion } => {
996                 let mut err = struct_span_err!(
997                     self.session,
998                     span,
999                     E0767,
1000                     "use of unreachable label `{}`",
1001                     name,
1002                 );
1003
1004                 err.span_label(definition_span, "unreachable label defined here");
1005                 err.span_label(span, format!("unreachable label `{}`", name));
1006                 err.note(
1007                     "labels are unreachable through functions, closures, async blocks and modules",
1008                 );
1009
1010                 match suggestion {
1011                     // A reachable label with a similar name exists.
1012                     Some((ident, true)) => {
1013                         err.span_label(ident.span, "a label with a similar name is reachable");
1014                         err.span_suggestion(
1015                             span,
1016                             "try using similarly named label",
1017                             ident.name,
1018                             Applicability::MaybeIncorrect,
1019                         );
1020                     }
1021                     // An unreachable label with a similar name exists.
1022                     Some((ident, false)) => {
1023                         err.span_label(
1024                             ident.span,
1025                             "a label with a similar name exists but is also unreachable",
1026                         );
1027                     }
1028                     // No similarly-named labels exist.
1029                     None => (),
1030                 }
1031
1032                 err
1033             }
1034             ResolutionError::TraitImplMismatch {
1035                 name,
1036                 kind,
1037                 code,
1038                 trait_item_span,
1039                 trait_path,
1040             } => {
1041                 let mut err = self.session.struct_span_err_with_code(
1042                     span,
1043                     &format!(
1044                         "item `{}` is an associated {}, which doesn't match its trait `{}`",
1045                         name, kind, trait_path,
1046                     ),
1047                     code,
1048                 );
1049                 err.span_label(span, "does not match trait");
1050                 err.span_label(trait_item_span, "item in trait");
1051                 err
1052             }
1053             ResolutionError::TraitImplDuplicate { name, trait_item_span, old_span } => {
1054                 let mut err = struct_span_err!(
1055                     self.session,
1056                     span,
1057                     E0201,
1058                     "duplicate definitions with name `{}`:",
1059                     name,
1060                 );
1061                 err.span_label(old_span, "previous definition here");
1062                 err.span_label(trait_item_span, "item in trait");
1063                 err.span_label(span, "duplicate definition");
1064                 err
1065             }
1066             ResolutionError::InvalidAsmSym => {
1067                 let mut err = self.session.struct_span_err(span, "invalid `sym` operand");
1068                 err.span_label(span, "is a local variable");
1069                 err.help("`sym` operands must refer to either a function or a static");
1070                 err
1071             }
1072         }
1073     }
1074
1075     pub(crate) fn report_vis_error(
1076         &mut self,
1077         vis_resolution_error: VisResolutionError<'_>,
1078     ) -> ErrorGuaranteed {
1079         match vis_resolution_error {
1080             VisResolutionError::Relative2018(span, path) => {
1081                 let mut err = self.session.struct_span_err(
1082                     span,
1083                     "relative paths are not supported in visibilities in 2018 edition or later",
1084                 );
1085                 err.span_suggestion(
1086                     path.span,
1087                     "try",
1088                     format!("crate::{}", pprust::path_to_string(&path)),
1089                     Applicability::MaybeIncorrect,
1090                 );
1091                 err
1092             }
1093             VisResolutionError::AncestorOnly(span) => struct_span_err!(
1094                 self.session,
1095                 span,
1096                 E0742,
1097                 "visibilities can only be restricted to ancestor modules"
1098             ),
1099             VisResolutionError::FailedToResolve(span, label, suggestion) => {
1100                 self.into_struct_error(span, ResolutionError::FailedToResolve { label, suggestion })
1101             }
1102             VisResolutionError::ExpectedFound(span, path_str, res) => {
1103                 let mut err = struct_span_err!(
1104                     self.session,
1105                     span,
1106                     E0577,
1107                     "expected module, found {} `{}`",
1108                     res.descr(),
1109                     path_str
1110                 );
1111                 err.span_label(span, "not a module");
1112                 err
1113             }
1114             VisResolutionError::Indeterminate(span) => struct_span_err!(
1115                 self.session,
1116                 span,
1117                 E0578,
1118                 "cannot determine resolution for the visibility"
1119             ),
1120             VisResolutionError::ModuleOnly(span) => {
1121                 self.session.struct_span_err(span, "visibility must resolve to a module")
1122             }
1123         }
1124         .emit()
1125     }
1126
1127     /// Lookup typo candidate in scope for a macro or import.
1128     fn early_lookup_typo_candidate(
1129         &mut self,
1130         scope_set: ScopeSet<'a>,
1131         parent_scope: &ParentScope<'a>,
1132         ident: Ident,
1133         filter_fn: &impl Fn(Res) -> bool,
1134     ) -> Option<TypoSuggestion> {
1135         let mut suggestions = Vec::new();
1136         let ctxt = ident.span.ctxt();
1137         self.visit_scopes(scope_set, parent_scope, ctxt, |this, scope, use_prelude, _| {
1138             match scope {
1139                 Scope::DeriveHelpers(expn_id) => {
1140                     let res = Res::NonMacroAttr(NonMacroAttrKind::DeriveHelper);
1141                     if filter_fn(res) {
1142                         suggestions.extend(
1143                             this.helper_attrs
1144                                 .get(&expn_id)
1145                                 .into_iter()
1146                                 .flatten()
1147                                 .map(|ident| TypoSuggestion::typo_from_res(ident.name, res)),
1148                         );
1149                     }
1150                 }
1151                 Scope::DeriveHelpersCompat => {
1152                     let res = Res::NonMacroAttr(NonMacroAttrKind::DeriveHelperCompat);
1153                     if filter_fn(res) {
1154                         for derive in parent_scope.derives {
1155                             let parent_scope = &ParentScope { derives: &[], ..*parent_scope };
1156                             if let Ok((Some(ext), _)) = this.resolve_macro_path(
1157                                 derive,
1158                                 Some(MacroKind::Derive),
1159                                 parent_scope,
1160                                 false,
1161                                 false,
1162                             ) {
1163                                 suggestions.extend(
1164                                     ext.helper_attrs
1165                                         .iter()
1166                                         .map(|name| TypoSuggestion::typo_from_res(*name, res)),
1167                                 );
1168                             }
1169                         }
1170                     }
1171                 }
1172                 Scope::MacroRules(macro_rules_scope) => {
1173                     if let MacroRulesScope::Binding(macro_rules_binding) = macro_rules_scope.get() {
1174                         let res = macro_rules_binding.binding.res();
1175                         if filter_fn(res) {
1176                             suggestions.push(TypoSuggestion::typo_from_res(
1177                                 macro_rules_binding.ident.name,
1178                                 res,
1179                             ))
1180                         }
1181                     }
1182                 }
1183                 Scope::CrateRoot => {
1184                     let root_ident = Ident::new(kw::PathRoot, ident.span);
1185                     let root_module = this.resolve_crate_root(root_ident);
1186                     this.add_module_candidates(root_module, &mut suggestions, filter_fn);
1187                 }
1188                 Scope::Module(module, _) => {
1189                     this.add_module_candidates(module, &mut suggestions, filter_fn);
1190                 }
1191                 Scope::MacroUsePrelude => {
1192                     suggestions.extend(this.macro_use_prelude.iter().filter_map(
1193                         |(name, binding)| {
1194                             let res = binding.res();
1195                             filter_fn(res).then_some(TypoSuggestion::typo_from_res(*name, res))
1196                         },
1197                     ));
1198                 }
1199                 Scope::BuiltinAttrs => {
1200                     let res = Res::NonMacroAttr(NonMacroAttrKind::Builtin(kw::Empty));
1201                     if filter_fn(res) {
1202                         suggestions.extend(
1203                             BUILTIN_ATTRIBUTES
1204                                 .iter()
1205                                 .map(|attr| TypoSuggestion::typo_from_res(attr.name, res)),
1206                         );
1207                     }
1208                 }
1209                 Scope::ExternPrelude => {
1210                     suggestions.extend(this.extern_prelude.iter().filter_map(|(ident, _)| {
1211                         let res = Res::Def(DefKind::Mod, CRATE_DEF_ID.to_def_id());
1212                         filter_fn(res).then_some(TypoSuggestion::typo_from_res(ident.name, res))
1213                     }));
1214                 }
1215                 Scope::ToolPrelude => {
1216                     let res = Res::NonMacroAttr(NonMacroAttrKind::Tool);
1217                     suggestions.extend(
1218                         this.registered_tools
1219                             .iter()
1220                             .map(|ident| TypoSuggestion::typo_from_res(ident.name, res)),
1221                     );
1222                 }
1223                 Scope::StdLibPrelude => {
1224                     if let Some(prelude) = this.prelude {
1225                         let mut tmp_suggestions = Vec::new();
1226                         this.add_module_candidates(prelude, &mut tmp_suggestions, filter_fn);
1227                         suggestions.extend(
1228                             tmp_suggestions
1229                                 .into_iter()
1230                                 .filter(|s| use_prelude || this.is_builtin_macro(s.res)),
1231                         );
1232                     }
1233                 }
1234                 Scope::BuiltinTypes => {
1235                     suggestions.extend(PrimTy::ALL.iter().filter_map(|prim_ty| {
1236                         let res = Res::PrimTy(*prim_ty);
1237                         filter_fn(res).then_some(TypoSuggestion::typo_from_res(prim_ty.name(), res))
1238                     }))
1239                 }
1240             }
1241
1242             None::<()>
1243         });
1244
1245         // Make sure error reporting is deterministic.
1246         suggestions.sort_by(|a, b| a.candidate.as_str().partial_cmp(b.candidate.as_str()).unwrap());
1247
1248         match find_best_match_for_name(
1249             &suggestions.iter().map(|suggestion| suggestion.candidate).collect::<Vec<Symbol>>(),
1250             ident.name,
1251             None,
1252         ) {
1253             Some(found) if found != ident.name => {
1254                 suggestions.into_iter().find(|suggestion| suggestion.candidate == found)
1255             }
1256             _ => None,
1257         }
1258     }
1259
1260     fn lookup_import_candidates_from_module<FilterFn>(
1261         &mut self,
1262         lookup_ident: Ident,
1263         namespace: Namespace,
1264         parent_scope: &ParentScope<'a>,
1265         start_module: Module<'a>,
1266         crate_name: Ident,
1267         filter_fn: FilterFn,
1268     ) -> Vec<ImportSuggestion>
1269     where
1270         FilterFn: Fn(Res) -> bool,
1271     {
1272         let mut candidates = Vec::new();
1273         let mut seen_modules = FxHashSet::default();
1274         let mut worklist = vec![(start_module, Vec::<ast::PathSegment>::new(), true)];
1275         let mut worklist_via_import = vec![];
1276
1277         while let Some((in_module, path_segments, accessible)) = match worklist.pop() {
1278             None => worklist_via_import.pop(),
1279             Some(x) => Some(x),
1280         } {
1281             let in_module_is_extern = !in_module.def_id().is_local();
1282             // We have to visit module children in deterministic order to avoid
1283             // instabilities in reported imports (#43552).
1284             in_module.for_each_child(self, |this, ident, ns, name_binding| {
1285                 // avoid non-importable candidates
1286                 if !name_binding.is_importable() {
1287                     return;
1288                 }
1289
1290                 let child_accessible =
1291                     accessible && this.is_accessible_from(name_binding.vis, parent_scope.module);
1292
1293                 // do not venture inside inaccessible items of other crates
1294                 if in_module_is_extern && !child_accessible {
1295                     return;
1296                 }
1297
1298                 let via_import = name_binding.is_import() && !name_binding.is_extern_crate();
1299
1300                 // There is an assumption elsewhere that paths of variants are in the enum's
1301                 // declaration and not imported. With this assumption, the variant component is
1302                 // chopped and the rest of the path is assumed to be the enum's own path. For
1303                 // errors where a variant is used as the type instead of the enum, this causes
1304                 // funny looking invalid suggestions, i.e `foo` instead of `foo::MyEnum`.
1305                 if via_import && name_binding.is_possibly_imported_variant() {
1306                     return;
1307                 }
1308
1309                 // #90113: Do not count an inaccessible reexported item as a candidate.
1310                 if let NameBindingKind::Import { binding, .. } = name_binding.kind {
1311                     if this.is_accessible_from(binding.vis, parent_scope.module)
1312                         && !this.is_accessible_from(name_binding.vis, parent_scope.module)
1313                     {
1314                         return;
1315                     }
1316                 }
1317
1318                 // collect results based on the filter function
1319                 // avoid suggesting anything from the same module in which we are resolving
1320                 // avoid suggesting anything with a hygienic name
1321                 if ident.name == lookup_ident.name
1322                     && ns == namespace
1323                     && !ptr::eq(in_module, parent_scope.module)
1324                     && !ident.span.normalize_to_macros_2_0().from_expansion()
1325                 {
1326                     let res = name_binding.res();
1327                     if filter_fn(res) {
1328                         // create the path
1329                         let mut segms = path_segments.clone();
1330                         if lookup_ident.span.rust_2018() {
1331                             // crate-local absolute paths start with `crate::` in edition 2018
1332                             // FIXME: may also be stabilized for Rust 2015 (Issues #45477, #44660)
1333                             segms.insert(0, ast::PathSegment::from_ident(crate_name));
1334                         }
1335
1336                         segms.push(ast::PathSegment::from_ident(ident));
1337                         let path = Path { span: name_binding.span, segments: segms, tokens: None };
1338                         let did = match res {
1339                             Res::Def(DefKind::Ctor(..), did) => this.opt_parent(did),
1340                             _ => res.opt_def_id(),
1341                         };
1342
1343                         if child_accessible {
1344                             // Remove invisible match if exists
1345                             if let Some(idx) = candidates
1346                                 .iter()
1347                                 .position(|v: &ImportSuggestion| v.did == did && !v.accessible)
1348                             {
1349                                 candidates.remove(idx);
1350                             }
1351                         }
1352
1353                         if candidates.iter().all(|v: &ImportSuggestion| v.did != did) {
1354                             // See if we're recommending TryFrom, TryInto, or FromIterator and add
1355                             // a note about editions
1356                             let note = if let Some(did) = did {
1357                                 let requires_note = !did.is_local()
1358                                     && this.cstore().item_attrs_untracked(did, this.session).any(
1359                                         |attr| {
1360                                             if attr.has_name(sym::rustc_diagnostic_item) {
1361                                                 [sym::TryInto, sym::TryFrom, sym::FromIterator]
1362                                                     .map(|x| Some(x))
1363                                                     .contains(&attr.value_str())
1364                                             } else {
1365                                                 false
1366                                             }
1367                                         },
1368                                     );
1369
1370                                 requires_note.then(|| {
1371                                     format!(
1372                                         "'{}' is included in the prelude starting in Edition 2021",
1373                                         path_names_to_string(&path)
1374                                     )
1375                                 })
1376                             } else {
1377                                 None
1378                             };
1379
1380                             candidates.push(ImportSuggestion {
1381                                 did,
1382                                 descr: res.descr(),
1383                                 path,
1384                                 accessible: child_accessible,
1385                                 note,
1386                             });
1387                         }
1388                     }
1389                 }
1390
1391                 // collect submodules to explore
1392                 if let Some(module) = name_binding.module() {
1393                     // form the path
1394                     let mut path_segments = path_segments.clone();
1395                     path_segments.push(ast::PathSegment::from_ident(ident));
1396
1397                     let is_extern_crate_that_also_appears_in_prelude =
1398                         name_binding.is_extern_crate() && lookup_ident.span.rust_2018();
1399
1400                     if !is_extern_crate_that_also_appears_in_prelude {
1401                         // add the module to the lookup
1402                         if seen_modules.insert(module.def_id()) {
1403                             if via_import { &mut worklist_via_import } else { &mut worklist }
1404                                 .push((module, path_segments, child_accessible));
1405                         }
1406                     }
1407                 }
1408             })
1409         }
1410
1411         // If only some candidates are accessible, take just them
1412         if !candidates.iter().all(|v: &ImportSuggestion| !v.accessible) {
1413             candidates.retain(|x| x.accessible)
1414         }
1415
1416         candidates
1417     }
1418
1419     /// When name resolution fails, this method can be used to look up candidate
1420     /// entities with the expected name. It allows filtering them using the
1421     /// supplied predicate (which should be used to only accept the types of
1422     /// definitions expected, e.g., traits). The lookup spans across all crates.
1423     ///
1424     /// N.B., the method does not look into imports, but this is not a problem,
1425     /// since we report the definitions (thus, the de-aliased imports).
1426     pub(crate) fn lookup_import_candidates<FilterFn>(
1427         &mut self,
1428         lookup_ident: Ident,
1429         namespace: Namespace,
1430         parent_scope: &ParentScope<'a>,
1431         filter_fn: FilterFn,
1432     ) -> Vec<ImportSuggestion>
1433     where
1434         FilterFn: Fn(Res) -> bool,
1435     {
1436         let mut suggestions = self.lookup_import_candidates_from_module(
1437             lookup_ident,
1438             namespace,
1439             parent_scope,
1440             self.graph_root,
1441             Ident::with_dummy_span(kw::Crate),
1442             &filter_fn,
1443         );
1444
1445         if lookup_ident.span.rust_2018() {
1446             let extern_prelude_names = self.extern_prelude.clone();
1447             for (ident, _) in extern_prelude_names.into_iter() {
1448                 if ident.span.from_expansion() {
1449                     // Idents are adjusted to the root context before being
1450                     // resolved in the extern prelude, so reporting this to the
1451                     // user is no help. This skips the injected
1452                     // `extern crate std` in the 2018 edition, which would
1453                     // otherwise cause duplicate suggestions.
1454                     continue;
1455                 }
1456                 if let Some(crate_id) = self.crate_loader.maybe_process_path_extern(ident.name) {
1457                     let crate_root = self.expect_module(crate_id.as_def_id());
1458                     suggestions.extend(self.lookup_import_candidates_from_module(
1459                         lookup_ident,
1460                         namespace,
1461                         parent_scope,
1462                         crate_root,
1463                         ident,
1464                         &filter_fn,
1465                     ));
1466                 }
1467             }
1468         }
1469
1470         suggestions
1471     }
1472
1473     pub(crate) fn unresolved_macro_suggestions(
1474         &mut self,
1475         err: &mut Diagnostic,
1476         macro_kind: MacroKind,
1477         parent_scope: &ParentScope<'a>,
1478         ident: Ident,
1479     ) {
1480         let is_expected = &|res: Res| res.macro_kind() == Some(macro_kind);
1481         let suggestion = self.early_lookup_typo_candidate(
1482             ScopeSet::Macro(macro_kind),
1483             parent_scope,
1484             ident,
1485             is_expected,
1486         );
1487         self.add_typo_suggestion(err, suggestion, ident.span);
1488
1489         let import_suggestions =
1490             self.lookup_import_candidates(ident, Namespace::MacroNS, parent_scope, is_expected);
1491         show_candidates(
1492             &self.session,
1493             &self.source_span,
1494             err,
1495             None,
1496             &import_suggestions,
1497             Instead::No,
1498             FoundUse::Yes,
1499             IsPattern::No,
1500             IsImport::No,
1501             vec![],
1502         );
1503
1504         if macro_kind == MacroKind::Derive && (ident.name == sym::Send || ident.name == sym::Sync) {
1505             let msg = format!("unsafe traits like `{}` should be implemented explicitly", ident);
1506             err.span_note(ident.span, &msg);
1507             return;
1508         }
1509         if self.macro_names.contains(&ident.normalize_to_macros_2_0()) {
1510             err.help("have you added the `#[macro_use]` on the module/import?");
1511             return;
1512         }
1513         if ident.name == kw::Default
1514             && let ModuleKind::Def(DefKind::Enum, def_id, _) = parent_scope.module.kind
1515             && let Some(span) = self.opt_span(def_id)
1516         {
1517             let source_map = self.session.source_map();
1518             let head_span = source_map.guess_head_span(span);
1519             if let Ok(head) = source_map.span_to_snippet(head_span) {
1520                 err.span_suggestion(head_span, "consider adding a derive", format!("#[derive(Default)]\n{head}"), Applicability::MaybeIncorrect);
1521             } else {
1522                 err.span_help(
1523                     head_span,
1524                     "consider adding `#[derive(Default)]` to this enum",
1525                 );
1526             }
1527         }
1528         for ns in [Namespace::MacroNS, Namespace::TypeNS, Namespace::ValueNS] {
1529             if let Ok(binding) = self.early_resolve_ident_in_lexical_scope(
1530                 ident,
1531                 ScopeSet::All(ns, false),
1532                 &parent_scope,
1533                 None,
1534                 false,
1535                 None,
1536             ) {
1537                 let desc = match binding.res() {
1538                     Res::Def(DefKind::Macro(MacroKind::Bang), _) => {
1539                         "a function-like macro".to_string()
1540                     }
1541                     Res::Def(DefKind::Macro(MacroKind::Attr), _) | Res::NonMacroAttr(..) => {
1542                         format!("an attribute: `#[{}]`", ident)
1543                     }
1544                     Res::Def(DefKind::Macro(MacroKind::Derive), _) => {
1545                         format!("a derive macro: `#[derive({})]`", ident)
1546                     }
1547                     Res::ToolMod => {
1548                         // Don't confuse the user with tool modules.
1549                         continue;
1550                     }
1551                     Res::Def(DefKind::Trait, _) if macro_kind == MacroKind::Derive => {
1552                         "only a trait, without a derive macro".to_string()
1553                     }
1554                     res => format!(
1555                         "{} {}, not {} {}",
1556                         res.article(),
1557                         res.descr(),
1558                         macro_kind.article(),
1559                         macro_kind.descr_expected(),
1560                     ),
1561                 };
1562                 if let crate::NameBindingKind::Import { import, .. } = binding.kind {
1563                     if !import.span.is_dummy() {
1564                         err.span_note(
1565                             import.span,
1566                             &format!("`{}` is imported here, but it is {}", ident, desc),
1567                         );
1568                         // Silence the 'unused import' warning we might get,
1569                         // since this diagnostic already covers that import.
1570                         self.record_use(ident, binding, false);
1571                         return;
1572                     }
1573                 }
1574                 err.note(&format!("`{}` is in scope, but it is {}", ident, desc));
1575                 return;
1576             }
1577         }
1578     }
1579
1580     pub(crate) fn add_typo_suggestion(
1581         &self,
1582         err: &mut Diagnostic,
1583         suggestion: Option<TypoSuggestion>,
1584         span: Span,
1585     ) -> bool {
1586         let suggestion = match suggestion {
1587             None => return false,
1588             // We shouldn't suggest underscore.
1589             Some(suggestion) if suggestion.candidate == kw::Underscore => return false,
1590             Some(suggestion) => suggestion,
1591         };
1592         let def_span = suggestion.res.opt_def_id().and_then(|def_id| match def_id.krate {
1593             LOCAL_CRATE => self.opt_span(def_id),
1594             _ => Some(self.cstore().get_span_untracked(def_id, self.session)),
1595         });
1596         if let Some(def_span) = def_span {
1597             if span.overlaps(def_span) {
1598                 // Don't suggest typo suggestion for itself like in the following:
1599                 // error[E0423]: expected function, tuple struct or tuple variant, found struct `X`
1600                 //   --> $DIR/issue-64792-bad-unicode-ctor.rs:3:14
1601                 //    |
1602                 // LL | struct X {}
1603                 //    | ----------- `X` defined here
1604                 // LL |
1605                 // LL | const Y: X = X("ö");
1606                 //    | -------------^^^^^^- similarly named constant `Y` defined here
1607                 //    |
1608                 // help: use struct literal syntax instead
1609                 //    |
1610                 // LL | const Y: X = X {};
1611                 //    |              ^^^^
1612                 // help: a constant with a similar name exists
1613                 //    |
1614                 // LL | const Y: X = Y("ö");
1615                 //    |              ^
1616                 return false;
1617             }
1618             let prefix = match suggestion.target {
1619                 SuggestionTarget::SimilarlyNamed => "similarly named ",
1620                 SuggestionTarget::SingleItem => "",
1621             };
1622
1623             err.span_label(
1624                 self.session.source_map().guess_head_span(def_span),
1625                 &format!(
1626                     "{}{} `{}` defined here",
1627                     prefix,
1628                     suggestion.res.descr(),
1629                     suggestion.candidate,
1630                 ),
1631             );
1632         }
1633         let msg = match suggestion.target {
1634             SuggestionTarget::SimilarlyNamed => format!(
1635                 "{} {} with a similar name exists",
1636                 suggestion.res.article(),
1637                 suggestion.res.descr()
1638             ),
1639             SuggestionTarget::SingleItem => {
1640                 format!("maybe you meant this {}", suggestion.res.descr())
1641             }
1642         };
1643         err.span_suggestion(span, &msg, suggestion.candidate, Applicability::MaybeIncorrect);
1644         true
1645     }
1646
1647     fn binding_description(&self, b: &NameBinding<'_>, ident: Ident, from_prelude: bool) -> String {
1648         let res = b.res();
1649         if b.span.is_dummy() || !self.session.source_map().is_span_accessible(b.span) {
1650             // These already contain the "built-in" prefix or look bad with it.
1651             let add_built_in =
1652                 !matches!(b.res(), Res::NonMacroAttr(..) | Res::PrimTy(..) | Res::ToolMod);
1653             let (built_in, from) = if from_prelude {
1654                 ("", " from prelude")
1655             } else if b.is_extern_crate()
1656                 && !b.is_import()
1657                 && self.session.opts.externs.get(ident.as_str()).is_some()
1658             {
1659                 ("", " passed with `--extern`")
1660             } else if add_built_in {
1661                 (" built-in", "")
1662             } else {
1663                 ("", "")
1664             };
1665
1666             let a = if built_in.is_empty() { res.article() } else { "a" };
1667             format!("{a}{built_in} {thing}{from}", thing = res.descr())
1668         } else {
1669             let introduced = if b.is_import() { "imported" } else { "defined" };
1670             format!("the {thing} {introduced} here", thing = res.descr())
1671         }
1672     }
1673
1674     fn report_ambiguity_error(&self, ambiguity_error: &AmbiguityError<'_>) {
1675         let AmbiguityError { kind, ident, b1, b2, misc1, misc2 } = *ambiguity_error;
1676         let (b1, b2, misc1, misc2, swapped) = if b2.span.is_dummy() && !b1.span.is_dummy() {
1677             // We have to print the span-less alternative first, otherwise formatting looks bad.
1678             (b2, b1, misc2, misc1, true)
1679         } else {
1680             (b1, b2, misc1, misc2, false)
1681         };
1682
1683         let mut err = struct_span_err!(self.session, ident.span, E0659, "`{ident}` is ambiguous");
1684         err.span_label(ident.span, "ambiguous name");
1685         err.note(&format!("ambiguous because of {}", kind.descr()));
1686
1687         let mut could_refer_to = |b: &NameBinding<'_>, misc: AmbiguityErrorMisc, also: &str| {
1688             let what = self.binding_description(b, ident, misc == AmbiguityErrorMisc::FromPrelude);
1689             let note_msg = format!("`{ident}` could{also} refer to {what}");
1690
1691             let thing = b.res().descr();
1692             let mut help_msgs = Vec::new();
1693             if b.is_glob_import()
1694                 && (kind == AmbiguityKind::GlobVsGlob
1695                     || kind == AmbiguityKind::GlobVsExpanded
1696                     || kind == AmbiguityKind::GlobVsOuter && swapped != also.is_empty())
1697             {
1698                 help_msgs.push(format!(
1699                     "consider adding an explicit import of `{ident}` to disambiguate"
1700                 ))
1701             }
1702             if b.is_extern_crate() && ident.span.rust_2018() {
1703                 help_msgs.push(format!("use `::{ident}` to refer to this {thing} unambiguously"))
1704             }
1705             if misc == AmbiguityErrorMisc::SuggestCrate {
1706                 help_msgs
1707                     .push(format!("use `crate::{ident}` to refer to this {thing} unambiguously"))
1708             } else if misc == AmbiguityErrorMisc::SuggestSelf {
1709                 help_msgs
1710                     .push(format!("use `self::{ident}` to refer to this {thing} unambiguously"))
1711             }
1712
1713             err.span_note(b.span, &note_msg);
1714             for (i, help_msg) in help_msgs.iter().enumerate() {
1715                 let or = if i == 0 { "" } else { "or " };
1716                 err.help(&format!("{}{}", or, help_msg));
1717             }
1718         };
1719
1720         could_refer_to(b1, misc1, "");
1721         could_refer_to(b2, misc2, " also");
1722         err.emit();
1723     }
1724
1725     /// If the binding refers to a tuple struct constructor with fields,
1726     /// returns the span of its fields.
1727     fn ctor_fields_span(&self, binding: &NameBinding<'_>) -> Option<Span> {
1728         if let NameBindingKind::Res(
1729             Res::Def(DefKind::Ctor(CtorOf::Struct, CtorKind::Fn), ctor_def_id),
1730             _,
1731         ) = binding.kind
1732         {
1733             let def_id = self.parent(ctor_def_id);
1734             let fields = self.field_names.get(&def_id)?;
1735             return fields.iter().map(|name| name.span).reduce(Span::to); // None for `struct Foo()`
1736         }
1737         None
1738     }
1739
1740     fn report_privacy_error(&self, privacy_error: &PrivacyError<'_>) {
1741         let PrivacyError { ident, binding, .. } = *privacy_error;
1742
1743         let res = binding.res();
1744         let ctor_fields_span = self.ctor_fields_span(binding);
1745         let plain_descr = res.descr().to_string();
1746         let nonimport_descr =
1747             if ctor_fields_span.is_some() { plain_descr + " constructor" } else { plain_descr };
1748         let import_descr = nonimport_descr.clone() + " import";
1749         let get_descr =
1750             |b: &NameBinding<'_>| if b.is_import() { &import_descr } else { &nonimport_descr };
1751
1752         // Print the primary message.
1753         let descr = get_descr(binding);
1754         let mut err =
1755             struct_span_err!(self.session, ident.span, E0603, "{} `{}` is private", descr, ident);
1756         err.span_label(ident.span, &format!("private {}", descr));
1757         if let Some(span) = ctor_fields_span {
1758             err.span_label(span, "a constructor is private if any of the fields is private");
1759         }
1760
1761         // Print the whole import chain to make it easier to see what happens.
1762         let first_binding = binding;
1763         let mut next_binding = Some(binding);
1764         let mut next_ident = ident;
1765         while let Some(binding) = next_binding {
1766             let name = next_ident;
1767             next_binding = match binding.kind {
1768                 _ if res == Res::Err => None,
1769                 NameBindingKind::Import { binding, import, .. } => match import.kind {
1770                     _ if binding.span.is_dummy() => None,
1771                     ImportKind::Single { source, .. } => {
1772                         next_ident = source;
1773                         Some(binding)
1774                     }
1775                     ImportKind::Glob { .. } | ImportKind::MacroUse => Some(binding),
1776                     ImportKind::ExternCrate { .. } => None,
1777                 },
1778                 _ => None,
1779             };
1780
1781             let first = ptr::eq(binding, first_binding);
1782             let msg = format!(
1783                 "{and_refers_to}the {item} `{name}`{which} is defined here{dots}",
1784                 and_refers_to = if first { "" } else { "...and refers to " },
1785                 item = get_descr(binding),
1786                 which = if first { "" } else { " which" },
1787                 dots = if next_binding.is_some() { "..." } else { "" },
1788             );
1789             let def_span = self.session.source_map().guess_head_span(binding.span);
1790             let mut note_span = MultiSpan::from_span(def_span);
1791             if !first && binding.vis.is_public() {
1792                 note_span.push_span_label(def_span, "consider importing it directly");
1793             }
1794             err.span_note(note_span, &msg);
1795         }
1796
1797         err.emit();
1798     }
1799
1800     pub(crate) fn find_similarly_named_module_or_crate(
1801         &mut self,
1802         ident: Symbol,
1803         current_module: &Module<'a>,
1804     ) -> Option<Symbol> {
1805         let mut candidates = self
1806             .extern_prelude
1807             .iter()
1808             .map(|(ident, _)| ident.name)
1809             .chain(
1810                 self.module_map
1811                     .iter()
1812                     .filter(|(_, module)| {
1813                         current_module.is_ancestor_of(module) && !ptr::eq(current_module, *module)
1814                     })
1815                     .flat_map(|(_, module)| module.kind.name()),
1816             )
1817             .filter(|c| !c.to_string().is_empty())
1818             .collect::<Vec<_>>();
1819         candidates.sort();
1820         candidates.dedup();
1821         match find_best_match_for_name(&candidates, ident, None) {
1822             Some(sugg) if sugg == ident => None,
1823             sugg => sugg,
1824         }
1825     }
1826
1827     pub(crate) fn report_path_resolution_error(
1828         &mut self,
1829         path: &[Segment],
1830         opt_ns: Option<Namespace>, // `None` indicates a module path in import
1831         parent_scope: &ParentScope<'a>,
1832         ribs: Option<&PerNS<Vec<Rib<'a>>>>,
1833         ignore_binding: Option<&'a NameBinding<'a>>,
1834         module: Option<ModuleOrUniformRoot<'a>>,
1835         i: usize,
1836         ident: Ident,
1837     ) -> (String, Option<Suggestion>) {
1838         let is_last = i == path.len() - 1;
1839         let ns = if is_last { opt_ns.unwrap_or(TypeNS) } else { TypeNS };
1840         let module_res = match module {
1841             Some(ModuleOrUniformRoot::Module(module)) => module.res(),
1842             _ => None,
1843         };
1844         if module_res == self.graph_root.res() {
1845             let is_mod = |res| matches!(res, Res::Def(DefKind::Mod, _));
1846             let mut candidates = self.lookup_import_candidates(ident, TypeNS, parent_scope, is_mod);
1847             candidates
1848                 .sort_by_cached_key(|c| (c.path.segments.len(), pprust::path_to_string(&c.path)));
1849             if let Some(candidate) = candidates.get(0) {
1850                 (
1851                     String::from("unresolved import"),
1852                     Some((
1853                         vec![(ident.span, pprust::path_to_string(&candidate.path))],
1854                         String::from("a similar path exists"),
1855                         Applicability::MaybeIncorrect,
1856                     )),
1857                 )
1858             } else if self.session.edition() == Edition::Edition2015 {
1859                 (
1860                     format!("maybe a missing crate `{ident}`?"),
1861                     Some((
1862                         vec![],
1863                         format!(
1864                             "consider adding `extern crate {ident}` to use the `{ident}` crate"
1865                         ),
1866                         Applicability::MaybeIncorrect,
1867                     )),
1868                 )
1869             } else {
1870                 (format!("could not find `{ident}` in the crate root"), None)
1871             }
1872         } else if i > 0 {
1873             let parent = path[i - 1].ident.name;
1874             let parent = match parent {
1875                 // ::foo is mounted at the crate root for 2015, and is the extern
1876                 // prelude for 2018+
1877                 kw::PathRoot if self.session.edition() > Edition::Edition2015 => {
1878                     "the list of imported crates".to_owned()
1879                 }
1880                 kw::PathRoot | kw::Crate => "the crate root".to_owned(),
1881                 _ => format!("`{parent}`"),
1882             };
1883
1884             let mut msg = format!("could not find `{}` in {}", ident, parent);
1885             if ns == TypeNS || ns == ValueNS {
1886                 let ns_to_try = if ns == TypeNS { ValueNS } else { TypeNS };
1887                 let binding = if let Some(module) = module {
1888                     self.resolve_ident_in_module(
1889                         module,
1890                         ident,
1891                         ns_to_try,
1892                         parent_scope,
1893                         None,
1894                         ignore_binding,
1895                     ).ok()
1896                 } else if let Some(ribs) = ribs
1897                     && let Some(TypeNS | ValueNS) = opt_ns
1898                 {
1899                     match self.resolve_ident_in_lexical_scope(
1900                         ident,
1901                         ns_to_try,
1902                         parent_scope,
1903                         None,
1904                         &ribs[ns_to_try],
1905                         ignore_binding,
1906                     ) {
1907                         // we found a locally-imported or available item/module
1908                         Some(LexicalScopeBinding::Item(binding)) => Some(binding),
1909                         _ => None,
1910                     }
1911                 } else {
1912                     let scopes = ScopeSet::All(ns_to_try, opt_ns.is_none());
1913                     self.early_resolve_ident_in_lexical_scope(
1914                         ident,
1915                         scopes,
1916                         parent_scope,
1917                         None,
1918                         false,
1919                         ignore_binding,
1920                     ).ok()
1921                 };
1922                 if let Some(binding) = binding {
1923                     let mut found = |what| {
1924                         msg = format!(
1925                             "expected {}, found {} `{}` in {}",
1926                             ns.descr(),
1927                             what,
1928                             ident,
1929                             parent
1930                         )
1931                     };
1932                     if binding.module().is_some() {
1933                         found("module")
1934                     } else {
1935                         match binding.res() {
1936                             Res::Def(kind, id) => found(kind.descr(id)),
1937                             _ => found(ns_to_try.descr()),
1938                         }
1939                     }
1940                 };
1941             }
1942             (msg, None)
1943         } else if ident.name == kw::SelfUpper {
1944             ("`Self` is only available in impls, traits, and type definitions".to_string(), None)
1945         } else if ident.name.as_str().chars().next().map_or(false, |c| c.is_ascii_uppercase()) {
1946             // Check whether the name refers to an item in the value namespace.
1947             let binding = if let Some(ribs) = ribs {
1948                 self.resolve_ident_in_lexical_scope(
1949                     ident,
1950                     ValueNS,
1951                     parent_scope,
1952                     None,
1953                     &ribs[ValueNS],
1954                     ignore_binding,
1955                 )
1956             } else {
1957                 None
1958             };
1959             let match_span = match binding {
1960                 // Name matches a local variable. For example:
1961                 // ```
1962                 // fn f() {
1963                 //     let Foo: &str = "";
1964                 //     println!("{}", Foo::Bar); // Name refers to local
1965                 //                               // variable `Foo`.
1966                 // }
1967                 // ```
1968                 Some(LexicalScopeBinding::Res(Res::Local(id))) => {
1969                     Some(*self.pat_span_map.get(&id).unwrap())
1970                 }
1971                 // Name matches item from a local name binding
1972                 // created by `use` declaration. For example:
1973                 // ```
1974                 // pub Foo: &str = "";
1975                 //
1976                 // mod submod {
1977                 //     use super::Foo;
1978                 //     println!("{}", Foo::Bar); // Name refers to local
1979                 //                               // binding `Foo`.
1980                 // }
1981                 // ```
1982                 Some(LexicalScopeBinding::Item(name_binding)) => Some(name_binding.span),
1983                 _ => None,
1984             };
1985             let suggestion = if let Some(span) = match_span {
1986                 Some((
1987                     vec![(span, String::from(""))],
1988                     format!("`{}` is defined here, but is not a type", ident),
1989                     Applicability::MaybeIncorrect,
1990                 ))
1991             } else {
1992                 None
1993             };
1994
1995             (format!("use of undeclared type `{}`", ident), suggestion)
1996         } else {
1997             let suggestion = if ident.name == sym::alloc {
1998                 Some((
1999                     vec![],
2000                     String::from("add `extern crate alloc` to use the `alloc` crate"),
2001                     Applicability::MaybeIncorrect,
2002                 ))
2003             } else {
2004                 self.find_similarly_named_module_or_crate(ident.name, &parent_scope.module).map(
2005                     |sugg| {
2006                         (
2007                             vec![(ident.span, sugg.to_string())],
2008                             String::from("there is a crate or module with a similar name"),
2009                             Applicability::MaybeIncorrect,
2010                         )
2011                     },
2012                 )
2013             };
2014             (format!("use of undeclared crate or module `{}`", ident), suggestion)
2015         }
2016     }
2017 }
2018
2019 impl<'a, 'b> ImportResolver<'a, 'b> {
2020     /// Adds suggestions for a path that cannot be resolved.
2021     pub(crate) fn make_path_suggestion(
2022         &mut self,
2023         span: Span,
2024         mut path: Vec<Segment>,
2025         parent_scope: &ParentScope<'b>,
2026     ) -> Option<(Vec<Segment>, Option<String>)> {
2027         debug!("make_path_suggestion: span={:?} path={:?}", span, path);
2028
2029         match (path.get(0), path.get(1)) {
2030             // `{{root}}::ident::...` on both editions.
2031             // On 2015 `{{root}}` is usually added implicitly.
2032             (Some(fst), Some(snd))
2033                 if fst.ident.name == kw::PathRoot && !snd.ident.is_path_segment_keyword() => {}
2034             // `ident::...` on 2018.
2035             (Some(fst), _)
2036                 if fst.ident.span.rust_2018() && !fst.ident.is_path_segment_keyword() =>
2037             {
2038                 // Insert a placeholder that's later replaced by `self`/`super`/etc.
2039                 path.insert(0, Segment::from_ident(Ident::empty()));
2040             }
2041             _ => return None,
2042         }
2043
2044         self.make_missing_self_suggestion(path.clone(), parent_scope)
2045             .or_else(|| self.make_missing_crate_suggestion(path.clone(), parent_scope))
2046             .or_else(|| self.make_missing_super_suggestion(path.clone(), parent_scope))
2047             .or_else(|| self.make_external_crate_suggestion(path, parent_scope))
2048     }
2049
2050     /// Suggest a missing `self::` if that resolves to an correct module.
2051     ///
2052     /// ```text
2053     ///    |
2054     /// LL | use foo::Bar;
2055     ///    |     ^^^ did you mean `self::foo`?
2056     /// ```
2057     fn make_missing_self_suggestion(
2058         &mut self,
2059         mut path: Vec<Segment>,
2060         parent_scope: &ParentScope<'b>,
2061     ) -> Option<(Vec<Segment>, Option<String>)> {
2062         // Replace first ident with `self` and check if that is valid.
2063         path[0].ident.name = kw::SelfLower;
2064         let result = self.r.maybe_resolve_path(&path, None, parent_scope);
2065         debug!("make_missing_self_suggestion: path={:?} result={:?}", path, result);
2066         if let PathResult::Module(..) = result { Some((path, None)) } else { None }
2067     }
2068
2069     /// Suggests a missing `crate::` if that resolves to an correct module.
2070     ///
2071     /// ```text
2072     ///    |
2073     /// LL | use foo::Bar;
2074     ///    |     ^^^ did you mean `crate::foo`?
2075     /// ```
2076     fn make_missing_crate_suggestion(
2077         &mut self,
2078         mut path: Vec<Segment>,
2079         parent_scope: &ParentScope<'b>,
2080     ) -> Option<(Vec<Segment>, Option<String>)> {
2081         // Replace first ident with `crate` and check if that is valid.
2082         path[0].ident.name = kw::Crate;
2083         let result = self.r.maybe_resolve_path(&path, None, parent_scope);
2084         debug!("make_missing_crate_suggestion:  path={:?} result={:?}", path, result);
2085         if let PathResult::Module(..) = result {
2086             Some((
2087                 path,
2088                 Some(
2089                     "`use` statements changed in Rust 2018; read more at \
2090                      <https://doc.rust-lang.org/edition-guide/rust-2018/module-system/path-\
2091                      clarity.html>"
2092                         .to_string(),
2093                 ),
2094             ))
2095         } else {
2096             None
2097         }
2098     }
2099
2100     /// Suggests a missing `super::` if that resolves to an correct module.
2101     ///
2102     /// ```text
2103     ///    |
2104     /// LL | use foo::Bar;
2105     ///    |     ^^^ did you mean `super::foo`?
2106     /// ```
2107     fn make_missing_super_suggestion(
2108         &mut self,
2109         mut path: Vec<Segment>,
2110         parent_scope: &ParentScope<'b>,
2111     ) -> Option<(Vec<Segment>, Option<String>)> {
2112         // Replace first ident with `crate` and check if that is valid.
2113         path[0].ident.name = kw::Super;
2114         let result = self.r.maybe_resolve_path(&path, None, parent_scope);
2115         debug!("make_missing_super_suggestion:  path={:?} result={:?}", path, result);
2116         if let PathResult::Module(..) = result { Some((path, None)) } else { None }
2117     }
2118
2119     /// Suggests a missing external crate name if that resolves to an correct module.
2120     ///
2121     /// ```text
2122     ///    |
2123     /// LL | use foobar::Baz;
2124     ///    |     ^^^^^^ did you mean `baz::foobar`?
2125     /// ```
2126     ///
2127     /// Used when importing a submodule of an external crate but missing that crate's
2128     /// name as the first part of path.
2129     fn make_external_crate_suggestion(
2130         &mut self,
2131         mut path: Vec<Segment>,
2132         parent_scope: &ParentScope<'b>,
2133     ) -> Option<(Vec<Segment>, Option<String>)> {
2134         if path[1].ident.span.rust_2015() {
2135             return None;
2136         }
2137
2138         // Sort extern crate names in *reverse* order to get
2139         // 1) some consistent ordering for emitted diagnostics, and
2140         // 2) `std` suggestions before `core` suggestions.
2141         let mut extern_crate_names =
2142             self.r.extern_prelude.iter().map(|(ident, _)| ident.name).collect::<Vec<_>>();
2143         extern_crate_names.sort_by(|a, b| b.as_str().partial_cmp(a.as_str()).unwrap());
2144
2145         for name in extern_crate_names.into_iter() {
2146             // Replace first ident with a crate name and check if that is valid.
2147             path[0].ident.name = name;
2148             let result = self.r.maybe_resolve_path(&path, None, parent_scope);
2149             debug!(
2150                 "make_external_crate_suggestion: name={:?} path={:?} result={:?}",
2151                 name, path, result
2152             );
2153             if let PathResult::Module(..) = result {
2154                 return Some((path, None));
2155             }
2156         }
2157
2158         None
2159     }
2160
2161     /// Suggests importing a macro from the root of the crate rather than a module within
2162     /// the crate.
2163     ///
2164     /// ```text
2165     /// help: a macro with this name exists at the root of the crate
2166     ///    |
2167     /// LL | use issue_59764::makro;
2168     ///    |     ^^^^^^^^^^^^^^^^^^
2169     ///    |
2170     ///    = note: this could be because a macro annotated with `#[macro_export]` will be exported
2171     ///            at the root of the crate instead of the module where it is defined
2172     /// ```
2173     pub(crate) fn check_for_module_export_macro(
2174         &mut self,
2175         import: &'b Import<'b>,
2176         module: ModuleOrUniformRoot<'b>,
2177         ident: Ident,
2178     ) -> Option<(Option<Suggestion>, Option<String>)> {
2179         let ModuleOrUniformRoot::Module(mut crate_module) = module else {
2180             return None;
2181         };
2182
2183         while let Some(parent) = crate_module.parent {
2184             crate_module = parent;
2185         }
2186
2187         if ModuleOrUniformRoot::same_def(ModuleOrUniformRoot::Module(crate_module), module) {
2188             // Don't make a suggestion if the import was already from the root of the
2189             // crate.
2190             return None;
2191         }
2192
2193         let resolutions = self.r.resolutions(crate_module).borrow();
2194         let resolution = resolutions.get(&self.r.new_key(ident, MacroNS))?;
2195         let binding = resolution.borrow().binding()?;
2196         if let Res::Def(DefKind::Macro(MacroKind::Bang), _) = binding.res() {
2197             let module_name = crate_module.kind.name().unwrap();
2198             let import_snippet = match import.kind {
2199                 ImportKind::Single { source, target, .. } if source != target => {
2200                     format!("{} as {}", source, target)
2201                 }
2202                 _ => format!("{}", ident),
2203             };
2204
2205             let mut corrections: Vec<(Span, String)> = Vec::new();
2206             if !import.is_nested() {
2207                 // Assume this is the easy case of `use issue_59764::foo::makro;` and just remove
2208                 // intermediate segments.
2209                 corrections.push((import.span, format!("{}::{}", module_name, import_snippet)));
2210             } else {
2211                 // Find the binding span (and any trailing commas and spaces).
2212                 //   ie. `use a::b::{c, d, e};`
2213                 //                      ^^^
2214                 let (found_closing_brace, binding_span) = find_span_of_binding_until_next_binding(
2215                     self.r.session,
2216                     import.span,
2217                     import.use_span,
2218                 );
2219                 debug!(
2220                     "check_for_module_export_macro: found_closing_brace={:?} binding_span={:?}",
2221                     found_closing_brace, binding_span
2222                 );
2223
2224                 let mut removal_span = binding_span;
2225                 if found_closing_brace {
2226                     // If the binding span ended with a closing brace, as in the below example:
2227                     //   ie. `use a::b::{c, d};`
2228                     //                      ^
2229                     // Then expand the span of characters to remove to include the previous
2230                     // binding's trailing comma.
2231                     //   ie. `use a::b::{c, d};`
2232                     //                    ^^^
2233                     if let Some(previous_span) =
2234                         extend_span_to_previous_binding(self.r.session, binding_span)
2235                     {
2236                         debug!("check_for_module_export_macro: previous_span={:?}", previous_span);
2237                         removal_span = removal_span.with_lo(previous_span.lo());
2238                     }
2239                 }
2240                 debug!("check_for_module_export_macro: removal_span={:?}", removal_span);
2241
2242                 // Remove the `removal_span`.
2243                 corrections.push((removal_span, "".to_string()));
2244
2245                 // Find the span after the crate name and if it has nested imports immediately
2246                 // after the crate name already.
2247                 //   ie. `use a::b::{c, d};`
2248                 //               ^^^^^^^^^
2249                 //   or  `use a::{b, c, d}};`
2250                 //               ^^^^^^^^^^^
2251                 let (has_nested, after_crate_name) = find_span_immediately_after_crate_name(
2252                     self.r.session,
2253                     module_name,
2254                     import.use_span,
2255                 );
2256                 debug!(
2257                     "check_for_module_export_macro: has_nested={:?} after_crate_name={:?}",
2258                     has_nested, after_crate_name
2259                 );
2260
2261                 let source_map = self.r.session.source_map();
2262
2263                 // Add the import to the start, with a `{` if required.
2264                 let start_point = source_map.start_point(after_crate_name);
2265                 if let Ok(start_snippet) = source_map.span_to_snippet(start_point) {
2266                     corrections.push((
2267                         start_point,
2268                         if has_nested {
2269                             // In this case, `start_snippet` must equal '{'.
2270                             format!("{}{}, ", start_snippet, import_snippet)
2271                         } else {
2272                             // In this case, add a `{`, then the moved import, then whatever
2273                             // was there before.
2274                             format!("{{{}, {}", import_snippet, start_snippet)
2275                         },
2276                     ));
2277                 }
2278
2279                 // Add a `};` to the end if nested, matching the `{` added at the start.
2280                 if !has_nested {
2281                     corrections.push((source_map.end_point(after_crate_name), "};".to_string()));
2282                 }
2283             }
2284
2285             let suggestion = Some((
2286                 corrections,
2287                 String::from("a macro with this name exists at the root of the crate"),
2288                 Applicability::MaybeIncorrect,
2289             ));
2290             Some((suggestion, Some("this could be because a macro annotated with `#[macro_export]` will be exported \
2291             at the root of the crate instead of the module where it is defined"
2292                .to_string())))
2293         } else {
2294             None
2295         }
2296     }
2297 }
2298
2299 /// Given a `binding_span` of a binding within a use statement:
2300 ///
2301 /// ```ignore (illustrative)
2302 /// use foo::{a, b, c};
2303 /// //           ^
2304 /// ```
2305 ///
2306 /// then return the span until the next binding or the end of the statement:
2307 ///
2308 /// ```ignore (illustrative)
2309 /// use foo::{a, b, c};
2310 /// //           ^^^
2311 /// ```
2312 fn find_span_of_binding_until_next_binding(
2313     sess: &Session,
2314     binding_span: Span,
2315     use_span: Span,
2316 ) -> (bool, Span) {
2317     let source_map = sess.source_map();
2318
2319     // Find the span of everything after the binding.
2320     //   ie. `a, e};` or `a};`
2321     let binding_until_end = binding_span.with_hi(use_span.hi());
2322
2323     // Find everything after the binding but not including the binding.
2324     //   ie. `, e};` or `};`
2325     let after_binding_until_end = binding_until_end.with_lo(binding_span.hi());
2326
2327     // Keep characters in the span until we encounter something that isn't a comma or
2328     // whitespace.
2329     //   ie. `, ` or ``.
2330     //
2331     // Also note whether a closing brace character was encountered. If there
2332     // was, then later go backwards to remove any trailing commas that are left.
2333     let mut found_closing_brace = false;
2334     let after_binding_until_next_binding =
2335         source_map.span_take_while(after_binding_until_end, |&ch| {
2336             if ch == '}' {
2337                 found_closing_brace = true;
2338             }
2339             ch == ' ' || ch == ','
2340         });
2341
2342     // Combine the two spans.
2343     //   ie. `a, ` or `a`.
2344     //
2345     // Removing these would leave `issue_52891::{d, e};` or `issue_52891::{d, e, };`
2346     let span = binding_span.with_hi(after_binding_until_next_binding.hi());
2347
2348     (found_closing_brace, span)
2349 }
2350
2351 /// Given a `binding_span`, return the span through to the comma or opening brace of the previous
2352 /// binding.
2353 ///
2354 /// ```ignore (illustrative)
2355 /// use foo::a::{a, b, c};
2356 /// //            ^^--- binding span
2357 /// //            |
2358 /// //            returned span
2359 ///
2360 /// use foo::{a, b, c};
2361 /// //        --- binding span
2362 /// ```
2363 fn extend_span_to_previous_binding(sess: &Session, binding_span: Span) -> Option<Span> {
2364     let source_map = sess.source_map();
2365
2366     // `prev_source` will contain all of the source that came before the span.
2367     // Then split based on a command and take the first (ie. closest to our span)
2368     // snippet. In the example, this is a space.
2369     let prev_source = source_map.span_to_prev_source(binding_span).ok()?;
2370
2371     let prev_comma = prev_source.rsplit(',').collect::<Vec<_>>();
2372     let prev_starting_brace = prev_source.rsplit('{').collect::<Vec<_>>();
2373     if prev_comma.len() <= 1 || prev_starting_brace.len() <= 1 {
2374         return None;
2375     }
2376
2377     let prev_comma = prev_comma.first().unwrap();
2378     let prev_starting_brace = prev_starting_brace.first().unwrap();
2379
2380     // If the amount of source code before the comma is greater than
2381     // the amount of source code before the starting brace then we've only
2382     // got one item in the nested item (eg. `issue_52891::{self}`).
2383     if prev_comma.len() > prev_starting_brace.len() {
2384         return None;
2385     }
2386
2387     Some(binding_span.with_lo(BytePos(
2388         // Take away the number of bytes for the characters we've found and an
2389         // extra for the comma.
2390         binding_span.lo().0 - (prev_comma.as_bytes().len() as u32) - 1,
2391     )))
2392 }
2393
2394 /// Given a `use_span` of a binding within a use statement, returns the highlighted span and if
2395 /// it is a nested use tree.
2396 ///
2397 /// ```ignore (illustrative)
2398 /// use foo::a::{b, c};
2399 /// //       ^^^^^^^^^^ -- false
2400 ///
2401 /// use foo::{a, b, c};
2402 /// //       ^^^^^^^^^^ -- true
2403 ///
2404 /// use foo::{a, b::{c, d}};
2405 /// //       ^^^^^^^^^^^^^^^ -- true
2406 /// ```
2407 fn find_span_immediately_after_crate_name(
2408     sess: &Session,
2409     module_name: Symbol,
2410     use_span: Span,
2411 ) -> (bool, Span) {
2412     debug!(
2413         "find_span_immediately_after_crate_name: module_name={:?} use_span={:?}",
2414         module_name, use_span
2415     );
2416     let source_map = sess.source_map();
2417
2418     // Using `use issue_59764::foo::{baz, makro};` as an example throughout..
2419     let mut num_colons = 0;
2420     // Find second colon.. `use issue_59764:`
2421     let until_second_colon = source_map.span_take_while(use_span, |c| {
2422         if *c == ':' {
2423             num_colons += 1;
2424         }
2425         !matches!(c, ':' if num_colons == 2)
2426     });
2427     // Find everything after the second colon.. `foo::{baz, makro};`
2428     let from_second_colon = use_span.with_lo(until_second_colon.hi() + BytePos(1));
2429
2430     let mut found_a_non_whitespace_character = false;
2431     // Find the first non-whitespace character in `from_second_colon`.. `f`
2432     let after_second_colon = source_map.span_take_while(from_second_colon, |c| {
2433         if found_a_non_whitespace_character {
2434             return false;
2435         }
2436         if !c.is_whitespace() {
2437             found_a_non_whitespace_character = true;
2438         }
2439         true
2440     });
2441
2442     // Find the first `{` in from_second_colon.. `foo::{`
2443     let next_left_bracket = source_map.span_through_char(from_second_colon, '{');
2444
2445     (next_left_bracket == after_second_colon, from_second_colon)
2446 }
2447
2448 /// A suggestion has already been emitted, change the wording slightly to clarify that both are
2449 /// independent options.
2450 enum Instead {
2451     Yes,
2452     No,
2453 }
2454
2455 /// Whether an existing place with an `use` item was found.
2456 enum FoundUse {
2457     Yes,
2458     No,
2459 }
2460
2461 /// Whether a binding is part of a pattern or an expression. Used for diagnostics.
2462 enum IsPattern {
2463     /// The binding is part of a pattern
2464     Yes,
2465     /// The binding is part of an expression
2466     No,
2467 }
2468
2469 /// Whether a binding is part of a use statement. Used for diagnostics.
2470 enum IsImport {
2471     Yes,
2472     No,
2473 }
2474
2475 pub(crate) fn import_candidates(
2476     session: &Session,
2477     source_span: &IndexVec<LocalDefId, Span>,
2478     err: &mut Diagnostic,
2479     // This is `None` if all placement locations are inside expansions
2480     use_placement_span: Option<Span>,
2481     candidates: &[ImportSuggestion],
2482 ) {
2483     show_candidates(
2484         session,
2485         source_span,
2486         err,
2487         use_placement_span,
2488         candidates,
2489         Instead::Yes,
2490         FoundUse::Yes,
2491         IsPattern::No,
2492         IsImport::Yes,
2493         vec![],
2494     );
2495 }
2496
2497 /// When an entity with a given name is not available in scope, we search for
2498 /// entities with that name in all crates. This method allows outputting the
2499 /// results of this search in a programmer-friendly way
2500 fn show_candidates(
2501     session: &Session,
2502     source_span: &IndexVec<LocalDefId, Span>,
2503     err: &mut Diagnostic,
2504     // This is `None` if all placement locations are inside expansions
2505     use_placement_span: Option<Span>,
2506     candidates: &[ImportSuggestion],
2507     instead: Instead,
2508     found_use: FoundUse,
2509     is_pattern: IsPattern,
2510     is_import: IsImport,
2511     path: Vec<Segment>,
2512 ) {
2513     if candidates.is_empty() {
2514         return;
2515     }
2516
2517     let mut accessible_path_strings: Vec<(String, &str, Option<DefId>, &Option<String>)> =
2518         Vec::new();
2519     let mut inaccessible_path_strings: Vec<(String, &str, Option<DefId>, &Option<String>)> =
2520         Vec::new();
2521
2522     candidates.iter().for_each(|c| {
2523         (if c.accessible { &mut accessible_path_strings } else { &mut inaccessible_path_strings })
2524             .push((path_names_to_string(&c.path), c.descr, c.did, &c.note))
2525     });
2526
2527     // we want consistent results across executions, but candidates are produced
2528     // by iterating through a hash map, so make sure they are ordered:
2529     for path_strings in [&mut accessible_path_strings, &mut inaccessible_path_strings] {
2530         path_strings.sort_by(|a, b| a.0.cmp(&b.0));
2531         let core_path_strings =
2532             path_strings.drain_filter(|p| p.0.starts_with("core::")).collect::<Vec<_>>();
2533         path_strings.extend(core_path_strings);
2534         path_strings.dedup_by(|a, b| a.0 == b.0);
2535     }
2536
2537     if !accessible_path_strings.is_empty() {
2538         let (determiner, kind, name) = if accessible_path_strings.len() == 1 {
2539             ("this", accessible_path_strings[0].1, format!(" `{}`", accessible_path_strings[0].0))
2540         } else {
2541             ("one of these", "items", String::new())
2542         };
2543
2544         let instead = if let Instead::Yes = instead { " instead" } else { "" };
2545         let mut msg = if let IsPattern::Yes = is_pattern {
2546             format!(
2547                 "if you meant to match on {}{}{}, use the full path in the pattern",
2548                 kind, instead, name
2549             )
2550         } else {
2551             format!("consider importing {} {}{}", determiner, kind, instead)
2552         };
2553
2554         for note in accessible_path_strings.iter().flat_map(|cand| cand.3.as_ref()) {
2555             err.note(note);
2556         }
2557
2558         if let (IsPattern::Yes, Some(span)) = (is_pattern, use_placement_span) {
2559             err.span_suggestions(
2560                 span,
2561                 &msg,
2562                 accessible_path_strings.into_iter().map(|a| a.0),
2563                 Applicability::MaybeIncorrect,
2564             );
2565         } else if let Some(span) = use_placement_span {
2566             for candidate in &mut accessible_path_strings {
2567                 // produce an additional newline to separate the new use statement
2568                 // from the directly following item.
2569                 let additional_newline = if let FoundUse::Yes = found_use { "" } else { "\n" };
2570                 let add_use = if let IsImport::Yes = is_import { "" } else { "use " };
2571                 candidate.0 = format!("{}{};\n{}", add_use, &candidate.0, additional_newline);
2572             }
2573
2574             err.span_suggestions(
2575                 span,
2576                 &msg,
2577                 accessible_path_strings.into_iter().map(|a| a.0),
2578                 Applicability::MaybeIncorrect,
2579             );
2580             if let [first, .., last] = &path[..] {
2581                 let sp = first.ident.span.until(last.ident.span);
2582                 if sp.can_be_used_for_suggestions() {
2583                     err.span_suggestion_verbose(
2584                         sp,
2585                         &format!("if you import `{}`, refer to it directly", last.ident),
2586                         "",
2587                         Applicability::Unspecified,
2588                     );
2589                 }
2590             }
2591         } else {
2592             msg.push(':');
2593
2594             for candidate in accessible_path_strings {
2595                 msg.push('\n');
2596                 msg.push_str(&candidate.0);
2597             }
2598
2599             err.note(&msg);
2600         }
2601     } else if matches!(is_import, IsImport::No) {
2602         assert!(!inaccessible_path_strings.is_empty());
2603
2604         let prefix =
2605             if let IsPattern::Yes = is_pattern { "you might have meant to match on " } else { "" };
2606         if inaccessible_path_strings.len() == 1 {
2607             let (name, descr, def_id, note) = &inaccessible_path_strings[0];
2608             let msg = format!(
2609                 "{}{} `{}`{} exists but is inaccessible",
2610                 prefix,
2611                 descr,
2612                 name,
2613                 if let IsPattern::Yes = is_pattern { ", which" } else { "" }
2614             );
2615
2616             if let Some(local_def_id) = def_id.and_then(|did| did.as_local()) {
2617                 let span = source_span[local_def_id];
2618                 let span = session.source_map().guess_head_span(span);
2619                 let mut multi_span = MultiSpan::from_span(span);
2620                 multi_span.push_span_label(span, "not accessible");
2621                 err.span_note(multi_span, &msg);
2622             } else {
2623                 err.note(&msg);
2624             }
2625             if let Some(note) = (*note).as_deref() {
2626                 err.note(note);
2627             }
2628         } else {
2629             let (_, descr_first, _, _) = &inaccessible_path_strings[0];
2630             let descr = if inaccessible_path_strings
2631                 .iter()
2632                 .skip(1)
2633                 .all(|(_, descr, _, _)| descr == descr_first)
2634             {
2635                 descr_first
2636             } else {
2637                 "item"
2638             };
2639             let plural_descr =
2640                 if descr.ends_with('s') { format!("{}es", descr) } else { format!("{}s", descr) };
2641
2642             let mut msg = format!("{}these {} exist but are inaccessible", prefix, plural_descr);
2643             let mut has_colon = false;
2644
2645             let mut spans = Vec::new();
2646             for (name, _, def_id, _) in &inaccessible_path_strings {
2647                 if let Some(local_def_id) = def_id.and_then(|did| did.as_local()) {
2648                     let span = source_span[local_def_id];
2649                     let span = session.source_map().guess_head_span(span);
2650                     spans.push((name, span));
2651                 } else {
2652                     if !has_colon {
2653                         msg.push(':');
2654                         has_colon = true;
2655                     }
2656                     msg.push('\n');
2657                     msg.push_str(name);
2658                 }
2659             }
2660
2661             let mut multi_span = MultiSpan::from_spans(spans.iter().map(|(_, sp)| *sp).collect());
2662             for (name, span) in spans {
2663                 multi_span.push_span_label(span, format!("`{}`: not accessible", name));
2664             }
2665
2666             for note in inaccessible_path_strings.iter().flat_map(|cand| cand.3.as_ref()) {
2667                 err.note(note);
2668             }
2669
2670             err.span_note(multi_span, &msg);
2671         }
2672     }
2673 }
2674
2675 #[derive(Debug)]
2676 struct UsePlacementFinder {
2677     target_module: NodeId,
2678     first_legal_span: Option<Span>,
2679     first_use_span: Option<Span>,
2680 }
2681
2682 impl UsePlacementFinder {
2683     fn check(krate: &Crate, target_module: NodeId) -> (Option<Span>, FoundUse) {
2684         let mut finder =
2685             UsePlacementFinder { target_module, first_legal_span: None, first_use_span: None };
2686         finder.visit_crate(krate);
2687         if let Some(use_span) = finder.first_use_span {
2688             (Some(use_span), FoundUse::Yes)
2689         } else {
2690             (finder.first_legal_span, FoundUse::No)
2691         }
2692     }
2693 }
2694
2695 impl<'tcx> visit::Visitor<'tcx> for UsePlacementFinder {
2696     fn visit_crate(&mut self, c: &Crate) {
2697         if self.target_module == CRATE_NODE_ID {
2698             let inject = c.spans.inject_use_span;
2699             if is_span_suitable_for_use_injection(inject) {
2700                 self.first_legal_span = Some(inject);
2701             }
2702             self.first_use_span = search_for_any_use_in_items(&c.items);
2703             return;
2704         } else {
2705             visit::walk_crate(self, c);
2706         }
2707     }
2708
2709     fn visit_item(&mut self, item: &'tcx ast::Item) {
2710         if self.target_module == item.id {
2711             if let ItemKind::Mod(_, ModKind::Loaded(items, _inline, mod_spans)) = &item.kind {
2712                 let inject = mod_spans.inject_use_span;
2713                 if is_span_suitable_for_use_injection(inject) {
2714                     self.first_legal_span = Some(inject);
2715                 }
2716                 self.first_use_span = search_for_any_use_in_items(items);
2717                 return;
2718             }
2719         } else {
2720             visit::walk_item(self, item);
2721         }
2722     }
2723 }
2724
2725 fn search_for_any_use_in_items(items: &[P<ast::Item>]) -> Option<Span> {
2726     for item in items {
2727         if let ItemKind::Use(..) = item.kind {
2728             if is_span_suitable_for_use_injection(item.span) {
2729                 return Some(item.span.shrink_to_lo());
2730             }
2731         }
2732     }
2733     return None;
2734 }
2735
2736 fn is_span_suitable_for_use_injection(s: Span) -> bool {
2737     // don't suggest placing a use before the prelude
2738     // import or other generated ones
2739     !s.from_expansion()
2740 }
2741
2742 /// Convert the given number into the corresponding ordinal
2743 pub(crate) fn ordinalize(v: usize) -> String {
2744     let suffix = match ((11..=13).contains(&(v % 100)), v % 10) {
2745         (false, 1) => "st",
2746         (false, 2) => "nd",
2747         (false, 3) => "rd",
2748         _ => "th",
2749     };
2750     format!("{v}{suffix}")
2751 }