Skip to content

Commit 7a2c7d7

Browse files
committed
Auto merge of #118391 - compiler-errors:lifetimes-eq, r=<try>
Extend `UNUSED_LIFETIMES` lint to detect lifetimes which are semantically redundant There already is a `UNUSED_LIFETIMES` lint which is fired when we detect where clause bounds like `where 'a: 'static`, however, it doesn't use the full power of lexical region resolution to detect failures. Right now `UNUSED_LIFETIMES` is an `Allow` lint, though presumably we could bump it to warn? I can (somewhat) easily implement a structured suggestion so this can be rustfix'd automatically, since we can just walk through the HIR body, replacing instances of the redundant lifetime. Fixes #118376 r? lcnr
2 parents 6eb9524 + d528fad commit 7a2c7d7

18 files changed

+301
-122
lines changed

compiler/rustc_errors/src/diagnostic_impls.rs

+1
Original file line numberDiff line numberDiff line change
@@ -44,6 +44,7 @@ impl<'a, T: Clone + IntoDiagnosticArg> IntoDiagnosticArg for &'a T {
4444
}
4545
}
4646

47+
#[macro_export]
4748
macro_rules! into_diagnostic_arg_using_display {
4849
($( $ty:ty ),+ $(,)?) => {
4950
$(

compiler/rustc_hir_analysis/src/collect/resolve_bound_vars.rs

-26
Original file line numberDiff line numberDiff line change
@@ -19,7 +19,6 @@ use rustc_middle::hir::nested_filter;
1919
use rustc_middle::middle::resolve_bound_vars::*;
2020
use rustc_middle::query::Providers;
2121
use rustc_middle::ty::{self, TyCtxt, TypeSuperVisitable, TypeVisitor};
22-
use rustc_session::lint;
2322
use rustc_span::def_id::DefId;
2423
use rustc_span::symbol::{sym, Ident};
2524
use rustc_span::{Span, DUMMY_SP};
@@ -905,31 +904,6 @@ impl<'a, 'tcx> Visitor<'tcx> for BoundVarContext<'a, 'tcx> {
905904
}) => {
906905
self.visit_lifetime(lifetime);
907906
walk_list!(self, visit_param_bound, bounds);
908-
909-
if lifetime.res != hir::LifetimeName::Static {
910-
for bound in bounds {
911-
let hir::GenericBound::Outlives(lt) = bound else {
912-
continue;
913-
};
914-
if lt.res != hir::LifetimeName::Static {
915-
continue;
916-
}
917-
self.insert_lifetime(lt, ResolvedArg::StaticLifetime);
918-
self.tcx.struct_span_lint_hir(
919-
lint::builtin::UNUSED_LIFETIMES,
920-
lifetime.hir_id,
921-
lifetime.ident.span,
922-
format!("unnecessary lifetime parameter `{}`", lifetime.ident),
923-
|lint| {
924-
let help = format!(
925-
"you can use the `'static` lifetime directly, in place of `{}`",
926-
lifetime.ident,
927-
);
928-
lint.help(help)
929-
},
930-
);
931-
}
932-
}
933907
}
934908
&hir::WherePredicate::EqPredicate(hir::WhereEqPredicate { lhs_ty, rhs_ty, .. }) => {
935909
self.visit_ty(lhs_ty);

compiler/rustc_lint/messages.ftl

+3
Original file line numberDiff line numberDiff line change
@@ -470,6 +470,9 @@ lint_reason_must_be_string_literal = reason must be a string literal
470470
471471
lint_reason_must_come_last = reason in lint attribute must come last
472472
473+
lint_redundant_lifetime_args = unnecessary lifetime parameter `{$victim}`
474+
.note = you can use the `{$candidate}` lifetime directly, in place of `{$victim}`
475+
473476
lint_redundant_semicolons =
474477
unnecessary trailing {$multiple ->
475478
[true] semicolons

compiler/rustc_lint/src/lib.rs

+3
Original file line numberDiff line numberDiff line change
@@ -82,6 +82,7 @@ mod opaque_hidden_inferred_bound;
8282
mod pass_by_value;
8383
mod passes;
8484
mod ptr_nulls;
85+
mod redundant_lifetime_args;
8586
mod redundant_semicolon;
8687
mod reference_casting;
8788
mod traits;
@@ -119,6 +120,7 @@ use noop_method_call::*;
119120
use opaque_hidden_inferred_bound::*;
120121
use pass_by_value::*;
121122
use ptr_nulls::*;
123+
use redundant_lifetime_args::RedundantLifetimeArgs;
122124
use redundant_semicolon::*;
123125
use reference_casting::*;
124126
use traits::*;
@@ -240,6 +242,7 @@ late_lint_methods!(
240242
MissingDebugImplementations: MissingDebugImplementations,
241243
MissingDoc: MissingDoc,
242244
AsyncFnInTrait: AsyncFnInTrait,
245+
RedundantLifetimeArgs: RedundantLifetimeArgs,
243246
]
244247
]
245248
);
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,177 @@
1+
#![allow(rustc::diagnostic_outside_of_impl)]
2+
#![allow(rustc::untranslatable_diagnostic)]
3+
4+
use rustc_data_structures::fx::FxHashSet;
5+
use rustc_hir as hir;
6+
use rustc_hir::def::DefKind;
7+
use rustc_infer::infer::outlives::env::OutlivesEnvironment;
8+
use rustc_infer::infer::{SubregionOrigin, TyCtxtInferExt};
9+
use rustc_macros::LintDiagnostic;
10+
use rustc_middle::ty::{self, TyCtxt};
11+
use rustc_session::lint::builtin::UNUSED_LIFETIMES;
12+
use rustc_span::DUMMY_SP;
13+
use rustc_trait_selection::traits::{outlives_bounds::InferCtxtExt, ObligationCtxt};
14+
15+
use crate::{LateContext, LateLintPass};
16+
17+
declare_lint_pass!(RedundantLifetimeArgs => []);
18+
19+
impl<'tcx> LateLintPass<'tcx> for RedundantLifetimeArgs {
20+
fn check_item(&mut self, cx: &LateContext<'tcx>, item: &'tcx hir::Item<'tcx>) {
21+
check(cx.tcx, cx.param_env, item.owner_id);
22+
}
23+
24+
fn check_trait_item(&mut self, cx: &LateContext<'tcx>, item: &'tcx hir::TraitItem<'tcx>) {
25+
check(cx.tcx, cx.param_env, item.owner_id);
26+
}
27+
28+
fn check_impl_item(&mut self, cx: &LateContext<'tcx>, item: &'tcx hir::ImplItem<'tcx>) {
29+
if cx
30+
.tcx
31+
.hir()
32+
.expect_item(cx.tcx.local_parent(item.owner_id.def_id))
33+
.expect_impl()
34+
.of_trait
35+
.is_some()
36+
{
37+
// Don't check for redundant lifetimes for trait implementations,
38+
// since the signature is required to be compatible with the trait.
39+
return;
40+
}
41+
42+
check(cx.tcx, cx.param_env, item.owner_id);
43+
}
44+
}
45+
46+
fn check<'tcx>(tcx: TyCtxt<'tcx>, param_env: ty::ParamEnv<'tcx>, owner_id: hir::OwnerId) {
47+
let def_kind = tcx.def_kind(owner_id);
48+
match def_kind {
49+
DefKind::Struct
50+
| DefKind::Union
51+
| DefKind::Enum
52+
| DefKind::Trait
53+
| DefKind::TraitAlias
54+
| DefKind::AssocTy
55+
| DefKind::Fn
56+
| DefKind::Const
57+
| DefKind::AssocFn
58+
| DefKind::AssocConst
59+
| DefKind::Impl { of_trait: _ } => {
60+
// Proceed
61+
}
62+
DefKind::Mod
63+
| DefKind::Variant
64+
| DefKind::TyAlias
65+
| DefKind::ForeignTy
66+
| DefKind::TyParam
67+
| DefKind::ConstParam
68+
| DefKind::Static(_)
69+
| DefKind::Ctor(_, _)
70+
| DefKind::Macro(_)
71+
| DefKind::ExternCrate
72+
| DefKind::Use
73+
| DefKind::ForeignMod
74+
| DefKind::AnonConst
75+
| DefKind::InlineConst
76+
| DefKind::OpaqueTy
77+
| DefKind::Field
78+
| DefKind::LifetimeParam
79+
| DefKind::GlobalAsm
80+
| DefKind::Closure => return,
81+
}
82+
83+
let infcx = &tcx.infer_ctxt().build();
84+
let ocx = ObligationCtxt::new(infcx);
85+
86+
// Compute the implied outlives bounds for the item. This ensures that we treat
87+
// a signature with an argument like `&'a &'b ()` as implicitly having `'b: 'a`.
88+
let Ok(assumed_wf_types) = ocx.assumed_wf_types(param_env, owner_id.def_id) else {
89+
return;
90+
};
91+
let implied_bounds = infcx.implied_bounds_tys(param_env, owner_id.def_id, assumed_wf_types);
92+
let outlives_env = &OutlivesEnvironment::with_bounds(param_env, implied_bounds);
93+
94+
// The ordering of this lifetime map is a bit subtle.
95+
//
96+
// Specifically, we want to find a "candidate" lifetime that precedes a "victim" lifetime,
97+
// where we can prove that `'candidate = 'victim`.
98+
//
99+
// `'static` must come first in this list because we can never replace `'static` with
100+
// something else, but if we find some lifetime `'a` where `'a = 'static`, we want to
101+
// suggest replacing `'a` with `'static`.
102+
let mut lifetimes = vec![tcx.lifetimes.re_static];
103+
lifetimes.extend(
104+
ty::GenericArgs::identity_for_item(tcx, owner_id).iter().filter_map(|arg| arg.as_region()),
105+
);
106+
// If we are in a function, add its late-bound lifetimes too.
107+
if matches!(def_kind, DefKind::Fn | DefKind::AssocFn) {
108+
for var in tcx.fn_sig(owner_id).instantiate_identity().bound_vars() {
109+
let ty::BoundVariableKind::Region(kind) = var else { continue };
110+
lifetimes.push(ty::Region::new_late_param(tcx, owner_id.to_def_id(), kind));
111+
}
112+
}
113+
114+
// Keep track of lifetimes which have already been replaced with other lifetimes.
115+
// This makes sure that if `'a = 'b = 'c`, we don't say `'c` should be replaced by
116+
// both `'a` and `'b`.
117+
let mut shadowed = FxHashSet::default();
118+
119+
for (idx, &candidate) in lifetimes.iter().enumerate() {
120+
// Don't suggest removing a lifetime twice.
121+
if shadowed.contains(&candidate) {
122+
continue;
123+
}
124+
125+
// Can't rename a named lifetime named `'_` without ambiguity.
126+
if !candidate.has_name() {
127+
continue;
128+
}
129+
130+
for &victim in &lifetimes[(idx + 1)..] {
131+
// We only care about lifetimes that are "real", i.e. that have a def-id.
132+
let (ty::ReEarlyParam(ty::EarlyParamRegion { def_id, .. })
133+
| ty::ReLateParam(ty::LateParamRegion {
134+
bound_region: ty::BoundRegionKind::BrNamed(def_id, _),
135+
..
136+
})) = victim.kind()
137+
else {
138+
continue;
139+
};
140+
141+
// Do not rename lifetimes not local to this item since they'll overlap
142+
// with the lint running on the parent. We still want to consider parent
143+
// lifetimes which make child lifetimes redundant, otherwise we would
144+
// have truncated the `identity_for_item` args above.
145+
if tcx.parent(def_id) != owner_id.to_def_id() {
146+
continue;
147+
}
148+
149+
let infcx = infcx.fork();
150+
151+
// Require that `'candidate = 'victim`
152+
infcx.sub_regions(SubregionOrigin::RelateRegionParamBound(DUMMY_SP), candidate, victim);
153+
infcx.sub_regions(SubregionOrigin::RelateRegionParamBound(DUMMY_SP), victim, candidate);
154+
155+
// If there are no lifetime errors, then we have proven that `'candidate = 'victim`!
156+
if infcx.resolve_regions(outlives_env).is_empty() {
157+
shadowed.insert(victim);
158+
tcx.emit_spanned_lint(
159+
UNUSED_LIFETIMES,
160+
tcx.local_def_id_to_hir_id(def_id.expect_local()),
161+
tcx.def_span(def_id),
162+
RedundantLifetimeArgsLint { candidate, victim },
163+
);
164+
}
165+
}
166+
}
167+
}
168+
169+
#[derive(LintDiagnostic)]
170+
#[diag(lint_redundant_lifetime_args)]
171+
#[note]
172+
struct RedundantLifetimeArgsLint<'tcx> {
173+
/// The lifetime we have found to be redundant.
174+
victim: ty::Region<'tcx>,
175+
// The lifetime we can replace the victim with.
176+
candidate: ty::Region<'tcx>,
177+
}

