1use std::mem;
7use std::ops::ControlFlow;
8
9use hir::def_id::{LocalDefIdMap, LocalDefIdSet};
10use rustc_abi::FieldIdx;
11use rustc_data_structures::fx::FxIndexSet;
12use rustc_errors::{ErrorGuaranteed, MultiSpan};
13use rustc_hir::def::{CtorOf, DefKind, Res};
14use rustc_hir::def_id::{DefId, LocalDefId, LocalModDefId};
15use rustc_hir::intravisit::{self, Visitor};
16use rustc_hir::{self as hir, Node, PatKind, QPath};
17use rustc_middle::middle::codegen_fn_attrs::CodegenFnAttrFlags;
18use rustc_middle::middle::privacy::Level;
19use rustc_middle::query::Providers;
20use rustc_middle::ty::{self, AssocTag, TyCtxt};
21use rustc_middle::{bug, span_bug};
22use rustc_session::lint::builtin::DEAD_CODE;
23use rustc_session::lint::{self, LintExpectationId};
24use rustc_span::{Symbol, kw, sym};
25
26use crate::errors::{
27 ChangeFields, IgnoredDerivedImpls, MultipleDeadCodes, ParentInfo, UselessAssignment,
28};
29
30fn should_explore(tcx: TyCtxt<'_>, def_id: LocalDefId) -> bool {
34 match tcx.def_kind(def_id) {
35 DefKind::Mod
36 | DefKind::Struct
37 | DefKind::Union
38 | DefKind::Enum
39 | DefKind::Variant
40 | DefKind::Trait
41 | DefKind::TyAlias
42 | DefKind::ForeignTy
43 | DefKind::TraitAlias
44 | DefKind::AssocTy
45 | DefKind::Fn
46 | DefKind::Const
47 | DefKind::Static { .. }
48 | DefKind::AssocFn
49 | DefKind::AssocConst
50 | DefKind::Macro(_)
51 | DefKind::GlobalAsm
52 | DefKind::Impl { .. }
53 | DefKind::OpaqueTy
54 | DefKind::AnonConst
55 | DefKind::InlineConst
56 | DefKind::ExternCrate
57 | DefKind::Use
58 | DefKind::Ctor(..)
59 | DefKind::ForeignMod => true,
60
61 DefKind::TyParam
62 | DefKind::ConstParam
63 | DefKind::Field
64 | DefKind::LifetimeParam
65 | DefKind::Closure
66 | DefKind::SyntheticCoroutineBody => false,
67 }
68}
69
70#[derive(Debug, Copy, Clone, Eq, PartialEq, Hash)]
73enum ComesFromAllowExpect {
74 Yes,
75 No,
76}
77
78struct MarkSymbolVisitor<'tcx> {
79 worklist: Vec<(LocalDefId, ComesFromAllowExpect)>,
80 tcx: TyCtxt<'tcx>,
81 maybe_typeck_results: Option<&'tcx ty::TypeckResults<'tcx>>,
82 scanned: LocalDefIdSet,
83 live_symbols: LocalDefIdSet,
84 repr_unconditionally_treats_fields_as_live: bool,
85 repr_has_repr_simd: bool,
86 in_pat: bool,
87 ignore_variant_stack: Vec<DefId>,
88 ignored_derived_traits: LocalDefIdMap<FxIndexSet<DefId>>,
92}
93
94impl<'tcx> MarkSymbolVisitor<'tcx> {
95 #[track_caller]
99 fn typeck_results(&self) -> &'tcx ty::TypeckResults<'tcx> {
100 self.maybe_typeck_results
101 .expect("`MarkSymbolVisitor::typeck_results` called outside of body")
102 }
103
104 fn check_def_id(&mut self, def_id: DefId) {
105 if let Some(def_id) = def_id.as_local() {
106 if should_explore(self.tcx, def_id) {
107 self.worklist.push((def_id, ComesFromAllowExpect::No));
108 }
109 self.live_symbols.insert(def_id);
110 }
111 }
112
113 fn insert_def_id(&mut self, def_id: DefId) {
114 if let Some(def_id) = def_id.as_local() {
115 debug_assert!(!should_explore(self.tcx, def_id));
116 self.live_symbols.insert(def_id);
117 }
118 }
119
120 fn handle_res(&mut self, res: Res) {
121 match res {
122 Res::Def(
123 DefKind::Const | DefKind::AssocConst | DefKind::AssocTy | DefKind::TyAlias,
124 def_id,
125 ) => {
126 self.check_def_id(def_id);
127 }
128 Res::PrimTy(..) | Res::SelfCtor(..) | Res::Local(..) => {}
129 Res::Def(DefKind::Ctor(CtorOf::Variant, ..), ctor_def_id) => {
130 if self.in_pat {
133 return;
134 }
135 let variant_id = self.tcx.parent(ctor_def_id);
136 let enum_id = self.tcx.parent(variant_id);
137 self.check_def_id(enum_id);
138 if !self.ignore_variant_stack.contains(&ctor_def_id) {
139 self.check_def_id(variant_id);
140 }
141 }
142 Res::Def(DefKind::Variant, variant_id) => {
143 if self.in_pat {
146 return;
147 }
148 let enum_id = self.tcx.parent(variant_id);
149 self.check_def_id(enum_id);
150 if !self.ignore_variant_stack.contains(&variant_id) {
151 self.check_def_id(variant_id);
152 }
153 }
154 Res::Def(_, def_id) => self.check_def_id(def_id),
155 Res::SelfTyParam { trait_: t } => self.check_def_id(t),
156 Res::SelfTyAlias { alias_to: i, .. } => self.check_def_id(i),
157 Res::ToolMod | Res::NonMacroAttr(..) | Res::Err => {}
158 }
159 }
160
161 fn lookup_and_handle_method(&mut self, id: hir::HirId) {
162 if let Some(def_id) = self.typeck_results().type_dependent_def_id(id) {
163 self.check_def_id(def_id);
164 } else {
165 assert!(
166 self.typeck_results().tainted_by_errors.is_some(),
167 "no type-dependent def for method"
168 );
169 }
170 }
171
172 fn handle_field_access(&mut self, lhs: &hir::Expr<'_>, hir_id: hir::HirId) {
173 match self.typeck_results().expr_ty_adjusted(lhs).kind() {
174 ty::Adt(def, _) => {
175 let index = self.typeck_results().field_index(hir_id);
176 self.insert_def_id(def.non_enum_variant().fields[index].did);
177 }
178 ty::Tuple(..) => {}
179 ty::Error(_) => {}
180 kind => span_bug!(lhs.span, "named field access on non-ADT: {kind:?}"),
181 }
182 }
183
184 fn handle_assign(&mut self, expr: &'tcx hir::Expr<'tcx>) {
185 if self
186 .typeck_results()
187 .expr_adjustments(expr)
188 .iter()
189 .any(|adj| matches!(adj.kind, ty::adjustment::Adjust::Deref(_)))
190 {
191 let _ = self.visit_expr(expr);
192 } else if let hir::ExprKind::Field(base, ..) = expr.kind {
193 self.handle_assign(base);
195 } else {
196 let _ = self.visit_expr(expr);
197 }
198 }
199
200 fn check_for_self_assign(&mut self, assign: &'tcx hir::Expr<'tcx>) {
201 fn check_for_self_assign_helper<'tcx>(
202 typeck_results: &'tcx ty::TypeckResults<'tcx>,
203 lhs: &'tcx hir::Expr<'tcx>,
204 rhs: &'tcx hir::Expr<'tcx>,
205 ) -> bool {
206 match (&lhs.kind, &rhs.kind) {
207 (hir::ExprKind::Path(qpath_l), hir::ExprKind::Path(qpath_r)) => {
208 if let (Res::Local(id_l), Res::Local(id_r)) = (
209 typeck_results.qpath_res(qpath_l, lhs.hir_id),
210 typeck_results.qpath_res(qpath_r, rhs.hir_id),
211 ) {
212 if id_l == id_r {
213 return true;
214 }
215 }
216 return false;
217 }
218 (hir::ExprKind::Field(lhs_l, ident_l), hir::ExprKind::Field(lhs_r, ident_r)) => {
219 if ident_l == ident_r {
220 return check_for_self_assign_helper(typeck_results, lhs_l, lhs_r);
221 }
222 return false;
223 }
224 _ => {
225 return false;
226 }
227 }
228 }
229
230 if let hir::ExprKind::Assign(lhs, rhs, _) = assign.kind
231 && check_for_self_assign_helper(self.typeck_results(), lhs, rhs)
232 && !assign.span.from_expansion()
233 {
234 let is_field_assign = matches!(lhs.kind, hir::ExprKind::Field(..));
235 self.tcx.emit_node_span_lint(
236 lint::builtin::DEAD_CODE,
237 assign.hir_id,
238 assign.span,
239 UselessAssignment { is_field_assign, ty: self.typeck_results().expr_ty(lhs) },
240 )
241 }
242 }
243
244 fn handle_field_pattern_match(
245 &mut self,
246 lhs: &hir::Pat<'_>,
247 res: Res,
248 pats: &[hir::PatField<'_>],
249 ) {
250 let variant = match self.typeck_results().node_type(lhs.hir_id).kind() {
251 ty::Adt(adt, _) => {
252 self.check_def_id(adt.did());
257 adt.variant_of_res(res)
258 }
259 _ => span_bug!(lhs.span, "non-ADT in struct pattern"),
260 };
261 for pat in pats {
262 if let PatKind::Wild = pat.pat.kind {
263 continue;
264 }
265 let index = self.typeck_results().field_index(pat.hir_id);
266 self.insert_def_id(variant.fields[index].did);
267 }
268 }
269
270 fn handle_tuple_field_pattern_match(
271 &mut self,
272 lhs: &hir::Pat<'_>,
273 res: Res,
274 pats: &[hir::Pat<'_>],
275 dotdot: hir::DotDotPos,
276 ) {
277 let variant = match self.typeck_results().node_type(lhs.hir_id).kind() {
278 ty::Adt(adt, _) => {
279 self.check_def_id(adt.did());
281 adt.variant_of_res(res)
282 }
283 _ => {
284 self.tcx.dcx().span_delayed_bug(lhs.span, "non-ADT in tuple struct pattern");
285 return;
286 }
287 };
288 let dotdot = dotdot.as_opt_usize().unwrap_or(pats.len());
289 let first_n = pats.iter().enumerate().take(dotdot);
290 let missing = variant.fields.len() - pats.len();
291 let last_n = pats.iter().enumerate().skip(dotdot).map(|(idx, pat)| (idx + missing, pat));
292 for (idx, pat) in first_n.chain(last_n) {
293 if let PatKind::Wild = pat.kind {
294 continue;
295 }
296 self.insert_def_id(variant.fields[FieldIdx::from_usize(idx)].did);
297 }
298 }
299
300 fn handle_offset_of(&mut self, expr: &'tcx hir::Expr<'tcx>) {
301 let indices = self
302 .typeck_results()
303 .offset_of_data()
304 .get(expr.hir_id)
305 .expect("no offset_of_data for offset_of");
306
307 for &(current_ty, variant, field) in indices {
308 match current_ty.kind() {
309 ty::Adt(def, _) => {
310 let field = &def.variant(variant).fields[field];
311 self.insert_def_id(field.did);
312 }
313 ty::Tuple(_) => {}
316 _ => span_bug!(expr.span, "named field access on non-ADT"),
317 }
318 }
319 }
320
321 fn mark_live_symbols(&mut self) -> <MarkSymbolVisitor<'tcx> as Visitor<'tcx>>::Result {
322 while let Some(work) = self.worklist.pop() {
323 let (mut id, comes_from_allow_expect) = work;
324
325 if let DefKind::Ctor(..) = self.tcx.def_kind(id) {
328 id = self.tcx.local_parent(id);
329 }
330
331 match comes_from_allow_expect {
353 ComesFromAllowExpect::Yes => {}
354 ComesFromAllowExpect::No => {
355 self.live_symbols.insert(id);
356 }
357 }
358
359 if !self.scanned.insert(id) {
360 continue;
361 }
362
363 if self.tcx.is_impl_trait_in_trait(id.to_def_id()) {
365 self.live_symbols.insert(id);
366 continue;
367 }
368
369 self.visit_node(self.tcx.hir_node_by_def_id(id))?;
370 }
371
372 ControlFlow::Continue(())
373 }
374
375 fn should_ignore_impl_item(&mut self, impl_item: &hir::ImplItem<'_>) -> bool {
379 if let hir::ImplItemImplKind::Trait { .. } = impl_item.impl_kind
380 && let impl_of = self.tcx.parent(impl_item.owner_id.to_def_id())
381 && self.tcx.is_automatically_derived(impl_of)
382 && let trait_ref = self.tcx.impl_trait_ref(impl_of).instantiate_identity()
383 && self.tcx.has_attr(trait_ref.def_id, sym::rustc_trivial_field_reads)
384 {
385 if let ty::Adt(adt_def, _) = trait_ref.self_ty().kind()
386 && let Some(adt_def_id) = adt_def.did().as_local()
387 {
388 self.ignored_derived_traits.entry(adt_def_id).or_default().insert(trait_ref.def_id);
389 }
390 return true;
391 }
392
393 false
394 }
395
396 fn visit_node(
397 &mut self,
398 node: Node<'tcx>,
399 ) -> <MarkSymbolVisitor<'tcx> as Visitor<'tcx>>::Result {
400 if let Node::ImplItem(impl_item) = node
401 && self.should_ignore_impl_item(impl_item)
402 {
403 return ControlFlow::Continue(());
404 }
405
406 let unconditionally_treated_fields_as_live =
407 self.repr_unconditionally_treats_fields_as_live;
408 let had_repr_simd = self.repr_has_repr_simd;
409 self.repr_unconditionally_treats_fields_as_live = false;
410 self.repr_has_repr_simd = false;
411 let walk_result = match node {
412 Node::Item(item) => match item.kind {
413 hir::ItemKind::Struct(..) | hir::ItemKind::Union(..) => {
414 let def = self.tcx.adt_def(item.owner_id);
415 self.repr_unconditionally_treats_fields_as_live =
416 def.repr().c() || def.repr().transparent();
417 self.repr_has_repr_simd = def.repr().simd();
418
419 intravisit::walk_item(self, item)
420 }
421 hir::ItemKind::ForeignMod { .. } => ControlFlow::Continue(()),
422 hir::ItemKind::Trait(.., trait_item_refs) => {
423 for trait_item in trait_item_refs {
425 if self.tcx.def_kind(trait_item.owner_id) == DefKind::AssocTy {
426 self.check_def_id(trait_item.owner_id.to_def_id());
427 }
428 }
429 intravisit::walk_item(self, item)
430 }
431 _ => intravisit::walk_item(self, item),
432 },
433 Node::TraitItem(trait_item) => {
434 let trait_item_id = trait_item.owner_id.to_def_id();
436 if let Some(trait_id) = self.tcx.trait_of_assoc(trait_item_id) {
437 self.check_def_id(trait_id);
438 }
439 intravisit::walk_trait_item(self, trait_item)
440 }
441 Node::ImplItem(impl_item) => {
442 let item = self.tcx.local_parent(impl_item.owner_id.def_id);
443 if let hir::ImplItemImplKind::Inherent { .. } = impl_item.impl_kind {
444 let self_ty = self.tcx.type_of(item).instantiate_identity();
449 match *self_ty.kind() {
450 ty::Adt(def, _) => self.check_def_id(def.did()),
451 ty::Foreign(did) => self.check_def_id(did),
452 ty::Dynamic(data, ..) => {
453 if let Some(def_id) = data.principal_def_id() {
454 self.check_def_id(def_id)
455 }
456 }
457 _ => {}
458 }
459 }
460 intravisit::walk_impl_item(self, impl_item)
461 }
462 Node::ForeignItem(foreign_item) => intravisit::walk_foreign_item(self, foreign_item),
463 Node::OpaqueTy(opaq) => intravisit::walk_opaque_ty(self, opaq),
464 _ => ControlFlow::Continue(()),
465 };
466 self.repr_has_repr_simd = had_repr_simd;
467 self.repr_unconditionally_treats_fields_as_live = unconditionally_treated_fields_as_live;
468
469 walk_result
470 }
471
472 fn mark_as_used_if_union(&mut self, adt: ty::AdtDef<'tcx>, fields: &[hir::ExprField<'_>]) {
473 if adt.is_union() && adt.non_enum_variant().fields.len() > 1 && adt.did().is_local() {
474 for field in fields {
475 let index = self.typeck_results().field_index(field.hir_id);
476 self.insert_def_id(adt.non_enum_variant().fields[index].did);
477 }
478 }
479 }
480
481 fn check_impl_or_impl_item_live(&mut self, local_def_id: LocalDefId) -> bool {
486 let (impl_block_id, trait_def_id) = match self.tcx.def_kind(local_def_id) {
487 DefKind::AssocConst | DefKind::AssocTy | DefKind::AssocFn => {
489 let trait_item_id =
490 self.tcx.trait_item_of(local_def_id).and_then(|def_id| def_id.as_local());
491 (self.tcx.local_parent(local_def_id), trait_item_id)
492 }
493 DefKind::Impl { of_trait: true } => {
495 (local_def_id, self.tcx.impl_trait_id(local_def_id).as_local())
496 }
497 _ => bug!(),
498 };
499
500 if let Some(trait_def_id) = trait_def_id
501 && !self.live_symbols.contains(&trait_def_id)
502 {
503 return false;
504 }
505
506 if let ty::Adt(adt, _) = self.tcx.type_of(impl_block_id).instantiate_identity().kind()
508 && let Some(adt_def_id) = adt.did().as_local()
509 && !self.live_symbols.contains(&adt_def_id)
510 {
511 return false;
512 }
513
514 true
515 }
516}
517
518impl<'tcx> Visitor<'tcx> for MarkSymbolVisitor<'tcx> {
519 type Result = ControlFlow<ErrorGuaranteed>;
520
521 fn visit_nested_body(&mut self, body: hir::BodyId) -> Self::Result {
522 let typeck_results = self.tcx.typeck_body(body);
523
524 if let Some(guar) = typeck_results.tainted_by_errors {
526 return ControlFlow::Break(guar);
527 }
528
529 let old_maybe_typeck_results = self.maybe_typeck_results.replace(typeck_results);
530 let body = self.tcx.hir_body(body);
531 let result = self.visit_body(body);
532 self.maybe_typeck_results = old_maybe_typeck_results;
533
534 result
535 }
536
537 fn visit_variant_data(&mut self, def: &'tcx hir::VariantData<'tcx>) -> Self::Result {
538 let tcx = self.tcx;
539 let unconditionally_treat_fields_as_live = self.repr_unconditionally_treats_fields_as_live;
540 let has_repr_simd = self.repr_has_repr_simd;
541 let effective_visibilities = &tcx.effective_visibilities(());
542 let live_fields = def.fields().iter().filter_map(|f| {
543 let def_id = f.def_id;
544 if unconditionally_treat_fields_as_live || (f.is_positional() && has_repr_simd) {
545 return Some(def_id);
546 }
547 if !effective_visibilities.is_reachable(f.hir_id.owner.def_id) {
548 return None;
549 }
550 if effective_visibilities.is_reachable(def_id) { Some(def_id) } else { None }
551 });
552 self.live_symbols.extend(live_fields);
553
554 intravisit::walk_struct_def(self, def)
555 }
556
557 fn visit_expr(&mut self, expr: &'tcx hir::Expr<'tcx>) -> Self::Result {
558 match expr.kind {
559 hir::ExprKind::Path(ref qpath @ QPath::TypeRelative(..)) => {
560 let res = self.typeck_results().qpath_res(qpath, expr.hir_id);
561 self.handle_res(res);
562 }
563 hir::ExprKind::MethodCall(..) => {
564 self.lookup_and_handle_method(expr.hir_id);
565 }
566 hir::ExprKind::Field(ref lhs, ..) => {
567 if self.typeck_results().opt_field_index(expr.hir_id).is_some() {
568 self.handle_field_access(lhs, expr.hir_id);
569 } else {
570 self.tcx.dcx().span_delayed_bug(expr.span, "couldn't resolve index for field");
571 }
572 }
573 hir::ExprKind::Struct(qpath, fields, _) => {
574 let res = self.typeck_results().qpath_res(qpath, expr.hir_id);
575 self.handle_res(res);
576 if let ty::Adt(adt, _) = self.typeck_results().expr_ty(expr).kind() {
577 self.mark_as_used_if_union(*adt, fields);
578 }
579 }
580 hir::ExprKind::Closure(cls) => {
581 self.insert_def_id(cls.def_id.to_def_id());
582 }
583 hir::ExprKind::OffsetOf(..) => {
584 self.handle_offset_of(expr);
585 }
586 hir::ExprKind::Assign(ref lhs, ..) => {
587 self.handle_assign(lhs);
588 self.check_for_self_assign(expr);
589 }
590 _ => (),
591 }
592
593 intravisit::walk_expr(self, expr)
594 }
595
596 fn visit_arm(&mut self, arm: &'tcx hir::Arm<'tcx>) -> Self::Result {
597 let len = self.ignore_variant_stack.len();
601 self.ignore_variant_stack.extend(arm.pat.necessary_variants());
602 let result = intravisit::walk_arm(self, arm);
603 self.ignore_variant_stack.truncate(len);
604
605 result
606 }
607
608 fn visit_pat(&mut self, pat: &'tcx hir::Pat<'tcx>) -> Self::Result {
609 self.in_pat = true;
610 match pat.kind {
611 PatKind::Struct(ref path, fields, _) => {
612 let res = self.typeck_results().qpath_res(path, pat.hir_id);
613 self.handle_field_pattern_match(pat, res, fields);
614 }
615 PatKind::TupleStruct(ref qpath, fields, dotdot) => {
616 let res = self.typeck_results().qpath_res(qpath, pat.hir_id);
617 self.handle_tuple_field_pattern_match(pat, res, fields, dotdot);
618 }
619 _ => (),
620 }
621
622 let result = intravisit::walk_pat(self, pat);
623 self.in_pat = false;
624
625 result
626 }
627
628 fn visit_pat_expr(&mut self, expr: &'tcx rustc_hir::PatExpr<'tcx>) -> Self::Result {
629 match &expr.kind {
630 rustc_hir::PatExprKind::Path(qpath) => {
631 if let ty::Adt(adt, _) = self.typeck_results().node_type(expr.hir_id).kind() {
633 self.check_def_id(adt.did());
634 }
635
636 let res = self.typeck_results().qpath_res(qpath, expr.hir_id);
637 self.handle_res(res);
638 }
639 _ => {}
640 }
641 intravisit::walk_pat_expr(self, expr)
642 }
643
644 fn visit_path(&mut self, path: &hir::Path<'tcx>, _: hir::HirId) -> Self::Result {
645 self.handle_res(path.res);
646 intravisit::walk_path(self, path)
647 }
648
649 fn visit_anon_const(&mut self, c: &'tcx hir::AnonConst) -> Self::Result {
650 let in_pat = mem::replace(&mut self.in_pat, false);
653
654 self.live_symbols.insert(c.def_id);
655 let result = intravisit::walk_anon_const(self, c);
656
657 self.in_pat = in_pat;
658
659 result
660 }
661
662 fn visit_inline_const(&mut self, c: &'tcx hir::ConstBlock) -> Self::Result {
663 let in_pat = mem::replace(&mut self.in_pat, false);
666
667 self.live_symbols.insert(c.def_id);
668 let result = intravisit::walk_inline_const(self, c);
669
670 self.in_pat = in_pat;
671
672 result
673 }
674
675 fn visit_trait_ref(&mut self, t: &'tcx hir::TraitRef<'tcx>) -> Self::Result {
676 if let Some(trait_def_id) = t.path.res.opt_def_id()
677 && let Some(segment) = t.path.segments.last()
678 && let Some(args) = segment.args
679 {
680 for constraint in args.constraints {
681 if let Some(local_def_id) = self
682 .tcx
683 .associated_items(trait_def_id)
684 .find_by_ident_and_kind(
685 self.tcx,
686 constraint.ident,
687 AssocTag::Const,
688 trait_def_id,
689 )
690 .and_then(|item| item.def_id.as_local())
691 {
692 self.worklist.push((local_def_id, ComesFromAllowExpect::No));
693 }
694 }
695 }
696
697 intravisit::walk_trait_ref(self, t)
698 }
699}
700
701fn has_allow_dead_code_or_lang_attr(
702 tcx: TyCtxt<'_>,
703 def_id: LocalDefId,
704) -> Option<ComesFromAllowExpect> {
705 fn has_lang_attr(tcx: TyCtxt<'_>, def_id: LocalDefId) -> bool {
706 tcx.has_attr(def_id, sym::lang)
707 || tcx.has_attr(def_id, sym::panic_handler)
709 }
710
711 fn has_allow_expect_dead_code(tcx: TyCtxt<'_>, def_id: LocalDefId) -> bool {
712 let hir_id = tcx.local_def_id_to_hir_id(def_id);
713 let lint_level = tcx.lint_level_at_node(lint::builtin::DEAD_CODE, hir_id).level;
714 matches!(lint_level, lint::Allow | lint::Expect)
715 }
716
717 fn has_used_like_attr(tcx: TyCtxt<'_>, def_id: LocalDefId) -> bool {
718 tcx.def_kind(def_id).has_codegen_attrs() && {
719 let cg_attrs = tcx.codegen_fn_attrs(def_id);
720
721 cg_attrs.contains_extern_indicator()
724 || cg_attrs.flags.contains(CodegenFnAttrFlags::USED_COMPILER)
725 || cg_attrs.flags.contains(CodegenFnAttrFlags::USED_LINKER)
726 }
727 }
728
729 if has_allow_expect_dead_code(tcx, def_id) {
730 Some(ComesFromAllowExpect::Yes)
731 } else if has_used_like_attr(tcx, def_id) || has_lang_attr(tcx, def_id) {
732 Some(ComesFromAllowExpect::No)
733 } else {
734 None
735 }
736}
737
738fn maybe_record_as_seed<'tcx>(
754 tcx: TyCtxt<'tcx>,
755 owner_id: hir::OwnerId,
756 worklist: &mut Vec<(LocalDefId, ComesFromAllowExpect)>,
757 unsolved_items: &mut Vec<LocalDefId>,
758) {
759 let allow_dead_code = has_allow_dead_code_or_lang_attr(tcx, owner_id.def_id);
760 if let Some(comes_from_allow) = allow_dead_code {
761 worklist.push((owner_id.def_id, comes_from_allow));
762 }
763
764 match tcx.def_kind(owner_id) {
765 DefKind::Enum => {
766 if let Some(comes_from_allow) = allow_dead_code {
767 let adt = tcx.adt_def(owner_id);
768 worklist.extend(
769 adt.variants()
770 .iter()
771 .map(|variant| (variant.def_id.expect_local(), comes_from_allow)),
772 );
773 }
774 }
775 DefKind::AssocFn | DefKind::AssocConst | DefKind::AssocTy => {
776 if allow_dead_code.is_none() {
777 let parent = tcx.local_parent(owner_id.def_id);
778 match tcx.def_kind(parent) {
779 DefKind::Impl { of_trait: false } | DefKind::Trait => {}
780 DefKind::Impl { of_trait: true } => {
781 if let Some(trait_item_def_id) =
782 tcx.associated_item(owner_id.def_id).trait_item_def_id()
783 && let Some(trait_item_local_def_id) = trait_item_def_id.as_local()
784 && let Some(comes_from_allow) =
785 has_allow_dead_code_or_lang_attr(tcx, trait_item_local_def_id)
786 {
787 worklist.push((owner_id.def_id, comes_from_allow));
788 }
789
790 unsolved_items.push(owner_id.def_id);
796 }
797 _ => bug!(),
798 }
799 }
800 }
801 DefKind::Impl { of_trait: true } => {
802 if allow_dead_code.is_none() {
803 if let Some(trait_def_id) =
804 tcx.impl_trait_ref(owner_id.def_id).skip_binder().def_id.as_local()
805 && let Some(comes_from_allow) =
806 has_allow_dead_code_or_lang_attr(tcx, trait_def_id)
807 {
808 worklist.push((owner_id.def_id, comes_from_allow));
809 }
810
811 unsolved_items.push(owner_id.def_id);
812 }
813 }
814 DefKind::GlobalAsm => {
815 worklist.push((owner_id.def_id, ComesFromAllowExpect::No));
817 }
818 DefKind::Const => {
819 if tcx.item_name(owner_id.def_id) == kw::Underscore {
820 worklist.push((owner_id.def_id, ComesFromAllowExpect::No));
824 }
825 }
826 _ => {}
827 }
828}
829
830fn create_and_seed_worklist(
831 tcx: TyCtxt<'_>,
832) -> (Vec<(LocalDefId, ComesFromAllowExpect)>, Vec<LocalDefId>) {
833 let effective_visibilities = &tcx.effective_visibilities(());
834 let mut unsolved_impl_item = Vec::new();
835 let mut worklist = effective_visibilities
836 .iter()
837 .filter_map(|(&id, effective_vis)| {
838 effective_vis
839 .is_public_at_level(Level::Reachable)
840 .then_some(id)
841 .map(|id| (id, ComesFromAllowExpect::No))
842 })
843 .chain(
845 tcx.entry_fn(())
846 .and_then(|(def_id, _)| def_id.as_local().map(|id| (id, ComesFromAllowExpect::No))),
847 )
848 .collect::<Vec<_>>();
849
850 let crate_items = tcx.hir_crate_items(());
851 for id in crate_items.owners() {
852 maybe_record_as_seed(tcx, id, &mut worklist, &mut unsolved_impl_item);
853 }
854
855 (worklist, unsolved_impl_item)
856}
857
858fn live_symbols_and_ignored_derived_traits(
859 tcx: TyCtxt<'_>,
860 (): (),
861) -> Result<(LocalDefIdSet, LocalDefIdMap<FxIndexSet<DefId>>), ErrorGuaranteed> {
862 let (worklist, mut unsolved_items) = create_and_seed_worklist(tcx);
863 let mut symbol_visitor = MarkSymbolVisitor {
864 worklist,
865 tcx,
866 maybe_typeck_results: None,
867 scanned: Default::default(),
868 live_symbols: Default::default(),
869 repr_unconditionally_treats_fields_as_live: false,
870 repr_has_repr_simd: false,
871 in_pat: false,
872 ignore_variant_stack: vec![],
873 ignored_derived_traits: Default::default(),
874 };
875 if let ControlFlow::Break(guar) = symbol_visitor.mark_live_symbols() {
876 return Err(guar);
877 }
878
879 let mut items_to_check: Vec<_> = unsolved_items
882 .extract_if(.., |&mut local_def_id| {
883 symbol_visitor.check_impl_or_impl_item_live(local_def_id)
884 })
885 .collect();
886
887 while !items_to_check.is_empty() {
888 symbol_visitor
889 .worklist
890 .extend(items_to_check.drain(..).map(|id| (id, ComesFromAllowExpect::No)));
891 if let ControlFlow::Break(guar) = symbol_visitor.mark_live_symbols() {
892 return Err(guar);
893 }
894
895 items_to_check.extend(unsolved_items.extract_if(.., |&mut local_def_id| {
896 symbol_visitor.check_impl_or_impl_item_live(local_def_id)
897 }));
898 }
899
900 Ok((symbol_visitor.live_symbols, symbol_visitor.ignored_derived_traits))
901}
902
903struct DeadItem {
904 def_id: LocalDefId,
905 name: Symbol,
906 level: (lint::Level, Option<LintExpectationId>),
907}
908
909struct DeadVisitor<'tcx> {
910 tcx: TyCtxt<'tcx>,
911 live_symbols: &'tcx LocalDefIdSet,
912 ignored_derived_traits: &'tcx LocalDefIdMap<FxIndexSet<DefId>>,
913}
914
915enum ShouldWarnAboutField {
916 Yes,
917 No,
918}
919
920#[derive(Debug, Copy, Clone, PartialEq, Eq)]
921enum ReportOn {
922 TupleField,
924 NamedField,
926}
927
928impl<'tcx> DeadVisitor<'tcx> {
929 fn should_warn_about_field(&mut self, field: &ty::FieldDef) -> ShouldWarnAboutField {
930 if self.live_symbols.contains(&field.did.expect_local()) {
931 return ShouldWarnAboutField::No;
932 }
933 let field_type = self.tcx.type_of(field.did).instantiate_identity();
934 if field_type.is_phantom_data() {
935 return ShouldWarnAboutField::No;
936 }
937 let is_positional = field.name.as_str().starts_with(|c: char| c.is_ascii_digit());
938 if is_positional
939 && self
940 .tcx
941 .layout_of(
942 ty::TypingEnv::non_body_analysis(self.tcx, field.did)
943 .as_query_input(field_type),
944 )
945 .map_or(true, |layout| layout.is_zst())
946 {
947 return ShouldWarnAboutField::No;
948 }
949 ShouldWarnAboutField::Yes
950 }
951
952 fn def_lint_level(&self, id: LocalDefId) -> (lint::Level, Option<LintExpectationId>) {
953 let hir_id = self.tcx.local_def_id_to_hir_id(id);
954 let level = self.tcx.lint_level_at_node(DEAD_CODE, hir_id);
955 (level.level, level.lint_id)
956 }
957
958 fn lint_at_single_level(
965 &self,
966 dead_codes: &[&DeadItem],
967 participle: &str,
968 parent_item: Option<LocalDefId>,
969 report_on: ReportOn,
970 ) {
971 let Some(&first_item) = dead_codes.first() else { return };
972 let tcx = self.tcx;
973
974 let first_lint_level = first_item.level;
975 assert!(dead_codes.iter().skip(1).all(|item| item.level == first_lint_level));
976
977 let names: Vec<_> = dead_codes.iter().map(|item| item.name).collect();
978 let spans: Vec<_> = dead_codes
979 .iter()
980 .map(|item| {
981 let span = tcx.def_span(item.def_id);
982 let ident_span = tcx.def_ident_span(item.def_id);
983 ident_span.map(|s| s.with_ctxt(span.ctxt())).unwrap_or(span)
985 })
986 .collect();
987
988 let mut descr = tcx.def_descr(first_item.def_id.to_def_id());
989 if dead_codes.iter().any(|item| tcx.def_descr(item.def_id.to_def_id()) != descr) {
992 descr = "associated item"
993 }
994
995 let num = dead_codes.len();
996 let multiple = num > 6;
997 let name_list = names.into();
998
999 let parent_info = parent_item.map(|parent_item| {
1000 let parent_descr = tcx.def_descr(parent_item.to_def_id());
1001 let span = if let DefKind::Impl { .. } = tcx.def_kind(parent_item) {
1002 tcx.def_span(parent_item)
1003 } else {
1004 tcx.def_ident_span(parent_item).unwrap()
1005 };
1006 ParentInfo { num, descr, parent_descr, span }
1007 });
1008
1009 let mut encl_def_id = parent_item.unwrap_or(first_item.def_id);
1010 if let DefKind::Variant = tcx.def_kind(encl_def_id) {
1012 encl_def_id = tcx.local_parent(encl_def_id);
1013 }
1014
1015 let ignored_derived_impls =
1016 self.ignored_derived_traits.get(&encl_def_id).map(|ign_traits| {
1017 let trait_list = ign_traits
1018 .iter()
1019 .map(|trait_id| self.tcx.item_name(*trait_id))
1020 .collect::<Vec<_>>();
1021 let trait_list_len = trait_list.len();
1022 IgnoredDerivedImpls {
1023 name: self.tcx.item_name(encl_def_id.to_def_id()),
1024 trait_list: trait_list.into(),
1025 trait_list_len,
1026 }
1027 });
1028
1029 let diag = match report_on {
1030 ReportOn::TupleField => {
1031 let tuple_fields = if let Some(parent_id) = parent_item
1032 && let node = tcx.hir_node_by_def_id(parent_id)
1033 && let hir::Node::Item(hir::Item {
1034 kind: hir::ItemKind::Struct(_, _, hir::VariantData::Tuple(fields, _, _)),
1035 ..
1036 }) = node
1037 {
1038 *fields
1039 } else {
1040 &[]
1041 };
1042
1043 let trailing_tuple_fields = if tuple_fields.len() >= dead_codes.len() {
1044 LocalDefIdSet::from_iter(
1045 tuple_fields
1046 .iter()
1047 .skip(tuple_fields.len() - dead_codes.len())
1048 .map(|f| f.def_id),
1049 )
1050 } else {
1051 LocalDefIdSet::default()
1052 };
1053
1054 let fields_suggestion =
1055 if dead_codes.iter().all(|dc| trailing_tuple_fields.contains(&dc.def_id)) {
1058 ChangeFields::Remove { num }
1059 } else {
1060 ChangeFields::ChangeToUnitTypeOrRemove { num, spans: spans.clone() }
1061 };
1062
1063 MultipleDeadCodes::UnusedTupleStructFields {
1064 multiple,
1065 num,
1066 descr,
1067 participle,
1068 name_list,
1069 change_fields_suggestion: fields_suggestion,
1070 parent_info,
1071 ignored_derived_impls,
1072 }
1073 }
1074 ReportOn::NamedField => {
1075 let enum_variants_with_same_name = dead_codes
1076 .iter()
1077 .filter_map(|dead_item| {
1078 if let DefKind::AssocFn | DefKind::AssocConst =
1079 tcx.def_kind(dead_item.def_id)
1080 && let impl_did = tcx.local_parent(dead_item.def_id)
1081 && let DefKind::Impl { of_trait: false } = tcx.def_kind(impl_did)
1082 && let ty::Adt(maybe_enum, _) =
1083 tcx.type_of(impl_did).instantiate_identity().kind()
1084 && maybe_enum.is_enum()
1085 && let Some(variant) =
1086 maybe_enum.variants().iter().find(|i| i.name == dead_item.name)
1087 {
1088 Some(crate::errors::EnumVariantSameName {
1089 dead_descr: tcx.def_descr(dead_item.def_id.to_def_id()),
1090 dead_name: dead_item.name,
1091 variant_span: tcx.def_span(variant.def_id),
1092 })
1093 } else {
1094 None
1095 }
1096 })
1097 .collect();
1098
1099 MultipleDeadCodes::DeadCodes {
1100 multiple,
1101 num,
1102 descr,
1103 participle,
1104 name_list,
1105 parent_info,
1106 ignored_derived_impls,
1107 enum_variants_with_same_name,
1108 }
1109 }
1110 };
1111
1112 let hir_id = tcx.local_def_id_to_hir_id(first_item.def_id);
1113 self.tcx.emit_node_span_lint(DEAD_CODE, hir_id, MultiSpan::from_spans(spans), diag);
1114 }
1115
1116 fn warn_multiple(
1117 &self,
1118 def_id: LocalDefId,
1119 participle: &str,
1120 dead_codes: Vec<DeadItem>,
1121 report_on: ReportOn,
1122 ) {
1123 let mut dead_codes = dead_codes
1124 .iter()
1125 .filter(|v| !v.name.as_str().starts_with('_'))
1126 .collect::<Vec<&DeadItem>>();
1127 if dead_codes.is_empty() {
1128 return;
1129 }
1130 dead_codes.sort_by_key(|v| v.level.0);
1132 for group in dead_codes.chunk_by(|a, b| a.level == b.level) {
1133 self.lint_at_single_level(&group, participle, Some(def_id), report_on);
1134 }
1135 }
1136
1137 fn warn_dead_code(&mut self, id: LocalDefId, participle: &str) {
1138 let item = DeadItem {
1139 def_id: id,
1140 name: self.tcx.item_name(id.to_def_id()),
1141 level: self.def_lint_level(id),
1142 };
1143 self.lint_at_single_level(&[&item], participle, None, ReportOn::NamedField);
1144 }
1145
1146 fn check_definition(&mut self, def_id: LocalDefId) {
1147 if self.is_live_code(def_id) {
1148 return;
1149 }
1150 match self.tcx.def_kind(def_id) {
1151 DefKind::AssocConst
1152 | DefKind::AssocTy
1153 | DefKind::AssocFn
1154 | DefKind::Fn
1155 | DefKind::Static { .. }
1156 | DefKind::Const
1157 | DefKind::TyAlias
1158 | DefKind::Enum
1159 | DefKind::Union
1160 | DefKind::ForeignTy
1161 | DefKind::Trait => self.warn_dead_code(def_id, "used"),
1162 DefKind::Struct => self.warn_dead_code(def_id, "constructed"),
1163 DefKind::Variant | DefKind::Field => bug!("should be handled specially"),
1164 _ => {}
1165 }
1166 }
1167
1168 fn is_live_code(&self, def_id: LocalDefId) -> bool {
1169 let Some(name) = self.tcx.opt_item_name(def_id.to_def_id()) else {
1172 return true;
1173 };
1174
1175 self.live_symbols.contains(&def_id) || name.as_str().starts_with('_')
1176 }
1177}
1178
1179fn check_mod_deathness(tcx: TyCtxt<'_>, module: LocalModDefId) {
1180 let Ok((live_symbols, ignored_derived_traits)) =
1181 tcx.live_symbols_and_ignored_derived_traits(()).as_ref()
1182 else {
1183 return;
1184 };
1185
1186 let mut visitor = DeadVisitor { tcx, live_symbols, ignored_derived_traits };
1187
1188 let module_items = tcx.hir_module_items(module);
1189
1190 for item in module_items.free_items() {
1191 let def_kind = tcx.def_kind(item.owner_id);
1192
1193 let mut dead_codes = Vec::new();
1194 if def_kind == (DefKind::Impl { of_trait: false })
1200 || (def_kind == DefKind::Trait && live_symbols.contains(&item.owner_id.def_id))
1201 {
1202 for &def_id in tcx.associated_item_def_ids(item.owner_id.def_id) {
1203 if let Some(local_def_id) = def_id.as_local()
1204 && !visitor.is_live_code(local_def_id)
1205 {
1206 let name = tcx.item_name(def_id);
1207 let level = visitor.def_lint_level(local_def_id);
1208 dead_codes.push(DeadItem { def_id: local_def_id, name, level });
1209 }
1210 }
1211 }
1212 if !dead_codes.is_empty() {
1213 visitor.warn_multiple(item.owner_id.def_id, "used", dead_codes, ReportOn::NamedField);
1214 }
1215
1216 if !live_symbols.contains(&item.owner_id.def_id) {
1217 let parent = tcx.local_parent(item.owner_id.def_id);
1218 if parent != module.to_local_def_id() && !live_symbols.contains(&parent) {
1219 continue;
1221 }
1222 visitor.check_definition(item.owner_id.def_id);
1223 continue;
1224 }
1225
1226 if let DefKind::Struct | DefKind::Union | DefKind::Enum = def_kind {
1227 let adt = tcx.adt_def(item.owner_id);
1228 let mut dead_variants = Vec::new();
1229
1230 for variant in adt.variants() {
1231 let def_id = variant.def_id.expect_local();
1232 if !live_symbols.contains(&def_id) {
1233 let level = visitor.def_lint_level(def_id);
1235 dead_variants.push(DeadItem { def_id, name: variant.name, level });
1236 continue;
1237 }
1238
1239 let is_positional = variant.fields.raw.first().is_some_and(|field| {
1240 field.name.as_str().starts_with(|c: char| c.is_ascii_digit())
1241 });
1242 let report_on =
1243 if is_positional { ReportOn::TupleField } else { ReportOn::NamedField };
1244 let dead_fields = variant
1245 .fields
1246 .iter()
1247 .filter_map(|field| {
1248 let def_id = field.did.expect_local();
1249 if let ShouldWarnAboutField::Yes = visitor.should_warn_about_field(field) {
1250 let level = visitor.def_lint_level(def_id);
1251 Some(DeadItem { def_id, name: field.name, level })
1252 } else {
1253 None
1254 }
1255 })
1256 .collect();
1257 visitor.warn_multiple(def_id, "read", dead_fields, report_on);
1258 }
1259
1260 visitor.warn_multiple(
1261 item.owner_id.def_id,
1262 "constructed",
1263 dead_variants,
1264 ReportOn::NamedField,
1265 );
1266 }
1267 }
1268
1269 for foreign_item in module_items.foreign_items() {
1270 visitor.check_definition(foreign_item.owner_id.def_id);
1271 }
1272}
1273
1274pub(crate) fn provide(providers: &mut Providers) {
1275 *providers =
1276 Providers { live_symbols_and_ignored_derived_traits, check_mod_deathness, ..*providers };
1277}