]> git.lizzy.rs Git - rust.git/blob - compiler/rustc_resolve/src/late/diagnostics.rs
Rollup merge of #89963 - r00ster91:parenthesisparentheses, r=nagisa
[rust.git] / compiler / rustc_resolve / src / late / diagnostics.rs
1 use crate::diagnostics::{ImportSuggestion, LabelSuggestion, TypoSuggestion};
2 use crate::late::lifetimes::{ElisionFailureInfo, LifetimeContext};
3 use crate::late::{AliasPossibility, LateResolutionVisitor, RibKind};
4 use crate::path_names_to_string;
5 use crate::{CrateLint, Module, ModuleKind, ModuleOrUniformRoot};
6 use crate::{PathResult, PathSource, Segment};
7
8 use rustc_ast::visit::FnKind;
9 use rustc_ast::{
10     self as ast, AssocItemKind, Expr, ExprKind, GenericParam, GenericParamKind, Item, ItemKind,
11     NodeId, Path, Ty, TyKind,
12 };
13 use rustc_ast_pretty::pprust::path_segment_to_string;
14 use rustc_data_structures::fx::FxHashSet;
15 use rustc_errors::{pluralize, struct_span_err, Applicability, DiagnosticBuilder};
16 use rustc_hir as hir;
17 use rustc_hir::def::Namespace::{self, *};
18 use rustc_hir::def::{self, CtorKind, CtorOf, DefKind};
19 use rustc_hir::def_id::{DefId, CRATE_DEF_INDEX, LOCAL_CRATE};
20 use rustc_hir::PrimTy;
21 use rustc_session::parse::feature_err;
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::symbol::{kw, sym, Ident, Symbol};
26 use rustc_span::{BytePos, MultiSpan, Span, DUMMY_SP};
27
28 use std::iter;
29
30 use tracing::debug;
31
32 type Res = def::Res<ast::NodeId>;
33
34 /// A field or associated item from self type suggested in case of resolution failure.
35 enum AssocSuggestion {
36     Field,
37     MethodWithSelf,
38     AssocFn,
39     AssocType,
40     AssocConst,
41 }
42
43 impl AssocSuggestion {
44     fn action(&self) -> &'static str {
45         match self {
46             AssocSuggestion::Field => "use the available field",
47             AssocSuggestion::MethodWithSelf => "call the method with the fully-qualified path",
48             AssocSuggestion::AssocFn => "call the associated function",
49             AssocSuggestion::AssocConst => "use the associated `const`",
50             AssocSuggestion::AssocType => "use the associated type",
51         }
52     }
53 }
54
55 crate enum MissingLifetimeSpot<'tcx> {
56     Generics(&'tcx hir::Generics<'tcx>),
57     HigherRanked { span: Span, span_type: ForLifetimeSpanType },
58     Static,
59 }
60
61 crate enum ForLifetimeSpanType {
62     BoundEmpty,
63     BoundTail,
64     TypeEmpty,
65     TypeTail,
66 }
67
68 impl ForLifetimeSpanType {
69     crate fn descr(&self) -> &'static str {
70         match self {
71             Self::BoundEmpty | Self::BoundTail => "bound",
72             Self::TypeEmpty | Self::TypeTail => "type",
73         }
74     }
75
76     crate fn suggestion(&self, sugg: &str) -> String {
77         match self {
78             Self::BoundEmpty | Self::TypeEmpty => format!("for<{}> ", sugg),
79             Self::BoundTail | Self::TypeTail => format!(", {}", sugg),
80         }
81     }
82 }
83
84 impl<'tcx> Into<MissingLifetimeSpot<'tcx>> for &'tcx hir::Generics<'tcx> {
85     fn into(self) -> MissingLifetimeSpot<'tcx> {
86         MissingLifetimeSpot::Generics(self)
87     }
88 }
89
90 fn is_self_type(path: &[Segment], namespace: Namespace) -> bool {
91     namespace == TypeNS && path.len() == 1 && path[0].ident.name == kw::SelfUpper
92 }
93
94 fn is_self_value(path: &[Segment], namespace: Namespace) -> bool {
95     namespace == ValueNS && path.len() == 1 && path[0].ident.name == kw::SelfLower
96 }
97
98 /// Gets the stringified path for an enum from an `ImportSuggestion` for an enum variant.
99 fn import_candidate_to_enum_paths(suggestion: &ImportSuggestion) -> (String, String) {
100     let variant_path = &suggestion.path;
101     let variant_path_string = path_names_to_string(variant_path);
102
103     let path_len = suggestion.path.segments.len();
104     let enum_path = ast::Path {
105         span: suggestion.path.span,
106         segments: suggestion.path.segments[0..path_len - 1].to_vec(),
107         tokens: None,
108     };
109     let enum_path_string = path_names_to_string(&enum_path);
110
111     (variant_path_string, enum_path_string)
112 }
113
114 impl<'a: 'ast, 'ast> LateResolutionVisitor<'a, '_, 'ast> {
115     fn def_span(&self, def_id: DefId) -> Option<Span> {
116         match def_id.krate {
117             LOCAL_CRATE => self.r.opt_span(def_id),
118             _ => Some(
119                 self.r
120                     .session
121                     .source_map()
122                     .guess_head_span(self.r.cstore().get_span_untracked(def_id, self.r.session)),
123             ),
124         }
125     }
126
127     /// Handles error reporting for `smart_resolve_path_fragment` function.
128     /// Creates base error and amends it with one short label and possibly some longer helps/notes.
129     pub(crate) fn smart_resolve_report_errors(
130         &mut self,
131         path: &[Segment],
132         span: Span,
133         source: PathSource<'_>,
134         res: Option<Res>,
135     ) -> (DiagnosticBuilder<'a>, Vec<ImportSuggestion>) {
136         let ident_span = path.last().map_or(span, |ident| ident.ident.span);
137         let ns = source.namespace();
138         let is_expected = &|res| source.is_expected(res);
139         let is_enum_variant = &|res| matches!(res, Res::Def(DefKind::Variant, _));
140
141         // Make the base error.
142         let mut expected = source.descr_expected();
143         let path_str = Segment::names_to_string(path);
144         let item_str = path.last().unwrap().ident;
145         let (base_msg, fallback_label, base_span, could_be_expr) = if let Some(res) = res {
146             (
147                 format!("expected {}, found {} `{}`", expected, res.descr(), path_str),
148                 format!("not a {}", expected),
149                 span,
150                 match res {
151                     Res::Def(DefKind::Fn, _) => {
152                         // Verify whether this is a fn call or an Fn used as a type.
153                         self.r
154                             .session
155                             .source_map()
156                             .span_to_snippet(span)
157                             .map(|snippet| snippet.ends_with(')'))
158                             .unwrap_or(false)
159                     }
160                     Res::Def(
161                         DefKind::Ctor(..) | DefKind::AssocFn | DefKind::Const | DefKind::AssocConst,
162                         _,
163                     )
164                     | Res::SelfCtor(_)
165                     | Res::PrimTy(_)
166                     | Res::Local(_) => true,
167                     _ => false,
168                 },
169             )
170         } else {
171             let item_span = path.last().unwrap().ident.span;
172             let (mod_prefix, mod_str) = if path.len() == 1 {
173                 (String::new(), "this scope".to_string())
174             } else if path.len() == 2 && path[0].ident.name == kw::PathRoot {
175                 if self.r.session.edition() > Edition::Edition2015 {
176                     // In edition 2018 onwards, the `::foo` syntax may only pull from the extern prelude
177                     // which overrides all other expectations of item type
178                     expected = "crate";
179                     (String::new(), "the list of imported crates".to_string())
180                 } else {
181                     (String::new(), "the crate root".to_string())
182                 }
183             } else if path.len() == 2 && path[0].ident.name == kw::Crate {
184                 (String::new(), "the crate root".to_string())
185             } else {
186                 let mod_path = &path[..path.len() - 1];
187                 let mod_prefix =
188                     match self.resolve_path(mod_path, Some(TypeNS), false, span, CrateLint::No) {
189                         PathResult::Module(ModuleOrUniformRoot::Module(module)) => module.res(),
190                         _ => None,
191                     }
192                     .map_or_else(String::new, |res| format!("{} ", res.descr()));
193                 (mod_prefix, format!("`{}`", Segment::names_to_string(mod_path)))
194             };
195             (
196                 format!("cannot find {} `{}` in {}{}", expected, item_str, mod_prefix, mod_str),
197                 if path_str == "async" && expected.starts_with("struct") {
198                     "`async` blocks are only allowed in Rust 2018 or later".to_string()
199                 } else {
200                     format!("not found in {}", mod_str)
201                 },
202                 item_span,
203                 false,
204             )
205         };
206
207         let code = source.error_code(res.is_some());
208         let mut err = self.r.session.struct_span_err_with_code(base_span, &base_msg, code);
209
210         if let Some(span) = self.diagnostic_metadata.current_block_could_be_bare_struct_literal {
211             err.multipart_suggestion(
212                 "you might have meant to write a `struct` literal",
213                 vec![
214                     (span.shrink_to_lo(), "{ SomeStruct ".to_string()),
215                     (span.shrink_to_hi(), "}".to_string()),
216                 ],
217                 Applicability::HasPlaceholders,
218             );
219         }
220         match (source, self.diagnostic_metadata.in_if_condition) {
221             (PathSource::Expr(_), Some(Expr { span, kind: ExprKind::Assign(..), .. })) => {
222                 err.span_suggestion_verbose(
223                     span.shrink_to_lo(),
224                     "you might have meant to use pattern matching",
225                     "let ".to_string(),
226                     Applicability::MaybeIncorrect,
227                 );
228             }
229             _ => {}
230         }
231
232         let is_assoc_fn = self.self_type_is_available(span);
233         // Emit help message for fake-self from other languages (e.g., `this` in Javascript).
234         if ["this", "my"].contains(&&*item_str.as_str()) && is_assoc_fn {
235             err.span_suggestion_short(
236                 span,
237                 "you might have meant to use `self` here instead",
238                 "self".to_string(),
239                 Applicability::MaybeIncorrect,
240             );
241             if !self.self_value_is_available(path[0].ident.span, span) {
242                 if let Some((FnKind::Fn(_, _, sig, ..), fn_span)) =
243                     &self.diagnostic_metadata.current_function
244                 {
245                     let (span, sugg) = if let Some(param) = sig.decl.inputs.get(0) {
246                         (param.span.shrink_to_lo(), "&self, ")
247                     } else {
248                         (
249                             self.r
250                                 .session
251                                 .source_map()
252                                 .span_through_char(*fn_span, '(')
253                                 .shrink_to_hi(),
254                             "&self",
255                         )
256                     };
257                     err.span_suggestion_verbose(
258                         span,
259                         "if you meant to use `self`, you are also missing a `self` receiver \
260                          argument",
261                         sugg.to_string(),
262                         Applicability::MaybeIncorrect,
263                     );
264                 }
265             }
266         }
267
268         // Emit special messages for unresolved `Self` and `self`.
269         if is_self_type(path, ns) {
270             err.code(rustc_errors::error_code!(E0411));
271             err.span_label(
272                 span,
273                 "`Self` is only available in impls, traits, and type definitions".to_string(),
274             );
275             return (err, Vec::new());
276         }
277         if is_self_value(path, ns) {
278             debug!("smart_resolve_path_fragment: E0424, source={:?}", source);
279
280             err.code(rustc_errors::error_code!(E0424));
281             err.span_label(span, match source {
282                 PathSource::Pat => "`self` value is a keyword and may not be bound to variables or shadowed"
283                                    .to_string(),
284                 _ => "`self` value is a keyword only available in methods with a `self` parameter"
285                      .to_string(),
286             });
287             if let Some((fn_kind, span)) = &self.diagnostic_metadata.current_function {
288                 // The current function has a `self' parameter, but we were unable to resolve
289                 // a reference to `self`. This can only happen if the `self` identifier we
290                 // are resolving came from a different hygiene context.
291                 if fn_kind.decl().inputs.get(0).map_or(false, |p| p.is_self()) {
292                     err.span_label(*span, "this function has a `self` parameter, but a macro invocation can only access identifiers it receives from parameters");
293                 } else {
294                     let doesnt = if is_assoc_fn {
295                         let (span, sugg) = fn_kind
296                             .decl()
297                             .inputs
298                             .get(0)
299                             .map(|p| (p.span.shrink_to_lo(), "&self, "))
300                             .unwrap_or_else(|| {
301                                 (
302                                     self.r
303                                         .session
304                                         .source_map()
305                                         .span_through_char(*span, '(')
306                                         .shrink_to_hi(),
307                                     "&self",
308                                 )
309                             });
310                         err.span_suggestion_verbose(
311                             span,
312                             "add a `self` receiver parameter to make the associated `fn` a method",
313                             sugg.to_string(),
314                             Applicability::MaybeIncorrect,
315                         );
316                         "doesn't"
317                     } else {
318                         "can't"
319                     };
320                     if let Some(ident) = fn_kind.ident() {
321                         err.span_label(
322                             ident.span,
323                             &format!("this function {} have a `self` parameter", doesnt),
324                         );
325                     }
326                 }
327             }
328             return (err, Vec::new());
329         }
330
331         // Try to lookup name in more relaxed fashion for better error reporting.
332         let ident = path.last().unwrap().ident;
333         let candidates = self
334             .r
335             .lookup_import_candidates(ident, ns, &self.parent_scope, is_expected)
336             .drain(..)
337             .filter(|ImportSuggestion { did, .. }| {
338                 match (did, res.and_then(|res| res.opt_def_id())) {
339                     (Some(suggestion_did), Some(actual_did)) => *suggestion_did != actual_did,
340                     _ => true,
341                 }
342             })
343             .collect::<Vec<_>>();
344         let crate_def_id = DefId::local(CRATE_DEF_INDEX);
345         if candidates.is_empty() && is_expected(Res::Def(DefKind::Enum, crate_def_id)) {
346             let mut enum_candidates: Vec<_> = self
347                 .r
348                 .lookup_import_candidates(ident, ns, &self.parent_scope, is_enum_variant)
349                 .into_iter()
350                 .map(|suggestion| import_candidate_to_enum_paths(&suggestion))
351                 .filter(|(_, enum_ty_path)| !enum_ty_path.starts_with("std::prelude::"))
352                 .collect();
353             if !enum_candidates.is_empty() {
354                 if let (PathSource::Type, Some(span)) =
355                     (source, self.diagnostic_metadata.current_type_ascription.last())
356                 {
357                     if self
358                         .r
359                         .session
360                         .parse_sess
361                         .type_ascription_path_suggestions
362                         .borrow()
363                         .contains(span)
364                     {
365                         // Already reported this issue on the lhs of the type ascription.
366                         err.delay_as_bug();
367                         return (err, candidates);
368                     }
369                 }
370
371                 enum_candidates.sort();
372
373                 // Contextualize for E0412 "cannot find type", but don't belabor the point
374                 // (that it's a variant) for E0573 "expected type, found variant".
375                 let preamble = if res.is_none() {
376                     let others = match enum_candidates.len() {
377                         1 => String::new(),
378                         2 => " and 1 other".to_owned(),
379                         n => format!(" and {} others", n),
380                     };
381                     format!("there is an enum variant `{}`{}; ", enum_candidates[0].0, others)
382                 } else {
383                     String::new()
384                 };
385                 let msg = format!("{}try using the variant's enum", preamble);
386
387                 err.span_suggestions(
388                     span,
389                     &msg,
390                     enum_candidates.into_iter().map(|(_variant_path, enum_ty_path)| enum_ty_path),
391                     Applicability::MachineApplicable,
392                 );
393             }
394         }
395         if path.len() == 1 && self.self_type_is_available(span) {
396             if let Some(candidate) = self.lookup_assoc_candidate(ident, ns, is_expected) {
397                 let self_is_available = self.self_value_is_available(path[0].ident.span, span);
398                 match candidate {
399                     AssocSuggestion::Field => {
400                         if self_is_available {
401                             err.span_suggestion(
402                                 span,
403                                 "you might have meant to use the available field",
404                                 format!("self.{}", path_str),
405                                 Applicability::MachineApplicable,
406                             );
407                         } else {
408                             err.span_label(span, "a field by this name exists in `Self`");
409                         }
410                     }
411                     AssocSuggestion::MethodWithSelf if self_is_available => {
412                         err.span_suggestion(
413                             span,
414                             "you might have meant to call the method",
415                             format!("self.{}", path_str),
416                             Applicability::MachineApplicable,
417                         );
418                     }
419                     AssocSuggestion::MethodWithSelf
420                     | AssocSuggestion::AssocFn
421                     | AssocSuggestion::AssocConst
422                     | AssocSuggestion::AssocType => {
423                         err.span_suggestion(
424                             span,
425                             &format!("you might have meant to {}", candidate.action()),
426                             format!("Self::{}", path_str),
427                             Applicability::MachineApplicable,
428                         );
429                     }
430                 }
431                 return (err, candidates);
432             }
433
434             // If the first argument in call is `self` suggest calling a method.
435             if let Some((call_span, args_span)) = self.call_has_self_arg(source) {
436                 let mut args_snippet = String::new();
437                 if let Some(args_span) = args_span {
438                     if let Ok(snippet) = self.r.session.source_map().span_to_snippet(args_span) {
439                         args_snippet = snippet;
440                     }
441                 }
442
443                 err.span_suggestion(
444                     call_span,
445                     &format!("try calling `{}` as a method", ident),
446                     format!("self.{}({})", path_str, args_snippet),
447                     Applicability::MachineApplicable,
448                 );
449                 return (err, candidates);
450             }
451         }
452
453         // Try Levenshtein algorithm.
454         let typo_sugg = self.lookup_typo_candidate(path, ns, is_expected, span);
455         // Try context-dependent help if relaxed lookup didn't work.
456         if let Some(res) = res {
457             if self.smart_resolve_context_dependent_help(
458                 &mut err,
459                 span,
460                 source,
461                 res,
462                 &path_str,
463                 &fallback_label,
464             ) {
465                 // We do this to avoid losing a secondary span when we override the main error span.
466                 self.r.add_typo_suggestion(&mut err, typo_sugg, ident_span);
467                 return (err, candidates);
468             }
469         }
470
471         let is_macro = base_span.from_expansion() && base_span.desugaring_kind().is_none();
472         if !self.type_ascription_suggestion(&mut err, base_span) {
473             let mut fallback = false;
474             if let (
475                 PathSource::Trait(AliasPossibility::Maybe),
476                 Some(Res::Def(DefKind::Struct | DefKind::Enum | DefKind::Union, _)),
477                 false,
478             ) = (source, res, is_macro)
479             {
480                 if let Some(bounds @ [_, .., _]) = self.diagnostic_metadata.current_trait_object {
481                     fallback = true;
482                     let spans: Vec<Span> = bounds
483                         .iter()
484                         .map(|bound| bound.span())
485                         .filter(|&sp| sp != base_span)
486                         .collect();
487
488                     let start_span = bounds.iter().map(|bound| bound.span()).next().unwrap();
489                     // `end_span` is the end of the poly trait ref (Foo + 'baz + Bar><)
490                     let end_span = bounds.iter().map(|bound| bound.span()).last().unwrap();
491                     // `last_bound_span` is the last bound of the poly trait ref (Foo + >'baz< + Bar)
492                     let last_bound_span = spans.last().cloned().unwrap();
493                     let mut multi_span: MultiSpan = spans.clone().into();
494                     for sp in spans {
495                         let msg = if sp == last_bound_span {
496                             format!(
497                                 "...because of {} bound{}",
498                                 if bounds.len() <= 2 { "this" } else { "these" },
499                                 if bounds.len() <= 2 { "" } else { "s" },
500                             )
501                         } else {
502                             String::new()
503                         };
504                         multi_span.push_span_label(sp, msg);
505                     }
506                     multi_span.push_span_label(
507                         base_span,
508                         "expected this type to be a trait...".to_string(),
509                     );
510                     err.span_help(
511                         multi_span,
512                         "`+` is used to constrain a \"trait object\" type with lifetimes or \
513                          auto-traits; structs and enums can't be bound in that way",
514                     );
515                     if bounds.iter().all(|bound| match bound {
516                         ast::GenericBound::Outlives(_) => true,
517                         ast::GenericBound::Trait(tr, _) => tr.span == base_span,
518                     }) {
519                         let mut sugg = vec![];
520                         if base_span != start_span {
521                             sugg.push((start_span.until(base_span), String::new()));
522                         }
523                         if base_span != end_span {
524                             sugg.push((base_span.shrink_to_hi().to(end_span), String::new()));
525                         }
526
527                         err.multipart_suggestion(
528                             "if you meant to use a type and not a trait here, remove the bounds",
529                             sugg,
530                             Applicability::MaybeIncorrect,
531                         );
532                     }
533                 }
534             }
535
536             fallback |= self.restrict_assoc_type_in_where_clause(span, &mut err);
537
538             if !self.r.add_typo_suggestion(&mut err, typo_sugg, ident_span) {
539                 fallback = true;
540                 match self.diagnostic_metadata.current_let_binding {
541                     Some((pat_sp, Some(ty_sp), None))
542                         if ty_sp.contains(base_span) && could_be_expr =>
543                     {
544                         err.span_suggestion_short(
545                             pat_sp.between(ty_sp),
546                             "use `=` if you meant to assign",
547                             " = ".to_string(),
548                             Applicability::MaybeIncorrect,
549                         );
550                     }
551                     _ => {}
552                 }
553
554                 // If the trait has a single item (which wasn't matched by Levenshtein), suggest it
555                 let suggestion = self.get_single_associated_item(&path, span, &source, is_expected);
556                 self.r.add_typo_suggestion(&mut err, suggestion, ident_span);
557             }
558             if fallback {
559                 // Fallback label.
560                 err.span_label(base_span, fallback_label);
561             }
562         }
563         if let Some(err_code) = &err.code {
564             if err_code == &rustc_errors::error_code!(E0425) {
565                 for label_rib in &self.label_ribs {
566                     for (label_ident, node_id) in &label_rib.bindings {
567                         if format!("'{}", ident) == label_ident.to_string() {
568                             err.span_label(label_ident.span, "a label with a similar name exists");
569                             if let PathSource::Expr(Some(Expr {
570                                 kind: ExprKind::Break(None, Some(_)),
571                                 ..
572                             })) = source
573                             {
574                                 err.span_suggestion(
575                                     span,
576                                     "use the similarly named label",
577                                     label_ident.name.to_string(),
578                                     Applicability::MaybeIncorrect,
579                                 );
580                                 // Do not lint against unused label when we suggest them.
581                                 self.diagnostic_metadata.unused_labels.remove(node_id);
582                             }
583                         }
584                     }
585                 }
586             } else if err_code == &rustc_errors::error_code!(E0412) {
587                 if let Some(correct) = Self::likely_rust_type(path) {
588                     err.span_suggestion(
589                         span,
590                         "perhaps you intended to use this type",
591                         correct.to_string(),
592                         Applicability::MaybeIncorrect,
593                     );
594                 }
595             }
596         }
597
598         (err, candidates)
599     }
600
601     fn get_single_associated_item(
602         &mut self,
603         path: &[Segment],
604         span: Span,
605         source: &PathSource<'_>,
606         filter_fn: &impl Fn(Res) -> bool,
607     ) -> Option<TypoSuggestion> {
608         if let crate::PathSource::TraitItem(_) = source {
609             let mod_path = &path[..path.len() - 1];
610             if let PathResult::Module(ModuleOrUniformRoot::Module(module)) =
611                 self.resolve_path(mod_path, None, false, span, CrateLint::No)
612             {
613                 let resolutions = self.r.resolutions(module).borrow();
614                 let targets: Vec<_> =
615                     resolutions
616                         .iter()
617                         .filter_map(|(key, resolution)| {
618                             resolution.borrow().binding.map(|binding| binding.res()).and_then(
619                                 |res| if filter_fn(res) { Some((key, res)) } else { None },
620                             )
621                         })
622                         .collect();
623                 if targets.len() == 1 {
624                     let target = targets[0];
625                     return Some(TypoSuggestion::single_item_from_res(
626                         target.0.ident.name,
627                         target.1,
628                     ));
629                 }
630             }
631         }
632         None
633     }
634
635     /// Given `where <T as Bar>::Baz: String`, suggest `where T: Bar<Baz = String>`.
636     fn restrict_assoc_type_in_where_clause(
637         &mut self,
638         span: Span,
639         err: &mut DiagnosticBuilder<'_>,
640     ) -> bool {
641         // Detect that we are actually in a `where` predicate.
642         let (bounded_ty, bounds, where_span) =
643             if let Some(ast::WherePredicate::BoundPredicate(ast::WhereBoundPredicate {
644                 bounded_ty,
645                 bound_generic_params,
646                 bounds,
647                 span,
648             })) = self.diagnostic_metadata.current_where_predicate
649             {
650                 if !bound_generic_params.is_empty() {
651                     return false;
652                 }
653                 (bounded_ty, bounds, span)
654             } else {
655                 return false;
656             };
657
658         // Confirm that the target is an associated type.
659         let (ty, position, path) = if let ast::TyKind::Path(
660             Some(ast::QSelf { ty, position, .. }),
661             path,
662         ) = &bounded_ty.kind
663         {
664             // use this to verify that ident is a type param.
665             let partial_res = if let Ok(Some(partial_res)) = self.resolve_qpath_anywhere(
666                 bounded_ty.id,
667                 None,
668                 &Segment::from_path(path),
669                 Namespace::TypeNS,
670                 span,
671                 true,
672                 CrateLint::No,
673             ) {
674                 partial_res
675             } else {
676                 return false;
677             };
678             if !(matches!(
679                 partial_res.base_res(),
680                 hir::def::Res::Def(hir::def::DefKind::AssocTy, _)
681             ) && partial_res.unresolved_segments() == 0)
682             {
683                 return false;
684             }
685             (ty, position, path)
686         } else {
687             return false;
688         };
689
690         if let ast::TyKind::Path(None, type_param_path) = &ty.peel_refs().kind {
691             // Confirm that the `SelfTy` is a type parameter.
692             let partial_res = if let Ok(Some(partial_res)) = self.resolve_qpath_anywhere(
693                 bounded_ty.id,
694                 None,
695                 &Segment::from_path(type_param_path),
696                 Namespace::TypeNS,
697                 span,
698                 true,
699                 CrateLint::No,
700             ) {
701                 partial_res
702             } else {
703                 return false;
704             };
705             if !(matches!(
706                 partial_res.base_res(),
707                 hir::def::Res::Def(hir::def::DefKind::TyParam, _)
708             ) && partial_res.unresolved_segments() == 0)
709             {
710                 return false;
711             }
712             if let (
713                 [ast::PathSegment { ident: constrain_ident, args: None, .. }],
714                 [ast::GenericBound::Trait(poly_trait_ref, ast::TraitBoundModifier::None)],
715             ) = (&type_param_path.segments[..], &bounds[..])
716             {
717                 if let [ast::PathSegment { ident, args: None, .. }] =
718                     &poly_trait_ref.trait_ref.path.segments[..]
719                 {
720                     if ident.span == span {
721                         err.span_suggestion_verbose(
722                             *where_span,
723                             &format!("constrain the associated type to `{}`", ident),
724                             format!(
725                                 "{}: {}<{} = {}>",
726                                 self.r
727                                     .session
728                                     .source_map()
729                                     .span_to_snippet(ty.span) // Account for `<&'a T as Foo>::Bar`.
730                                     .unwrap_or_else(|_| constrain_ident.to_string()),
731                                 path.segments[..*position]
732                                     .iter()
733                                     .map(|segment| path_segment_to_string(segment))
734                                     .collect::<Vec<_>>()
735                                     .join("::"),
736                                 path.segments[*position..]
737                                     .iter()
738                                     .map(|segment| path_segment_to_string(segment))
739                                     .collect::<Vec<_>>()
740                                     .join("::"),
741                                 ident,
742                             ),
743                             Applicability::MaybeIncorrect,
744                         );
745                     }
746                     return true;
747                 }
748             }
749         }
750         false
751     }
752
753     /// Check if the source is call expression and the first argument is `self`. If true,
754     /// return the span of whole call and the span for all arguments expect the first one (`self`).
755     fn call_has_self_arg(&self, source: PathSource<'_>) -> Option<(Span, Option<Span>)> {
756         let mut has_self_arg = None;
757         if let PathSource::Expr(Some(parent)) = source {
758             match &parent.kind {
759                 ExprKind::Call(_, args) if !args.is_empty() => {
760                     let mut expr_kind = &args[0].kind;
761                     loop {
762                         match expr_kind {
763                             ExprKind::Path(_, arg_name) if arg_name.segments.len() == 1 => {
764                                 if arg_name.segments[0].ident.name == kw::SelfLower {
765                                     let call_span = parent.span;
766                                     let tail_args_span = if args.len() > 1 {
767                                         Some(Span::new(
768                                             args[1].span.lo(),
769                                             args.last().unwrap().span.hi(),
770                                             call_span.ctxt(),
771                                             None,
772                                         ))
773                                     } else {
774                                         None
775                                     };
776                                     has_self_arg = Some((call_span, tail_args_span));
777                                 }
778                                 break;
779                             }
780                             ExprKind::AddrOf(_, _, expr) => expr_kind = &expr.kind,
781                             _ => break,
782                         }
783                     }
784                 }
785                 _ => (),
786             }
787         };
788         has_self_arg
789     }
790
791     fn followed_by_brace(&self, span: Span) -> (bool, Option<Span>) {
792         // HACK(estebank): find a better way to figure out that this was a
793         // parser issue where a struct literal is being used on an expression
794         // where a brace being opened means a block is being started. Look
795         // ahead for the next text to see if `span` is followed by a `{`.
796         let sm = self.r.session.source_map();
797         let mut sp = span;
798         loop {
799             sp = sm.next_point(sp);
800             match sm.span_to_snippet(sp) {
801                 Ok(ref snippet) => {
802                     if snippet.chars().any(|c| !c.is_whitespace()) {
803                         break;
804                     }
805                 }
806                 _ => break,
807             }
808         }
809         let followed_by_brace = matches!(sm.span_to_snippet(sp), Ok(ref snippet) if snippet == "{");
810         // In case this could be a struct literal that needs to be surrounded
811         // by parentheses, find the appropriate span.
812         let mut i = 0;
813         let mut closing_brace = None;
814         loop {
815             sp = sm.next_point(sp);
816             match sm.span_to_snippet(sp) {
817                 Ok(ref snippet) => {
818                     if snippet == "}" {
819                         closing_brace = Some(span.to(sp));
820                         break;
821                     }
822                 }
823                 _ => break,
824             }
825             i += 1;
826             // The bigger the span, the more likely we're incorrect --
827             // bound it to 100 chars long.
828             if i > 100 {
829                 break;
830             }
831         }
832         (followed_by_brace, closing_brace)
833     }
834
835     /// Provides context-dependent help for errors reported by the `smart_resolve_path_fragment`
836     /// function.
837     /// Returns `true` if able to provide context-dependent help.
838     fn smart_resolve_context_dependent_help(
839         &mut self,
840         err: &mut DiagnosticBuilder<'a>,
841         span: Span,
842         source: PathSource<'_>,
843         res: Res,
844         path_str: &str,
845         fallback_label: &str,
846     ) -> bool {
847         let ns = source.namespace();
848         let is_expected = &|res| source.is_expected(res);
849
850         let path_sep = |err: &mut DiagnosticBuilder<'_>, expr: &Expr| match expr.kind {
851             ExprKind::Field(_, ident) => {
852                 err.span_suggestion(
853                     expr.span,
854                     "use the path separator to refer to an item",
855                     format!("{}::{}", path_str, ident),
856                     Applicability::MaybeIncorrect,
857                 );
858                 true
859             }
860             ExprKind::MethodCall(ref segment, ..) => {
861                 let span = expr.span.with_hi(segment.ident.span.hi());
862                 err.span_suggestion(
863                     span,
864                     "use the path separator to refer to an item",
865                     format!("{}::{}", path_str, segment.ident),
866                     Applicability::MaybeIncorrect,
867                 );
868                 true
869             }
870             _ => false,
871         };
872
873         let find_span = |source: &PathSource<'_>, err: &mut DiagnosticBuilder<'_>| {
874             match source {
875                 PathSource::Expr(Some(Expr { span, kind: ExprKind::Call(_, _), .. }))
876                 | PathSource::TupleStruct(span, _) => {
877                     // We want the main underline to cover the suggested code as well for
878                     // cleaner output.
879                     err.set_span(*span);
880                     *span
881                 }
882                 _ => span,
883             }
884         };
885
886         let mut bad_struct_syntax_suggestion = |def_id: DefId| {
887             let (followed_by_brace, closing_brace) = self.followed_by_brace(span);
888
889             match source {
890                 PathSource::Expr(Some(
891                     parent @ Expr { kind: ExprKind::Field(..) | ExprKind::MethodCall(..), .. },
892                 )) if path_sep(err, &parent) => {}
893                 PathSource::Expr(
894                     None
895                     | Some(Expr {
896                         kind:
897                             ExprKind::Path(..)
898                             | ExprKind::Binary(..)
899                             | ExprKind::Unary(..)
900                             | ExprKind::If(..)
901                             | ExprKind::While(..)
902                             | ExprKind::ForLoop(..)
903                             | ExprKind::Match(..),
904                         ..
905                     }),
906                 ) if followed_by_brace => {
907                     if let Some(sp) = closing_brace {
908                         err.span_label(span, fallback_label);
909                         err.multipart_suggestion(
910                             "surround the struct literal with parentheses",
911                             vec![
912                                 (sp.shrink_to_lo(), "(".to_string()),
913                                 (sp.shrink_to_hi(), ")".to_string()),
914                             ],
915                             Applicability::MaybeIncorrect,
916                         );
917                     } else {
918                         err.span_label(
919                             span, // Note the parentheses surrounding the suggestion below
920                             format!(
921                                 "you might want to surround a struct literal with parentheses: \
922                                  `({} {{ /* fields */ }})`?",
923                                 path_str
924                             ),
925                         );
926                     }
927                 }
928                 PathSource::Expr(_) | PathSource::TupleStruct(..) | PathSource::Pat => {
929                     let span = find_span(&source, err);
930                     if let Some(span) = self.def_span(def_id) {
931                         err.span_label(span, &format!("`{}` defined here", path_str));
932                     }
933                     let (tail, descr, applicability) = match source {
934                         PathSource::Pat | PathSource::TupleStruct(..) => {
935                             ("", "pattern", Applicability::MachineApplicable)
936                         }
937                         _ => (": val", "literal", Applicability::HasPlaceholders),
938                     };
939                     let (fields, applicability) = match self.r.field_names.get(&def_id) {
940                         Some(fields) => (
941                             fields
942                                 .iter()
943                                 .map(|f| format!("{}{}", f.node, tail))
944                                 .collect::<Vec<String>>()
945                                 .join(", "),
946                             applicability,
947                         ),
948                         None => ("/* fields */".to_string(), Applicability::HasPlaceholders),
949                     };
950                     let pad = match self.r.field_names.get(&def_id) {
951                         Some(fields) if fields.is_empty() => "",
952                         _ => " ",
953                     };
954                     err.span_suggestion(
955                         span,
956                         &format!("use struct {} syntax instead", descr),
957                         format!("{path_str} {{{pad}{fields}{pad}}}"),
958                         applicability,
959                     );
960                 }
961                 _ => {
962                     err.span_label(span, fallback_label);
963                 }
964             }
965         };
966
967         match (res, source) {
968             (Res::Def(DefKind::Macro(MacroKind::Bang), _), _) => {
969                 err.span_label(span, fallback_label);
970                 err.span_suggestion_verbose(
971                     span.shrink_to_hi(),
972                     "use `!` to invoke the macro",
973                     "!".to_string(),
974                     Applicability::MaybeIncorrect,
975                 );
976                 if path_str == "try" && span.rust_2015() {
977                     err.note("if you want the `try` keyword, you need Rust 2018 or later");
978                 }
979             }
980             (Res::Def(DefKind::TyAlias, def_id), PathSource::Trait(_)) => {
981                 err.span_label(span, "type aliases cannot be used as traits");
982                 if self.r.session.is_nightly_build() {
983                     let msg = "you might have meant to use `#![feature(trait_alias)]` instead of a \
984                                `type` alias";
985                     if let Some(span) = self.def_span(def_id) {
986                         if let Ok(snip) = self.r.session.source_map().span_to_snippet(span) {
987                             // The span contains a type alias so we should be able to
988                             // replace `type` with `trait`.
989                             let snip = snip.replacen("type", "trait", 1);
990                             err.span_suggestion(span, msg, snip, Applicability::MaybeIncorrect);
991                         } else {
992                             err.span_help(span, msg);
993                         }
994                     } else {
995                         err.help(msg);
996                     }
997                 }
998             }
999             (Res::Def(DefKind::Mod, _), PathSource::Expr(Some(parent))) => {
1000                 if !path_sep(err, &parent) {
1001                     return false;
1002                 }
1003             }
1004             (
1005                 Res::Def(DefKind::Enum, def_id),
1006                 PathSource::TupleStruct(..) | PathSource::Expr(..),
1007             ) => {
1008                 if self
1009                     .diagnostic_metadata
1010                     .current_type_ascription
1011                     .last()
1012                     .map(|sp| {
1013                         self.r
1014                             .session
1015                             .parse_sess
1016                             .type_ascription_path_suggestions
1017                             .borrow()
1018                             .contains(&sp)
1019                     })
1020                     .unwrap_or(false)
1021                 {
1022                     err.delay_as_bug();
1023                     // We already suggested changing `:` into `::` during parsing.
1024                     return false;
1025                 }
1026
1027                 self.suggest_using_enum_variant(err, source, def_id, span);
1028             }
1029             (Res::Def(DefKind::Struct, def_id), source) if ns == ValueNS => {
1030                 let (ctor_def, ctor_vis, fields) =
1031                     if let Some(struct_ctor) = self.r.struct_constructors.get(&def_id).cloned() {
1032                         if let PathSource::Expr(Some(parent)) = source {
1033                             if let ExprKind::Field(..) | ExprKind::MethodCall(..) = parent.kind {
1034                                 bad_struct_syntax_suggestion(def_id);
1035                                 return true;
1036                             }
1037                         }
1038                         struct_ctor
1039                     } else {
1040                         bad_struct_syntax_suggestion(def_id);
1041                         return true;
1042                     };
1043
1044                 let is_accessible = self.r.is_accessible_from(ctor_vis, self.parent_scope.module);
1045                 if !is_expected(ctor_def) || is_accessible {
1046                     return true;
1047                 }
1048
1049                 let field_spans = match source {
1050                     // e.g. `if let Enum::TupleVariant(field1, field2) = _`
1051                     PathSource::TupleStruct(_, pattern_spans) => {
1052                         err.set_primary_message(
1053                             "cannot match against a tuple struct which contains private fields",
1054                         );
1055
1056                         // Use spans of the tuple struct pattern.
1057                         Some(Vec::from(pattern_spans))
1058                     }
1059                     // e.g. `let _ = Enum::TupleVariant(field1, field2);`
1060                     _ if source.is_call() => {
1061                         err.set_primary_message(
1062                             "cannot initialize a tuple struct which contains private fields",
1063                         );
1064
1065                         // Use spans of the tuple struct definition.
1066                         self.r
1067                             .field_names
1068                             .get(&def_id)
1069                             .map(|fields| fields.iter().map(|f| f.span).collect::<Vec<_>>())
1070                     }
1071                     _ => None,
1072                 };
1073
1074                 if let Some(spans) =
1075                     field_spans.filter(|spans| spans.len() > 0 && fields.len() == spans.len())
1076                 {
1077                     let non_visible_spans: Vec<Span> = iter::zip(&fields, &spans)
1078                         .filter(|(vis, _)| {
1079                             !self.r.is_accessible_from(**vis, self.parent_scope.module)
1080                         })
1081                         .map(|(_, span)| *span)
1082                         .collect();
1083
1084                     if non_visible_spans.len() > 0 {
1085                         let mut m: rustc_span::MultiSpan = non_visible_spans.clone().into();
1086                         non_visible_spans
1087                             .into_iter()
1088                             .for_each(|s| m.push_span_label(s, "private field".to_string()));
1089                         err.span_note(m, "constructor is not visible here due to private fields");
1090                     }
1091
1092                     return true;
1093                 }
1094
1095                 err.span_label(
1096                     span,
1097                     "constructor is not visible here due to private fields".to_string(),
1098                 );
1099             }
1100             (
1101                 Res::Def(
1102                     DefKind::Union | DefKind::Variant | DefKind::Ctor(_, CtorKind::Fictive),
1103                     def_id,
1104                 ),
1105                 _,
1106             ) if ns == ValueNS => {
1107                 bad_struct_syntax_suggestion(def_id);
1108             }
1109             (Res::Def(DefKind::Ctor(_, CtorKind::Const), def_id), _) if ns == ValueNS => {
1110                 match source {
1111                     PathSource::Expr(_) | PathSource::TupleStruct(..) | PathSource::Pat => {
1112                         let span = find_span(&source, err);
1113                         if let Some(span) = self.def_span(def_id) {
1114                             err.span_label(span, &format!("`{}` defined here", path_str));
1115                         }
1116                         err.span_suggestion(
1117                             span,
1118                             &"use this syntax instead",
1119                             format!("{path_str}"),
1120                             Applicability::MaybeIncorrect,
1121                         );
1122                     }
1123                     _ => return false,
1124                 }
1125             }
1126             (Res::Def(DefKind::Ctor(_, CtorKind::Fn), def_id), _) if ns == ValueNS => {
1127                 if let Some(span) = self.def_span(def_id) {
1128                     err.span_label(span, &format!("`{}` defined here", path_str));
1129                 }
1130                 let fields = self.r.field_names.get(&def_id).map_or_else(
1131                     || "/* fields */".to_string(),
1132                     |fields| vec!["_"; fields.len()].join(", "),
1133                 );
1134                 err.span_suggestion(
1135                     span,
1136                     "use the tuple variant pattern syntax instead",
1137                     format!("{}({})", path_str, fields),
1138                     Applicability::HasPlaceholders,
1139                 );
1140             }
1141             (Res::SelfTy(..), _) if ns == ValueNS => {
1142                 err.span_label(span, fallback_label);
1143                 err.note("can't use `Self` as a constructor, you must use the implemented struct");
1144             }
1145             (Res::Def(DefKind::TyAlias | DefKind::AssocTy, _), _) if ns == ValueNS => {
1146                 err.note("can't use a type alias as a constructor");
1147             }
1148             _ => return false,
1149         }
1150         true
1151     }
1152
1153     /// Given the target `ident` and `kind`, search for the similarly named associated item
1154     /// in `self.current_trait_ref`.
1155     crate fn find_similarly_named_assoc_item(
1156         &mut self,
1157         ident: Symbol,
1158         kind: &AssocItemKind,
1159     ) -> Option<Symbol> {
1160         let module = if let Some((module, _)) = self.current_trait_ref {
1161             module
1162         } else {
1163             return None;
1164         };
1165         if ident == kw::Underscore {
1166             // We do nothing for `_`.
1167             return None;
1168         }
1169
1170         let resolutions = self.r.resolutions(module);
1171         let targets = resolutions
1172             .borrow()
1173             .iter()
1174             .filter_map(|(key, res)| res.borrow().binding.map(|binding| (key, binding.res())))
1175             .filter(|(_, res)| match (kind, res) {
1176                 (AssocItemKind::Const(..), Res::Def(DefKind::AssocConst, _)) => true,
1177                 (AssocItemKind::Fn(_), Res::Def(DefKind::AssocFn, _)) => true,
1178                 (AssocItemKind::TyAlias(..), Res::Def(DefKind::AssocTy, _)) => true,
1179                 _ => false,
1180             })
1181             .map(|(key, _)| key.ident.name)
1182             .collect::<Vec<_>>();
1183
1184         find_best_match_for_name(&targets, ident, None)
1185     }
1186
1187     fn lookup_assoc_candidate<FilterFn>(
1188         &mut self,
1189         ident: Ident,
1190         ns: Namespace,
1191         filter_fn: FilterFn,
1192     ) -> Option<AssocSuggestion>
1193     where
1194         FilterFn: Fn(Res) -> bool,
1195     {
1196         fn extract_node_id(t: &Ty) -> Option<NodeId> {
1197             match t.kind {
1198                 TyKind::Path(None, _) => Some(t.id),
1199                 TyKind::Rptr(_, ref mut_ty) => extract_node_id(&mut_ty.ty),
1200                 // This doesn't handle the remaining `Ty` variants as they are not
1201                 // that commonly the self_type, it might be interesting to provide
1202                 // support for those in future.
1203                 _ => None,
1204             }
1205         }
1206
1207         // Fields are generally expected in the same contexts as locals.
1208         if filter_fn(Res::Local(ast::DUMMY_NODE_ID)) {
1209             if let Some(node_id) =
1210                 self.diagnostic_metadata.current_self_type.as_ref().and_then(extract_node_id)
1211             {
1212                 // Look for a field with the same name in the current self_type.
1213                 if let Some(resolution) = self.r.partial_res_map.get(&node_id) {
1214                     match resolution.base_res() {
1215                         Res::Def(DefKind::Struct | DefKind::Union, did)
1216                             if resolution.unresolved_segments() == 0 =>
1217                         {
1218                             if let Some(field_names) = self.r.field_names.get(&did) {
1219                                 if field_names
1220                                     .iter()
1221                                     .any(|&field_name| ident.name == field_name.node)
1222                                 {
1223                                     return Some(AssocSuggestion::Field);
1224                                 }
1225                             }
1226                         }
1227                         _ => {}
1228                     }
1229                 }
1230             }
1231         }
1232
1233         if let Some(items) = self.diagnostic_metadata.current_trait_assoc_items {
1234             for assoc_item in items {
1235                 if assoc_item.ident == ident {
1236                     return Some(match &assoc_item.kind {
1237                         ast::AssocItemKind::Const(..) => AssocSuggestion::AssocConst,
1238                         ast::AssocItemKind::Fn(box ast::FnKind(_, sig, ..))
1239                             if sig.decl.has_self() =>
1240                         {
1241                             AssocSuggestion::MethodWithSelf
1242                         }
1243                         ast::AssocItemKind::Fn(..) => AssocSuggestion::AssocFn,
1244                         ast::AssocItemKind::TyAlias(..) => AssocSuggestion::AssocType,
1245                         ast::AssocItemKind::MacCall(_) => continue,
1246                     });
1247                 }
1248             }
1249         }
1250
1251         // Look for associated items in the current trait.
1252         if let Some((module, _)) = self.current_trait_ref {
1253             if let Ok(binding) = self.r.resolve_ident_in_module(
1254                 ModuleOrUniformRoot::Module(module),
1255                 ident,
1256                 ns,
1257                 &self.parent_scope,
1258                 false,
1259                 module.span,
1260             ) {
1261                 let res = binding.res();
1262                 if filter_fn(res) {
1263                     if self.r.has_self.contains(&res.def_id()) {
1264                         return Some(AssocSuggestion::MethodWithSelf);
1265                     } else {
1266                         match res {
1267                             Res::Def(DefKind::AssocFn, _) => return Some(AssocSuggestion::AssocFn),
1268                             Res::Def(DefKind::AssocConst, _) => {
1269                                 return Some(AssocSuggestion::AssocConst);
1270                             }
1271                             Res::Def(DefKind::AssocTy, _) => {
1272                                 return Some(AssocSuggestion::AssocType);
1273                             }
1274                             _ => {}
1275                         }
1276                     }
1277                 }
1278             }
1279         }
1280
1281         None
1282     }
1283
1284     fn lookup_typo_candidate(
1285         &mut self,
1286         path: &[Segment],
1287         ns: Namespace,
1288         filter_fn: &impl Fn(Res) -> bool,
1289         span: Span,
1290     ) -> Option<TypoSuggestion> {
1291         let mut names = Vec::new();
1292         if path.len() == 1 {
1293             // Search in lexical scope.
1294             // Walk backwards up the ribs in scope and collect candidates.
1295             for rib in self.ribs[ns].iter().rev() {
1296                 // Locals and type parameters
1297                 for (ident, &res) in &rib.bindings {
1298                     if filter_fn(res) {
1299                         names.push(TypoSuggestion::typo_from_res(ident.name, res));
1300                     }
1301                 }
1302                 // Items in scope
1303                 if let RibKind::ModuleRibKind(module) = rib.kind {
1304                     // Items from this module
1305                     self.r.add_module_candidates(module, &mut names, &filter_fn);
1306
1307                     if let ModuleKind::Block(..) = module.kind {
1308                         // We can see through blocks
1309                     } else {
1310                         // Items from the prelude
1311                         if !module.no_implicit_prelude {
1312                             let extern_prelude = self.r.extern_prelude.clone();
1313                             names.extend(extern_prelude.iter().flat_map(|(ident, _)| {
1314                                 self.r.crate_loader.maybe_process_path_extern(ident.name).and_then(
1315                                     |crate_id| {
1316                                         let crate_mod = Res::Def(
1317                                             DefKind::Mod,
1318                                             DefId { krate: crate_id, index: CRATE_DEF_INDEX },
1319                                         );
1320
1321                                         if filter_fn(crate_mod) {
1322                                             Some(TypoSuggestion::typo_from_res(
1323                                                 ident.name, crate_mod,
1324                                             ))
1325                                         } else {
1326                                             None
1327                                         }
1328                                     },
1329                                 )
1330                             }));
1331
1332                             if let Some(prelude) = self.r.prelude {
1333                                 self.r.add_module_candidates(prelude, &mut names, &filter_fn);
1334                             }
1335                         }
1336                         break;
1337                     }
1338                 }
1339             }
1340             // Add primitive types to the mix
1341             if filter_fn(Res::PrimTy(PrimTy::Bool)) {
1342                 names.extend(PrimTy::ALL.iter().map(|prim_ty| {
1343                     TypoSuggestion::typo_from_res(prim_ty.name(), Res::PrimTy(*prim_ty))
1344                 }))
1345             }
1346         } else {
1347             // Search in module.
1348             let mod_path = &path[..path.len() - 1];
1349             if let PathResult::Module(module) =
1350                 self.resolve_path(mod_path, Some(TypeNS), false, span, CrateLint::No)
1351             {
1352                 if let ModuleOrUniformRoot::Module(module) = module {
1353                     self.r.add_module_candidates(module, &mut names, &filter_fn);
1354                 }
1355             }
1356         }
1357
1358         let name = path[path.len() - 1].ident.name;
1359         // Make sure error reporting is deterministic.
1360         names.sort_by_cached_key(|suggestion| suggestion.candidate.as_str());
1361
1362         match find_best_match_for_name(
1363             &names.iter().map(|suggestion| suggestion.candidate).collect::<Vec<Symbol>>(),
1364             name,
1365             None,
1366         ) {
1367             Some(found) if found != name => {
1368                 names.into_iter().find(|suggestion| suggestion.candidate == found)
1369             }
1370             _ => None,
1371         }
1372     }
1373
1374     // Returns the name of the Rust type approximately corresponding to
1375     // a type name in another programming language.
1376     fn likely_rust_type(path: &[Segment]) -> Option<Symbol> {
1377         let name = path[path.len() - 1].ident.as_str();
1378         // Common Java types
1379         Some(match &*name {
1380             "byte" => sym::u8, // In Java, bytes are signed, but in practice one almost always wants unsigned bytes.
1381             "short" => sym::i16,
1382             "boolean" => sym::bool,
1383             "int" => sym::i32,
1384             "long" => sym::i64,
1385             "float" => sym::f32,
1386             "double" => sym::f64,
1387             _ => return None,
1388         })
1389     }
1390
1391     /// Only used in a specific case of type ascription suggestions
1392     fn get_colon_suggestion_span(&self, start: Span) -> Span {
1393         let sm = self.r.session.source_map();
1394         start.to(sm.next_point(start))
1395     }
1396
1397     fn type_ascription_suggestion(&self, err: &mut DiagnosticBuilder<'_>, base_span: Span) -> bool {
1398         let sm = self.r.session.source_map();
1399         let base_snippet = sm.span_to_snippet(base_span);
1400         if let Some(&sp) = self.diagnostic_metadata.current_type_ascription.last() {
1401             if let Ok(snippet) = sm.span_to_snippet(sp) {
1402                 let len = snippet.trim_end().len() as u32;
1403                 if snippet.trim() == ":" {
1404                     let colon_sp =
1405                         sp.with_lo(sp.lo() + BytePos(len - 1)).with_hi(sp.lo() + BytePos(len));
1406                     let mut show_label = true;
1407                     if sm.is_multiline(sp) {
1408                         err.span_suggestion_short(
1409                             colon_sp,
1410                             "maybe you meant to write `;` here",
1411                             ";".to_string(),
1412                             Applicability::MaybeIncorrect,
1413                         );
1414                     } else {
1415                         let after_colon_sp =
1416                             self.get_colon_suggestion_span(colon_sp.shrink_to_hi());
1417                         if snippet.len() == 1 {
1418                             // `foo:bar`
1419                             err.span_suggestion(
1420                                 colon_sp,
1421                                 "maybe you meant to write a path separator here",
1422                                 "::".to_string(),
1423                                 Applicability::MaybeIncorrect,
1424                             );
1425                             show_label = false;
1426                             if !self
1427                                 .r
1428                                 .session
1429                                 .parse_sess
1430                                 .type_ascription_path_suggestions
1431                                 .borrow_mut()
1432                                 .insert(colon_sp)
1433                             {
1434                                 err.delay_as_bug();
1435                             }
1436                         }
1437                         if let Ok(base_snippet) = base_snippet {
1438                             let mut sp = after_colon_sp;
1439                             for _ in 0..100 {
1440                                 // Try to find an assignment
1441                                 sp = sm.next_point(sp);
1442                                 let snippet = sm.span_to_snippet(sp.to(sm.next_point(sp)));
1443                                 match snippet {
1444                                     Ok(ref x) if x.as_str() == "=" => {
1445                                         err.span_suggestion(
1446                                             base_span,
1447                                             "maybe you meant to write an assignment here",
1448                                             format!("let {}", base_snippet),
1449                                             Applicability::MaybeIncorrect,
1450                                         );
1451                                         show_label = false;
1452                                         break;
1453                                     }
1454                                     Ok(ref x) if x.as_str() == "\n" => break,
1455                                     Err(_) => break,
1456                                     Ok(_) => {}
1457                                 }
1458                             }
1459                         }
1460                     }
1461                     if show_label {
1462                         err.span_label(
1463                             base_span,
1464                             "expecting a type here because of type ascription",
1465                         );
1466                     }
1467                     return show_label;
1468                 }
1469             }
1470         }
1471         false
1472     }
1473
1474     fn find_module(&mut self, def_id: DefId) -> Option<(Module<'a>, ImportSuggestion)> {
1475         let mut result = None;
1476         let mut seen_modules = FxHashSet::default();
1477         let mut worklist = vec![(self.r.graph_root, Vec::new())];
1478
1479         while let Some((in_module, path_segments)) = worklist.pop() {
1480             // abort if the module is already found
1481             if result.is_some() {
1482                 break;
1483             }
1484
1485             in_module.for_each_child(self.r, |_, ident, _, name_binding| {
1486                 // abort if the module is already found or if name_binding is private external
1487                 if result.is_some() || !name_binding.vis.is_visible_locally() {
1488                     return;
1489                 }
1490                 if let Some(module) = name_binding.module() {
1491                     // form the path
1492                     let mut path_segments = path_segments.clone();
1493                     path_segments.push(ast::PathSegment::from_ident(ident));
1494                     let module_def_id = module.def_id();
1495                     if module_def_id == def_id {
1496                         let path =
1497                             Path { span: name_binding.span, segments: path_segments, tokens: None };
1498                         result = Some((
1499                             module,
1500                             ImportSuggestion {
1501                                 did: Some(def_id),
1502                                 descr: "module",
1503                                 path,
1504                                 accessible: true,
1505                             },
1506                         ));
1507                     } else {
1508                         // add the module to the lookup
1509                         if seen_modules.insert(module_def_id) {
1510                             worklist.push((module, path_segments));
1511                         }
1512                     }
1513                 }
1514             });
1515         }
1516
1517         result
1518     }
1519
1520     fn collect_enum_ctors(&mut self, def_id: DefId) -> Option<Vec<(Path, DefId, CtorKind)>> {
1521         self.find_module(def_id).map(|(enum_module, enum_import_suggestion)| {
1522             let mut variants = Vec::new();
1523             enum_module.for_each_child(self.r, |_, ident, _, name_binding| {
1524                 if let Res::Def(DefKind::Ctor(CtorOf::Variant, kind), def_id) = name_binding.res() {
1525                     let mut segms = enum_import_suggestion.path.segments.clone();
1526                     segms.push(ast::PathSegment::from_ident(ident));
1527                     let path = Path { span: name_binding.span, segments: segms, tokens: None };
1528                     variants.push((path, def_id, kind));
1529                 }
1530             });
1531             variants
1532         })
1533     }
1534
1535     /// Adds a suggestion for using an enum's variant when an enum is used instead.
1536     fn suggest_using_enum_variant(
1537         &mut self,
1538         err: &mut DiagnosticBuilder<'a>,
1539         source: PathSource<'_>,
1540         def_id: DefId,
1541         span: Span,
1542     ) {
1543         let variants = match self.collect_enum_ctors(def_id) {
1544             Some(variants) => variants,
1545             None => {
1546                 err.note("you might have meant to use one of the enum's variants");
1547                 return;
1548             }
1549         };
1550
1551         let suggest_only_tuple_variants =
1552             matches!(source, PathSource::TupleStruct(..)) || source.is_call();
1553         if suggest_only_tuple_variants {
1554             // Suggest only tuple variants regardless of whether they have fields and do not
1555             // suggest path with added parentheses.
1556             let mut suggestable_variants = variants
1557                 .iter()
1558                 .filter(|(.., kind)| *kind == CtorKind::Fn)
1559                 .map(|(variant, ..)| path_names_to_string(variant))
1560                 .collect::<Vec<_>>();
1561
1562             let non_suggestable_variant_count = variants.len() - suggestable_variants.len();
1563
1564             let source_msg = if source.is_call() {
1565                 "to construct"
1566             } else if matches!(source, PathSource::TupleStruct(..)) {
1567                 "to match against"
1568             } else {
1569                 unreachable!()
1570             };
1571
1572             if !suggestable_variants.is_empty() {
1573                 let msg = if non_suggestable_variant_count == 0 && suggestable_variants.len() == 1 {
1574                     format!("try {} the enum's variant", source_msg)
1575                 } else {
1576                     format!("try {} one of the enum's variants", source_msg)
1577                 };
1578
1579                 err.span_suggestions(
1580                     span,
1581                     &msg,
1582                     suggestable_variants.drain(..),
1583                     Applicability::MaybeIncorrect,
1584                 );
1585             }
1586
1587             // If the enum has no tuple variants..
1588             if non_suggestable_variant_count == variants.len() {
1589                 err.help(&format!("the enum has no tuple variants {}", source_msg));
1590             }
1591
1592             // If there are also non-tuple variants..
1593             if non_suggestable_variant_count == 1 {
1594                 err.help(&format!(
1595                     "you might have meant {} the enum's non-tuple variant",
1596                     source_msg
1597                 ));
1598             } else if non_suggestable_variant_count >= 1 {
1599                 err.help(&format!(
1600                     "you might have meant {} one of the enum's non-tuple variants",
1601                     source_msg
1602                 ));
1603             }
1604         } else {
1605             let needs_placeholder = |def_id: DefId, kind: CtorKind| {
1606                 let has_no_fields = self.r.field_names.get(&def_id).map_or(false, |f| f.is_empty());
1607                 match kind {
1608                     CtorKind::Const => false,
1609                     CtorKind::Fn | CtorKind::Fictive if has_no_fields => false,
1610                     _ => true,
1611                 }
1612             };
1613
1614             let mut suggestable_variants = variants
1615                 .iter()
1616                 .filter(|(_, def_id, kind)| !needs_placeholder(*def_id, *kind))
1617                 .map(|(variant, _, kind)| (path_names_to_string(variant), kind))
1618                 .map(|(variant, kind)| match kind {
1619                     CtorKind::Const => variant,
1620                     CtorKind::Fn => format!("({}())", variant),
1621                     CtorKind::Fictive => format!("({} {{}})", variant),
1622                 })
1623                 .collect::<Vec<_>>();
1624
1625             if !suggestable_variants.is_empty() {
1626                 let msg = if suggestable_variants.len() == 1 {
1627                     "you might have meant to use the following enum variant"
1628                 } else {
1629                     "you might have meant to use one of the following enum variants"
1630                 };
1631
1632                 err.span_suggestions(
1633                     span,
1634                     msg,
1635                     suggestable_variants.drain(..),
1636                     Applicability::MaybeIncorrect,
1637                 );
1638             }
1639
1640             let mut suggestable_variants_with_placeholders = variants
1641                 .iter()
1642                 .filter(|(_, def_id, kind)| needs_placeholder(*def_id, *kind))
1643                 .map(|(variant, _, kind)| (path_names_to_string(variant), kind))
1644                 .filter_map(|(variant, kind)| match kind {
1645                     CtorKind::Fn => Some(format!("({}(/* fields */))", variant)),
1646                     CtorKind::Fictive => Some(format!("({} {{ /* fields */ }})", variant)),
1647                     _ => None,
1648                 })
1649                 .collect::<Vec<_>>();
1650
1651             if !suggestable_variants_with_placeholders.is_empty() {
1652                 let msg = match (
1653                     suggestable_variants.is_empty(),
1654                     suggestable_variants_with_placeholders.len(),
1655                 ) {
1656                     (true, 1) => "the following enum variant is available",
1657                     (true, _) => "the following enum variants are available",
1658                     (false, 1) => "alternatively, the following enum variant is available",
1659                     (false, _) => "alternatively, the following enum variants are also available",
1660                 };
1661
1662                 err.span_suggestions(
1663                     span,
1664                     msg,
1665                     suggestable_variants_with_placeholders.drain(..),
1666                     Applicability::HasPlaceholders,
1667                 );
1668             }
1669         };
1670
1671         if def_id.is_local() {
1672             if let Some(span) = self.def_span(def_id) {
1673                 err.span_note(span, "the enum is defined here");
1674             }
1675         }
1676     }
1677
1678     crate fn report_missing_type_error(
1679         &self,
1680         path: &[Segment],
1681     ) -> Option<(Span, &'static str, String, Applicability)> {
1682         let (ident, span) = match path {
1683             [segment] if !segment.has_generic_args => {
1684                 (segment.ident.to_string(), segment.ident.span)
1685             }
1686             _ => return None,
1687         };
1688         let mut iter = ident.chars().map(|c| c.is_uppercase());
1689         let single_uppercase_char =
1690             matches!(iter.next(), Some(true)) && matches!(iter.next(), None);
1691         if !self.diagnostic_metadata.currently_processing_generics && !single_uppercase_char {
1692             return None;
1693         }
1694         match (self.diagnostic_metadata.current_item, single_uppercase_char, self.diagnostic_metadata.currently_processing_generics) {
1695             (Some(Item { kind: ItemKind::Fn(..), ident, .. }), _, _) if ident.name == sym::main => {
1696                 // Ignore `fn main()` as we don't want to suggest `fn main<T>()`
1697             }
1698             (
1699                 Some(Item {
1700                     kind:
1701                         kind @ ItemKind::Fn(..)
1702                         | kind @ ItemKind::Enum(..)
1703                         | kind @ ItemKind::Struct(..)
1704                         | kind @ ItemKind::Union(..),
1705                     ..
1706                 }),
1707                 true, _
1708             )
1709             // Without the 2nd `true`, we'd suggest `impl <T>` for `impl T` when a type `T` isn't found
1710             | (Some(Item { kind: kind @ ItemKind::Impl(..), .. }), true, true)
1711             | (Some(Item { kind, .. }), false, _) => {
1712                 // Likely missing type parameter.
1713                 if let Some(generics) = kind.generics() {
1714                     if span.overlaps(generics.span) {
1715                         // Avoid the following:
1716                         // error[E0405]: cannot find trait `A` in this scope
1717                         //  --> $DIR/typo-suggestion-named-underscore.rs:CC:LL
1718                         //   |
1719                         // L | fn foo<T: A>(x: T) {} // Shouldn't suggest underscore
1720                         //   |           ^- help: you might be missing a type parameter: `, A`
1721                         //   |           |
1722                         //   |           not found in this scope
1723                         return None;
1724                     }
1725                     let msg = "you might be missing a type parameter";
1726                     let (span, sugg) = if let [.., param] = &generics.params[..] {
1727                         let span = if let [.., bound] = &param.bounds[..] {
1728                             bound.span()
1729                         } else if let GenericParam {
1730                             kind: GenericParamKind::Const { ty, kw_span: _, default  }, ..
1731                         } = param {
1732                             default.as_ref().map(|def| def.value.span).unwrap_or(ty.span)
1733                         } else {
1734                             param.ident.span
1735                         };
1736                         (span, format!(", {}", ident))
1737                     } else {
1738                         (generics.span, format!("<{}>", ident))
1739                     };
1740                     // Do not suggest if this is coming from macro expansion.
1741                     if !span.from_expansion() {
1742                         return Some((
1743                             span.shrink_to_hi(),
1744                             msg,
1745                             sugg,
1746                             Applicability::MaybeIncorrect,
1747                         ));
1748                     }
1749                 }
1750             }
1751             _ => {}
1752         }
1753         None
1754     }
1755
1756     /// Given the target `label`, search the `rib_index`th label rib for similarly named labels,
1757     /// optionally returning the closest match and whether it is reachable.
1758     crate fn suggestion_for_label_in_rib(
1759         &self,
1760         rib_index: usize,
1761         label: Ident,
1762     ) -> Option<LabelSuggestion> {
1763         // Are ribs from this `rib_index` within scope?
1764         let within_scope = self.is_label_valid_from_rib(rib_index);
1765
1766         let rib = &self.label_ribs[rib_index];
1767         let names = rib
1768             .bindings
1769             .iter()
1770             .filter(|(id, _)| id.span.ctxt() == label.span.ctxt())
1771             .map(|(id, _)| id.name)
1772             .collect::<Vec<Symbol>>();
1773
1774         find_best_match_for_name(&names, label.name, None).map(|symbol| {
1775             // Upon finding a similar name, get the ident that it was from - the span
1776             // contained within helps make a useful diagnostic. In addition, determine
1777             // whether this candidate is within scope.
1778             let (ident, _) = rib.bindings.iter().find(|(ident, _)| ident.name == symbol).unwrap();
1779             (*ident, within_scope)
1780         })
1781     }
1782 }
1783
1784 impl<'tcx> LifetimeContext<'_, 'tcx> {
1785     crate fn report_missing_lifetime_specifiers(
1786         &self,
1787         spans: Vec<Span>,
1788         count: usize,
1789     ) -> DiagnosticBuilder<'tcx> {
1790         struct_span_err!(
1791             self.tcx.sess,
1792             spans,
1793             E0106,
1794             "missing lifetime specifier{}",
1795             pluralize!(count)
1796         )
1797     }
1798
1799     crate fn emit_undeclared_lifetime_error(&self, lifetime_ref: &hir::Lifetime) {
1800         let mut err = struct_span_err!(
1801             self.tcx.sess,
1802             lifetime_ref.span,
1803             E0261,
1804             "use of undeclared lifetime name `{}`",
1805             lifetime_ref
1806         );
1807         err.span_label(lifetime_ref.span, "undeclared lifetime");
1808         let mut suggests_in_band = false;
1809         let mut suggest_note = true;
1810         for missing in &self.missing_named_lifetime_spots {
1811             match missing {
1812                 MissingLifetimeSpot::Generics(generics) => {
1813                     let (span, sugg) = if let Some(param) = generics.params.iter().find(|p| {
1814                         !matches!(
1815                             p.kind,
1816                             hir::GenericParamKind::Type {
1817                                 synthetic: Some(hir::SyntheticTyParamKind::ImplTrait),
1818                                 ..
1819                             } | hir::GenericParamKind::Lifetime {
1820                                 kind: hir::LifetimeParamKind::Elided,
1821                             }
1822                         )
1823                     }) {
1824                         (param.span.shrink_to_lo(), format!("{}, ", lifetime_ref))
1825                     } else {
1826                         suggests_in_band = true;
1827                         (generics.span, format!("<{}>", lifetime_ref))
1828                     };
1829                     if !span.from_expansion() {
1830                         err.span_suggestion(
1831                             span,
1832                             &format!("consider introducing lifetime `{}` here", lifetime_ref),
1833                             sugg,
1834                             Applicability::MaybeIncorrect,
1835                         );
1836                     } else if suggest_note {
1837                         suggest_note = false; // Avoid displaying the same help multiple times.
1838                         err.span_label(
1839                             span,
1840                             &format!(
1841                                 "lifetime `{}` is missing in item created through this procedural \
1842                                  macro",
1843                                 lifetime_ref,
1844                             ),
1845                         );
1846                     }
1847                 }
1848                 MissingLifetimeSpot::HigherRanked { span, span_type } => {
1849                     err.span_suggestion(
1850                         *span,
1851                         &format!(
1852                             "consider making the {} lifetime-generic with a new `{}` lifetime",
1853                             span_type.descr(),
1854                             lifetime_ref
1855                         ),
1856                         span_type.suggestion(&lifetime_ref.to_string()),
1857                         Applicability::MaybeIncorrect,
1858                     );
1859                     err.note(
1860                         "for more information on higher-ranked polymorphism, visit \
1861                          https://doc.rust-lang.org/nomicon/hrtb.html",
1862                     );
1863                 }
1864                 _ => {}
1865             }
1866         }
1867         if self.tcx.sess.is_nightly_build()
1868             && !self.tcx.features().in_band_lifetimes
1869             && suggests_in_band
1870         {
1871             err.help(
1872                 "if you want to experiment with in-band lifetime bindings, \
1873                  add `#![feature(in_band_lifetimes)]` to the crate attributes",
1874             );
1875         }
1876         err.emit();
1877     }
1878
1879     // FIXME(const_generics): This patches over an ICE caused by non-'static lifetimes in const
1880     // generics. We are disallowing this until we can decide on how we want to handle non-'static
1881     // lifetimes in const generics. See issue #74052 for discussion.
1882     crate fn emit_non_static_lt_in_const_generic_error(&self, lifetime_ref: &hir::Lifetime) {
1883         let mut err = struct_span_err!(
1884             self.tcx.sess,
1885             lifetime_ref.span,
1886             E0771,
1887             "use of non-static lifetime `{}` in const generic",
1888             lifetime_ref
1889         );
1890         err.note(
1891             "for more information, see issue #74052 \
1892             <https://github.com/rust-lang/rust/issues/74052>",
1893         );
1894         err.emit();
1895     }
1896
1897     crate fn is_trait_ref_fn_scope(&mut self, trait_ref: &'tcx hir::PolyTraitRef<'tcx>) -> bool {
1898         if let def::Res::Def(_, did) = trait_ref.trait_ref.path.res {
1899             if [
1900                 self.tcx.lang_items().fn_once_trait(),
1901                 self.tcx.lang_items().fn_trait(),
1902                 self.tcx.lang_items().fn_mut_trait(),
1903             ]
1904             .contains(&Some(did))
1905             {
1906                 let (span, span_type) = match &trait_ref.bound_generic_params {
1907                     [] => (trait_ref.span.shrink_to_lo(), ForLifetimeSpanType::BoundEmpty),
1908                     [.., bound] => (bound.span.shrink_to_hi(), ForLifetimeSpanType::BoundTail),
1909                 };
1910                 self.missing_named_lifetime_spots
1911                     .push(MissingLifetimeSpot::HigherRanked { span, span_type });
1912                 return true;
1913             }
1914         };
1915         false
1916     }
1917
1918     crate fn add_missing_lifetime_specifiers_label(
1919         &self,
1920         err: &mut DiagnosticBuilder<'_>,
1921         mut spans_with_counts: Vec<(Span, usize)>,
1922         lifetime_names: &FxHashSet<Symbol>,
1923         lifetime_spans: Vec<Span>,
1924         params: &[ElisionFailureInfo],
1925     ) {
1926         let snippets: Vec<Option<String>> = spans_with_counts
1927             .iter()
1928             .map(|(span, _)| self.tcx.sess.source_map().span_to_snippet(*span).ok())
1929             .collect();
1930
1931         // Empty generics are marked with a span of "<", but since from now on
1932         // that information is in the snippets it can be removed from the spans.
1933         for ((span, _), snippet) in spans_with_counts.iter_mut().zip(&snippets) {
1934             if snippet.as_deref() == Some("<") {
1935                 *span = span.shrink_to_hi();
1936             }
1937         }
1938
1939         for &(span, count) in &spans_with_counts {
1940             err.span_label(
1941                 span,
1942                 format!(
1943                     "expected {} lifetime parameter{}",
1944                     if count == 1 { "named".to_string() } else { count.to_string() },
1945                     pluralize!(count),
1946                 ),
1947             );
1948         }
1949
1950         let suggest_existing =
1951             |err: &mut DiagnosticBuilder<'_>,
1952              name: &str,
1953              formatters: Vec<Option<Box<dyn Fn(&str) -> String>>>| {
1954                 if let Some(MissingLifetimeSpot::HigherRanked { span: for_span, span_type }) =
1955                     self.missing_named_lifetime_spots.iter().rev().next()
1956                 {
1957                     // When we have `struct S<'a>(&'a dyn Fn(&X) -> &X);` we want to not only suggest
1958                     // using `'a`, but also introduce the concept of HRLTs by suggesting
1959                     // `struct S<'a>(&'a dyn for<'b> Fn(&X) -> &'b X);`. (#72404)
1960                     let mut introduce_suggestion = vec![];
1961
1962                     let a_to_z_repeat_n = |n| {
1963                         (b'a'..=b'z').map(move |c| {
1964                             let mut s = '\''.to_string();
1965                             s.extend(std::iter::repeat(char::from(c)).take(n));
1966                             s
1967                         })
1968                     };
1969
1970                     // If all single char lifetime names are present, we wrap around and double the chars.
1971                     let lt_name = (1..)
1972                         .flat_map(a_to_z_repeat_n)
1973                         .find(|lt| !lifetime_names.contains(&Symbol::intern(&lt)))
1974                         .unwrap();
1975                     let msg = format!(
1976                         "consider making the {} lifetime-generic with a new `{}` lifetime",
1977                         span_type.descr(),
1978                         lt_name,
1979                     );
1980                     err.note(
1981                         "for more information on higher-ranked polymorphism, visit \
1982                     https://doc.rust-lang.org/nomicon/hrtb.html",
1983                     );
1984                     let for_sugg = span_type.suggestion(&lt_name);
1985                     for param in params {
1986                         if let Ok(snippet) = self.tcx.sess.source_map().span_to_snippet(param.span)
1987                         {
1988                             if snippet.starts_with('&') && !snippet.starts_with("&'") {
1989                                 introduce_suggestion
1990                                     .push((param.span, format!("&{} {}", lt_name, &snippet[1..])));
1991                             } else if let Some(stripped) = snippet.strip_prefix("&'_ ") {
1992                                 introduce_suggestion
1993                                     .push((param.span, format!("&{} {}", lt_name, stripped)));
1994                             }
1995                         }
1996                     }
1997                     introduce_suggestion.push((*for_span, for_sugg));
1998                     for ((span, _), formatter) in spans_with_counts.iter().zip(formatters.iter()) {
1999                         if let Some(formatter) = formatter {
2000                             introduce_suggestion.push((*span, formatter(&lt_name)));
2001                         }
2002                     }
2003                     err.multipart_suggestion_verbose(
2004                         &msg,
2005                         introduce_suggestion,
2006                         Applicability::MaybeIncorrect,
2007                     );
2008                 }
2009
2010                 let spans_suggs: Vec<_> = formatters
2011                     .into_iter()
2012                     .zip(spans_with_counts.iter())
2013                     .filter_map(|(fmt, (span, _))| {
2014                         if let Some(formatter) = fmt { Some((formatter, span)) } else { None }
2015                     })
2016                     .map(|(formatter, span)| (*span, formatter(name)))
2017                     .collect();
2018                 err.multipart_suggestion_verbose(
2019                     &format!(
2020                         "consider using the `{}` lifetime",
2021                         lifetime_names.iter().next().unwrap()
2022                     ),
2023                     spans_suggs,
2024                     Applicability::MaybeIncorrect,
2025                 );
2026             };
2027         let suggest_new = |err: &mut DiagnosticBuilder<'_>, suggs: Vec<Option<String>>| {
2028             for missing in self.missing_named_lifetime_spots.iter().rev() {
2029                 let mut introduce_suggestion = vec![];
2030                 let msg;
2031                 let should_break;
2032                 introduce_suggestion.push(match missing {
2033                     MissingLifetimeSpot::Generics(generics) => {
2034                         if generics.span == DUMMY_SP {
2035                             // Account for malformed generics in the HIR. This shouldn't happen,
2036                             // but if we make a mistake elsewhere, mainly by keeping something in
2037                             // `missing_named_lifetime_spots` that we shouldn't, like associated
2038                             // `const`s or making a mistake in the AST lowering we would provide
2039                             // non-sensical suggestions. Guard against that by skipping these.
2040                             // (#74264)
2041                             continue;
2042                         }
2043                         msg = "consider introducing a named lifetime parameter".to_string();
2044                         should_break = true;
2045                         if let Some(param) = generics.params.iter().find(|p| {
2046                             !matches!(
2047                                 p.kind,
2048                                 hir::GenericParamKind::Type {
2049                                     synthetic: Some(hir::SyntheticTyParamKind::ImplTrait),
2050                                     ..
2051                                 } | hir::GenericParamKind::Lifetime {
2052                                     kind: hir::LifetimeParamKind::Elided
2053                                 }
2054                             )
2055                         }) {
2056                             (param.span.shrink_to_lo(), "'a, ".to_string())
2057                         } else {
2058                             (generics.span, "<'a>".to_string())
2059                         }
2060                     }
2061                     MissingLifetimeSpot::HigherRanked { span, span_type } => {
2062                         msg = format!(
2063                             "consider making the {} lifetime-generic with a new `'a` lifetime",
2064                             span_type.descr(),
2065                         );
2066                         should_break = false;
2067                         err.note(
2068                             "for more information on higher-ranked polymorphism, visit \
2069                             https://doc.rust-lang.org/nomicon/hrtb.html",
2070                         );
2071                         (*span, span_type.suggestion("'a"))
2072                     }
2073                     MissingLifetimeSpot::Static => {
2074                         let mut spans_suggs = Vec::new();
2075                         for ((span, count), snippet) in
2076                             spans_with_counts.iter().copied().zip(snippets.iter())
2077                         {
2078                             let (span, sugg) = match snippet.as_deref() {
2079                                 Some("&") => (span.shrink_to_hi(), "'static ".to_owned()),
2080                                 Some("'_") => (span, "'static".to_owned()),
2081                                 Some(snippet) if !snippet.ends_with('>') => {
2082                                     if snippet == "" {
2083                                         (
2084                                             span,
2085                                             std::iter::repeat("'static")
2086                                                 .take(count)
2087                                                 .collect::<Vec<_>>()
2088                                                 .join(", "),
2089                                         )
2090                                     } else if snippet == "<" || snippet == "(" {
2091                                         (
2092                                             span.shrink_to_hi(),
2093                                             std::iter::repeat("'static")
2094                                                 .take(count)
2095                                                 .collect::<Vec<_>>()
2096                                                 .join(", "),
2097                                         )
2098                                     } else {
2099                                         (
2100                                             span.shrink_to_hi(),
2101                                             format!(
2102                                                 "<{}>",
2103                                                 std::iter::repeat("'static")
2104                                                     .take(count)
2105                                                     .collect::<Vec<_>>()
2106                                                     .join(", "),
2107                                             ),
2108                                         )
2109                                     }
2110                                 }
2111                                 _ => continue,
2112                             };
2113                             spans_suggs.push((span, sugg.to_string()));
2114                         }
2115                         err.multipart_suggestion_verbose(
2116                             "consider using the `'static` lifetime",
2117                             spans_suggs,
2118                             Applicability::MaybeIncorrect,
2119                         );
2120                         continue;
2121                     }
2122                 });
2123
2124                 struct Lifetime(Span, String);
2125                 impl Lifetime {
2126                     fn is_unnamed(&self) -> bool {
2127                         self.1.starts_with('&') && !self.1.starts_with("&'")
2128                     }
2129                     fn is_underscore(&self) -> bool {
2130                         self.1.starts_with("&'_ ")
2131                     }
2132                     fn is_named(&self) -> bool {
2133                         self.1.starts_with("&'")
2134                     }
2135                     fn suggestion(&self, sugg: String) -> Option<(Span, String)> {
2136                         Some(
2137                             match (
2138                                 self.is_unnamed(),
2139                                 self.is_underscore(),
2140                                 self.is_named(),
2141                                 sugg.starts_with('&'),
2142                             ) {
2143                                 (true, _, _, false) => (self.span_unnamed_borrow(), sugg),
2144                                 (true, _, _, true) => {
2145                                     (self.span_unnamed_borrow(), sugg[1..].to_string())
2146                                 }
2147                                 (_, true, _, false) => {
2148                                     (self.span_underscore_borrow(), sugg.trim().to_string())
2149                                 }
2150                                 (_, true, _, true) => {
2151                                     (self.span_underscore_borrow(), sugg[1..].trim().to_string())
2152                                 }
2153                                 (_, _, true, false) => {
2154                                     (self.span_named_borrow(), sugg.trim().to_string())
2155                                 }
2156                                 (_, _, true, true) => {
2157                                     (self.span_named_borrow(), sugg[1..].trim().to_string())
2158                                 }
2159                                 _ => return None,
2160                             },
2161                         )
2162                     }
2163                     fn span_unnamed_borrow(&self) -> Span {
2164                         let lo = self.0.lo() + BytePos(1);
2165                         self.0.with_lo(lo).with_hi(lo)
2166                     }
2167                     fn span_named_borrow(&self) -> Span {
2168                         let lo = self.0.lo() + BytePos(1);
2169                         self.0.with_lo(lo)
2170                     }
2171                     fn span_underscore_borrow(&self) -> Span {
2172                         let lo = self.0.lo() + BytePos(1);
2173                         let hi = lo + BytePos(2);
2174                         self.0.with_lo(lo).with_hi(hi)
2175                     }
2176                 }
2177
2178                 for param in params {
2179                     if let Ok(snippet) = self.tcx.sess.source_map().span_to_snippet(param.span) {
2180                         if let Some((span, sugg)) =
2181                             Lifetime(param.span, snippet).suggestion("'a ".to_string())
2182                         {
2183                             introduce_suggestion.push((span, sugg));
2184                         }
2185                     }
2186                 }
2187                 for (span, sugg) in spans_with_counts.iter().copied().zip(suggs.iter()).filter_map(
2188                     |((span, _), sugg)| match &sugg {
2189                         Some(sugg) => Some((span, sugg.to_string())),
2190                         _ => None,
2191                     },
2192                 ) {
2193                     let (span, sugg) = self
2194                         .tcx
2195                         .sess
2196                         .source_map()
2197                         .span_to_snippet(span)
2198                         .ok()
2199                         .and_then(|snippet| Lifetime(span, snippet).suggestion(sugg.clone()))
2200                         .unwrap_or((span, sugg));
2201                     introduce_suggestion.push((span, sugg.to_string()));
2202                 }
2203                 err.multipart_suggestion_verbose(
2204                     &msg,
2205                     introduce_suggestion,
2206                     Applicability::MaybeIncorrect,
2207                 );
2208                 if should_break {
2209                     break;
2210                 }
2211             }
2212         };
2213
2214         let lifetime_names: Vec<_> = lifetime_names.iter().collect();
2215         match &lifetime_names[..] {
2216             [name] => {
2217                 let mut suggs: Vec<Option<Box<dyn Fn(&str) -> String>>> = Vec::new();
2218                 for (snippet, (_, count)) in snippets.iter().zip(spans_with_counts.iter().copied())
2219                 {
2220                     suggs.push(match snippet.as_deref() {
2221                         Some("&") => Some(Box::new(|name| format!("&{} ", name))),
2222                         Some("'_") => Some(Box::new(|n| n.to_string())),
2223                         Some("") => Some(Box::new(move |n| format!("{}, ", n).repeat(count))),
2224                         Some("<") => Some(Box::new(move |n| {
2225                             std::iter::repeat(n).take(count).collect::<Vec<_>>().join(", ")
2226                         })),
2227                         Some(snippet) if !snippet.ends_with('>') => Some(Box::new(move |name| {
2228                             format!(
2229                                 "{}<{}>",
2230                                 snippet,
2231                                 std::iter::repeat(name.to_string())
2232                                     .take(count)
2233                                     .collect::<Vec<_>>()
2234                                     .join(", ")
2235                             )
2236                         })),
2237                         _ => None,
2238                     });
2239                 }
2240                 suggest_existing(err, &name.as_str()[..], suggs);
2241             }
2242             [] => {
2243                 let mut suggs = Vec::new();
2244                 for (snippet, (_, count)) in
2245                     snippets.iter().cloned().zip(spans_with_counts.iter().copied())
2246                 {
2247                     suggs.push(match snippet.as_deref() {
2248                         Some("&") => Some("&'a ".to_string()),
2249                         Some("'_") => Some("'a".to_string()),
2250                         Some("") => {
2251                             Some(std::iter::repeat("'a, ").take(count).collect::<Vec<_>>().join(""))
2252                         }
2253                         Some("<") => {
2254                             Some(std::iter::repeat("'a").take(count).collect::<Vec<_>>().join(", "))
2255                         }
2256                         Some(snippet) => Some(format!(
2257                             "{}<{}>",
2258                             snippet,
2259                             std::iter::repeat("'a").take(count).collect::<Vec<_>>().join(", "),
2260                         )),
2261                         None => None,
2262                     });
2263                 }
2264                 suggest_new(err, suggs);
2265             }
2266             lts if lts.len() > 1 => {
2267                 err.span_note(lifetime_spans, "these named lifetimes are available to use");
2268
2269                 let mut spans_suggs: Vec<_> = Vec::new();
2270                 for ((span, _), snippet) in spans_with_counts.iter().copied().zip(snippets.iter()) {
2271                     match snippet.as_deref() {
2272                         Some("") => spans_suggs.push((span, "'lifetime, ".to_string())),
2273                         Some("&") => spans_suggs
2274                             .push((span.with_lo(span.lo() + BytePos(1)), "'lifetime ".to_string())),
2275                         _ => {}
2276                     }
2277                 }
2278
2279                 if spans_suggs.len() > 0 {
2280                     // This happens when we have `Foo<T>` where we point at the space before `T`,
2281                     // but this can be confusing so we give a suggestion with placeholders.
2282                     err.multipart_suggestion_verbose(
2283                         "consider using one of the available lifetimes here",
2284                         spans_suggs,
2285                         Applicability::HasPlaceholders,
2286                     );
2287                 }
2288             }
2289             _ => unreachable!(),
2290         }
2291     }
2292
2293     /// Non-static lifetimes are prohibited in anonymous constants under `min_const_generics`.
2294     /// This function will emit an error if `generic_const_exprs` is not enabled, the body identified by
2295     /// `body_id` is an anonymous constant and `lifetime_ref` is non-static.
2296     crate fn maybe_emit_forbidden_non_static_lifetime_error(
2297         &self,
2298         body_id: hir::BodyId,
2299         lifetime_ref: &'tcx hir::Lifetime,
2300     ) {
2301         let is_anon_const = matches!(
2302             self.tcx.def_kind(self.tcx.hir().body_owner_def_id(body_id)),
2303             hir::def::DefKind::AnonConst
2304         );
2305         let is_allowed_lifetime = matches!(
2306             lifetime_ref.name,
2307             hir::LifetimeName::Implicit | hir::LifetimeName::Static | hir::LifetimeName::Underscore
2308         );
2309
2310         if !self.tcx.lazy_normalization() && is_anon_const && !is_allowed_lifetime {
2311             feature_err(
2312                 &self.tcx.sess.parse_sess,
2313                 sym::generic_const_exprs,
2314                 lifetime_ref.span,
2315                 "a non-static lifetime is not allowed in a `const`",
2316             )
2317             .emit();
2318         }
2319     }
2320 }