rustc_hir_analysis/hir_ty_lowering/
lint.rs
1use rustc_ast::TraitObjectSyntax;
2use rustc_errors::codes::*;
3use rustc_errors::{Diag, EmissionGuarantee, ErrorGuaranteed, StashKey, Suggestions};
4use rustc_hir as hir;
5use rustc_hir::def::{DefKind, Namespace, Res};
6use rustc_hir::def_id::DefId;
7use rustc_lint_defs::Applicability;
8use rustc_lint_defs::builtin::BARE_TRAIT_OBJECTS;
9use rustc_span::Span;
10use rustc_span::edit_distance::find_best_match_for_name;
11use rustc_trait_selection::error_reporting::traits::suggestions::NextTypeParamName;
12
13use super::HirTyLowerer;
14
15impl<'tcx> dyn HirTyLowerer<'tcx> + '_ {
16 pub(super) fn prohibit_or_lint_bare_trait_object_ty(
21 &self,
22 self_ty: &hir::Ty<'_>,
23 ) -> Option<ErrorGuaranteed> {
24 let tcx = self.tcx();
25
26 let poly_trait_ref = if let hir::TyKind::TraitObject([poly_trait_ref, ..], tagged_ptr) =
27 self_ty.kind
28 && let TraitObjectSyntax::None = tagged_ptr.tag()
29 {
30 poly_trait_ref
31 } else {
32 return None;
33 };
34
35 let in_path = match tcx.parent_hir_node(self_ty.hir_id) {
36 hir::Node::Ty(hir::Ty {
37 kind: hir::TyKind::Path(hir::QPath::TypeRelative(qself, _)),
38 ..
39 })
40 | hir::Node::Expr(hir::Expr {
41 kind: hir::ExprKind::Path(hir::QPath::TypeRelative(qself, _)),
42 ..
43 })
44 | hir::Node::PatExpr(hir::PatExpr {
45 kind: hir::PatExprKind::Path(hir::QPath::TypeRelative(qself, _)),
46 ..
47 }) if qself.hir_id == self_ty.hir_id => true,
48 _ => false,
49 };
50 let needs_bracket = in_path
51 && !tcx
52 .sess
53 .source_map()
54 .span_to_prev_source(self_ty.span)
55 .ok()
56 .is_some_and(|s| s.trim_end().ends_with('<'));
57
58 let is_global = poly_trait_ref.trait_ref.path.is_global();
59
60 let mut sugg = vec![(
61 self_ty.span.shrink_to_lo(),
62 format!(
63 "{}dyn {}",
64 if needs_bracket { "<" } else { "" },
65 if is_global { "(" } else { "" },
66 ),
67 )];
68
69 if is_global || needs_bracket {
70 sugg.push((
71 self_ty.span.shrink_to_hi(),
72 format!(
73 "{}{}",
74 if is_global { ")" } else { "" },
75 if needs_bracket { ">" } else { "" },
76 ),
77 ));
78 }
79
80 if self_ty.span.edition().at_least_rust_2021() {
81 let mut diag = rustc_errors::struct_span_code_err!(
82 self.dcx(),
83 self_ty.span,
84 E0782,
85 "{}",
86 "expected a type, found a trait"
87 );
88 if self_ty.span.can_be_used_for_suggestions()
89 && poly_trait_ref.trait_ref.trait_def_id().is_some()
90 && !self.maybe_suggest_impl_trait(self_ty, &mut diag)
91 && !self.maybe_suggest_dyn_trait(self_ty, sugg, &mut diag)
92 {
93 self.maybe_suggest_add_generic_impl_trait(self_ty, &mut diag);
94 }
95 self.maybe_suggest_blanket_trait_impl(self_ty, &mut diag);
97 self.maybe_suggest_assoc_ty_bound(self_ty, &mut diag);
98 self.maybe_suggest_typoed_method(
99 self_ty,
100 poly_trait_ref.trait_ref.trait_def_id(),
101 &mut diag,
102 );
103 if let Some(mut sugg) =
106 tcx.dcx().steal_non_err(self_ty.span, StashKey::AssociatedTypeSuggestion)
107 && let Suggestions::Enabled(ref mut s1) = diag.suggestions
108 && let Suggestions::Enabled(ref mut s2) = sugg.suggestions
109 {
110 s1.append(s2);
111 sugg.cancel();
112 }
113 Some(diag.emit())
114 } else {
115 tcx.node_span_lint(BARE_TRAIT_OBJECTS, self_ty.hir_id, self_ty.span, |lint| {
116 lint.primary_message("trait objects without an explicit `dyn` are deprecated");
117 if self_ty.span.can_be_used_for_suggestions() {
118 lint.multipart_suggestion_verbose(
119 "if this is a dyn-compatible trait, use `dyn`",
120 sugg,
121 Applicability::MachineApplicable,
122 );
123 }
124 self.maybe_suggest_blanket_trait_impl(self_ty, lint);
125 });
126 None
127 }
128 }
129
130 fn maybe_suggest_add_generic_impl_trait(
133 &self,
134 self_ty: &hir::Ty<'_>,
135 diag: &mut Diag<'_>,
136 ) -> bool {
137 let tcx = self.tcx();
138
139 let parent_hir_id = tcx.parent_hir_id(self_ty.hir_id);
140 let parent_item = tcx.hir_get_parent_item(self_ty.hir_id).def_id;
141
142 let generics = match tcx.hir_node_by_def_id(parent_item) {
143 hir::Node::Item(hir::Item {
144 kind: hir::ItemKind::Struct(_, variant, generics),
145 ..
146 }) => {
147 if !variant.fields().iter().any(|field| field.hir_id == parent_hir_id) {
148 return false;
149 }
150 generics
151 }
152 hir::Node::Item(hir::Item { kind: hir::ItemKind::Enum(_, def, generics), .. }) => {
153 if !def
154 .variants
155 .iter()
156 .flat_map(|variant| variant.data.fields().iter())
157 .any(|field| field.hir_id == parent_hir_id)
158 {
159 return false;
160 }
161 generics
162 }
163 _ => return false,
164 };
165
166 let Ok(rendered_ty) = tcx.sess.source_map().span_to_snippet(self_ty.span) else {
167 return false;
168 };
169
170 let param = "TUV"
171 .chars()
172 .map(|c| c.to_string())
173 .chain((0..).map(|i| format!("P{i}")))
174 .find(|s| !generics.params.iter().any(|param| param.name.ident().as_str() == s))
175 .expect("we definitely can find at least one param name to generate");
176 let mut sugg = vec![(self_ty.span, param.to_string())];
177 if let Some(insertion_span) = generics.span_for_param_suggestion() {
178 sugg.push((insertion_span, format!(", {param}: {}", rendered_ty)));
179 } else {
180 sugg.push((generics.where_clause_span, format!("<{param}: {}>", rendered_ty)));
181 }
182 diag.multipart_suggestion_verbose(
183 "you might be missing a type parameter",
184 sugg,
185 Applicability::MachineApplicable,
186 );
187 true
188 }
189 fn maybe_suggest_blanket_trait_impl<G: EmissionGuarantee>(
191 &self,
192 self_ty: &hir::Ty<'_>,
193 diag: &mut Diag<'_, G>,
194 ) {
195 let tcx = self.tcx();
196 let parent_id = tcx.hir_get_parent_item(self_ty.hir_id).def_id;
197 if let hir::Node::Item(hir::Item {
198 kind: hir::ItemKind::Impl(hir::Impl { self_ty: impl_self_ty, of_trait, generics, .. }),
199 ..
200 }) = tcx.hir_node_by_def_id(parent_id)
201 && self_ty.hir_id == impl_self_ty.hir_id
202 {
203 let Some(of_trait_ref) = of_trait else {
204 diag.span_suggestion_verbose(
205 impl_self_ty.span.shrink_to_hi(),
206 "you might have intended to implement this trait for a given type",
207 format!(" for /* Type */"),
208 Applicability::HasPlaceholders,
209 );
210 return;
211 };
212 if !of_trait_ref.trait_def_id().is_some_and(|def_id| def_id.is_local()) {
213 return;
214 }
215 let of_trait_span = of_trait_ref.path.span;
216 let Ok(of_trait_name) = tcx.sess.source_map().span_to_snippet(of_trait_span) else {
218 return;
219 };
220
221 let Ok(impl_trait_name) = self.tcx().sess.source_map().span_to_snippet(self_ty.span)
222 else {
223 return;
224 };
225 let sugg = self.add_generic_param_suggestion(generics, self_ty.span, &impl_trait_name);
226 diag.multipart_suggestion(
227 format!(
228 "alternatively use a blanket implementation to implement `{of_trait_name}` for \
229 all types that also implement `{impl_trait_name}`"
230 ),
231 sugg,
232 Applicability::MaybeIncorrect,
233 );
234 }
235 }
236
237 fn maybe_suggest_dyn_trait(
245 &self,
246 self_ty: &hir::Ty<'_>,
247 sugg: Vec<(Span, String)>,
248 diag: &mut Diag<'_>,
249 ) -> bool {
250 let tcx = self.tcx();
251
252 match tcx.parent_hir_node(self_ty.hir_id) {
255 hir::Node::Ty(_)
261 | hir::Node::Expr(_)
262 | hir::Node::PatExpr(_)
263 | hir::Node::PathSegment(_)
264 | hir::Node::AssocItemConstraint(_)
265 | hir::Node::TraitRef(_)
266 | hir::Node::Item(_)
267 | hir::Node::WherePredicate(_) => {}
268
269 hir::Node::Field(field) => {
270 if let hir::Node::Item(hir::Item {
272 kind: hir::ItemKind::Struct(_, variant, _), ..
273 }) = tcx.parent_hir_node(field.hir_id)
274 && variant
275 .fields()
276 .last()
277 .is_some_and(|tail_field| tail_field.hir_id == field.hir_id)
278 {
279 } else {
281 return false;
282 }
283 }
284 _ => return false,
285 }
286
287 diag.multipart_suggestion_verbose(
289 "you can add the `dyn` keyword if you want a trait object",
290 sugg,
291 Applicability::MachineApplicable,
292 );
293 true
294 }
295
296 fn add_generic_param_suggestion(
297 &self,
298 generics: &hir::Generics<'_>,
299 self_ty_span: Span,
300 impl_trait_name: &str,
301 ) -> Vec<(Span, String)> {
302 let param_name = generics.params.next_type_param_name(None);
304
305 let add_generic_sugg = if let Some(span) = generics.span_for_param_suggestion() {
306 (span, format!(", {param_name}: {impl_trait_name}"))
307 } else {
308 (generics.span, format!("<{param_name}: {impl_trait_name}>"))
309 };
310 vec![(self_ty_span, param_name), add_generic_sugg]
311 }
312
313 fn maybe_suggest_impl_trait(&self, self_ty: &hir::Ty<'_>, diag: &mut Diag<'_>) -> bool {
315 let tcx = self.tcx();
316 let parent_id = tcx.hir_get_parent_item(self_ty.hir_id).def_id;
317 let (sig, generics) = match tcx.hir_node_by_def_id(parent_id) {
324 hir::Node::Item(hir::Item {
325 kind: hir::ItemKind::Fn { sig, generics, .. }, ..
326 }) => (sig, generics),
327 hir::Node::TraitItem(hir::TraitItem {
328 kind: hir::TraitItemKind::Fn(sig, _),
329 generics,
330 ..
331 }) => (sig, generics),
332 hir::Node::ImplItem(hir::ImplItem {
333 kind: hir::ImplItemKind::Fn(sig, _),
334 generics,
335 ..
336 }) => (sig, generics),
337 _ => return false,
338 };
339 let Ok(trait_name) = tcx.sess.source_map().span_to_snippet(self_ty.span) else {
340 return false;
341 };
342 let impl_sugg = vec![(self_ty.span.shrink_to_lo(), "impl ".to_string())];
343 let is_dyn_compatible = match self_ty.kind {
345 hir::TyKind::TraitObject(objects, ..) => {
346 objects.iter().all(|o| match o.trait_ref.path.res {
347 Res::Def(DefKind::Trait, id) => tcx.is_dyn_compatible(id),
348 _ => false,
349 })
350 }
351 _ => false,
352 };
353
354 let borrowed = matches!(
355 tcx.parent_hir_node(self_ty.hir_id),
356 hir::Node::Ty(hir::Ty { kind: hir::TyKind::Ref(..), .. })
357 );
358
359 if let hir::FnRetTy::Return(ty) = sig.decl.output
361 && ty.peel_refs().hir_id == self_ty.hir_id
362 {
363 let pre = if !is_dyn_compatible {
364 format!("`{trait_name}` is dyn-incompatible, ")
365 } else {
366 String::new()
367 };
368 let msg = format!(
369 "{pre}use `impl {trait_name}` to return an opaque type, as long as you return a \
370 single underlying type",
371 );
372
373 diag.multipart_suggestion_verbose(msg, impl_sugg, Applicability::MachineApplicable);
374
375 if is_dyn_compatible {
377 let suggestion = if borrowed {
381 vec![(ty.span, format!("Box<dyn {trait_name}>"))]
382 } else {
383 vec![
384 (ty.span.shrink_to_lo(), "Box<dyn ".to_string()),
385 (ty.span.shrink_to_hi(), ">".to_string()),
386 ]
387 };
388
389 diag.multipart_suggestion_verbose(
390 "alternatively, you can return an owned trait object",
391 suggestion,
392 Applicability::MachineApplicable,
393 );
394 }
395 return true;
396 }
397
398 for ty in sig.decl.inputs {
400 if ty.peel_refs().hir_id != self_ty.hir_id {
401 continue;
402 }
403 let sugg = self.add_generic_param_suggestion(generics, self_ty.span, &trait_name);
404 diag.multipart_suggestion_verbose(
405 format!("use a new generic type parameter, constrained by `{trait_name}`"),
406 sugg,
407 Applicability::MachineApplicable,
408 );
409 diag.multipart_suggestion_verbose(
410 "you can also use an opaque type, but users won't be able to specify the type \
411 parameter when calling the `fn`, having to rely exclusively on type inference",
412 impl_sugg,
413 Applicability::MachineApplicable,
414 );
415 if !is_dyn_compatible {
416 diag.note(format!(
417 "`{trait_name}` is dyn-incompatible, otherwise a trait object could be used"
418 ));
419 } else {
420 let (dyn_str, paren_dyn_str) =
422 if borrowed { ("dyn ", "(dyn ") } else { ("&dyn ", "&(dyn ") };
423
424 let sugg = if let hir::TyKind::TraitObject([_, _, ..], _) = self_ty.kind {
425 vec![
427 (self_ty.span.shrink_to_lo(), paren_dyn_str.to_string()),
428 (self_ty.span.shrink_to_hi(), ")".to_string()),
429 ]
430 } else {
431 vec![(self_ty.span.shrink_to_lo(), dyn_str.to_string())]
432 };
433 diag.multipart_suggestion_verbose(
434 format!(
435 "alternatively, use a trait object to accept any type that implements \
436 `{trait_name}`, accessing its methods at runtime using dynamic dispatch",
437 ),
438 sugg,
439 Applicability::MachineApplicable,
440 );
441 }
442 return true;
443 }
444 false
445 }
446
447 fn maybe_suggest_assoc_ty_bound(&self, self_ty: &hir::Ty<'_>, diag: &mut Diag<'_>) {
448 let mut parents = self.tcx().hir_parent_iter(self_ty.hir_id);
449
450 if let Some((_, hir::Node::AssocItemConstraint(constraint))) = parents.next()
451 && let Some(obj_ty) = constraint.ty()
452 {
453 if let Some((_, hir::Node::TraitRef(..))) = parents.next()
454 && let Some((_, hir::Node::Ty(ty))) = parents.next()
455 && let hir::TyKind::TraitObject(..) = ty.kind
456 {
457 return;
459 }
460
461 let lo = if constraint.gen_args.span_ext.is_dummy() {
462 constraint.ident.span
463 } else {
464 constraint.gen_args.span_ext
465 };
466 let hi = obj_ty.span;
467
468 if !lo.eq_ctxt(hi) {
469 return;
470 }
471
472 diag.span_suggestion_verbose(
473 lo.between(hi),
474 "you might have meant to write a bound here",
475 ": ",
476 Applicability::MaybeIncorrect,
477 );
478 }
479 }
480
481 fn maybe_suggest_typoed_method(
482 &self,
483 self_ty: &hir::Ty<'_>,
484 trait_def_id: Option<DefId>,
485 diag: &mut Diag<'_>,
486 ) {
487 let tcx = self.tcx();
488 let Some(trait_def_id) = trait_def_id else {
489 return;
490 };
491 let hir::Node::Expr(hir::Expr {
492 kind: hir::ExprKind::Path(hir::QPath::TypeRelative(path_ty, segment)),
493 ..
494 }) = tcx.parent_hir_node(self_ty.hir_id)
495 else {
496 return;
497 };
498 if path_ty.hir_id != self_ty.hir_id {
499 return;
500 }
501 let names: Vec<_> = tcx
502 .associated_items(trait_def_id)
503 .in_definition_order()
504 .filter(|assoc| assoc.kind.namespace() == Namespace::ValueNS)
505 .map(|cand| cand.name)
506 .collect();
507 if let Some(typo) = find_best_match_for_name(&names, segment.ident.name, None) {
508 diag.span_suggestion_verbose(
509 segment.ident.span,
510 format!(
511 "you may have misspelled this associated item, causing `{}` \
512 to be interpreted as a type rather than a trait",
513 tcx.item_name(trait_def_id),
514 ),
515 typo,
516 Applicability::MaybeIncorrect,
517 );
518 }
519 }
520}