compiler/rustc_lint_defs/src/builtin.rs

+7-1
Original file line numberDiff line numberDiff line change
@@ -1532,14 +1532,20 @@ declare_lint! {
15321532

15331533
declare_lint! {
15341534
/// The `unused_lifetimes` lint detects lifetime parameters that are never
1535-
/// used.
1535+
/// used, or are redundant because they are equal to another named lifetime.
15361536
///
15371537
/// ### Example
15381538
///
15391539
/// ```rust,compile_fail
15401540
/// #[deny(unused_lifetimes)]
15411541
///
15421542
/// pub fn foo<'a>() {}
1543+
///
1544+
/// // `'a = 'static`, so all usages of `'a` can be replaced with `'static`
1545+
/// pub fn bar<'a: 'static>() {}
1546+
///
1547+
/// // `'a = 'b`, so all usages of `'b` can be replaced with `'a`
1548+
/// pub fn bar<'a: 'b, 'b: 'a>() {}
15431549
/// ```
15441550
///
15451551
/// {{produces}}

compiler/rustc_middle/src/ty/context.rs

+1-1
Original file line numberDiff line numberDiff line change
@@ -622,7 +622,7 @@ pub struct GlobalCtxt<'tcx> {
622622
impl<'tcx> GlobalCtxt<'tcx> {
623623
/// Installs `self` in a `TyCtxt` and `ImplicitCtxt` for the duration of
624624
/// `f`.
625-
pub fn enter<'a: 'tcx, F, R>(&'a self, f: F) -> R
625+
pub fn enter<F, R>(&'tcx self, f: F) -> R
626626
where
627627
F: FnOnce(TyCtxt<'tcx>) -> R,
628628
{

compiler/rustc_middle/src/ty/diagnostics.rs

+10-8
Original file line numberDiff line numberDiff line change
@@ -5,24 +5,26 @@ use std::fmt::Write;
55
use std::ops::ControlFlow;
66

77
use crate::ty::{
8-
AliasTy, Const, ConstKind, FallibleTypeFolder, InferConst, InferTy, Opaque, PolyTraitPredicate,
9-
Projection, Ty, TyCtxt, TypeFoldable, TypeSuperFoldable, TypeSuperVisitable, TypeVisitable,
10-
TypeVisitor,
8+
self, AliasTy, Const, ConstKind, FallibleTypeFolder, InferConst, InferTy, Opaque,
9+
PolyTraitPredicate, Projection, Ty, TyCtxt, TypeFoldable, TypeSuperFoldable,
10+
TypeSuperVisitable, TypeVisitable, TypeVisitor,
1111
};
1212

1313
use rustc_data_structures::fx::FxHashMap;
14-
use rustc_errors::{Applicability, Diagnostic, DiagnosticArgValue, IntoDiagnosticArg};
14+
use rustc_errors::{
15+
into_diagnostic_arg_using_display, Applicability, Diagnostic, DiagnosticArgValue,
16+
IntoDiagnosticArg,
17+
};
1518
use rustc_hir as hir;
1619
use rustc_hir::def::DefKind;
1720
use rustc_hir::def_id::DefId;
1821
use rustc_hir::{PredicateOrigin, WherePredicate};
1922
use rustc_span::{BytePos, Span};
2023
use rustc_type_ir::TyKind::*;
2124

22-
impl<'tcx> IntoDiagnosticArg for Ty<'tcx> {
23-
fn into_diagnostic_arg(self) -> DiagnosticArgValue<'static> {
24-
self.to_string().into_diagnostic_arg()
25-
}
25+
into_diagnostic_arg_using_display! {
26+
Ty<'_>,
27+
ty::Region<'_>,
2628
}
2729

2830
impl<'tcx> Ty<'tcx> {

tests/ui/generic-associated-types/unsatisfied-item-lifetime-bound.rs

-3
Original file line numberDiff line numberDiff line change
@@ -1,8 +1,5 @@
1-
#![warn(unused_lifetimes)]
2-
31
pub trait X {
42
type Y<'a: 'static>;
5-
//~^ WARNING unnecessary lifetime parameter
63
}
74

85
impl X for () {

0 commit comments

Comments
 (0)