]> git.lizzy.rs Git - rust.git/blob - src/tools/clippy/clippy_lints/src/trait_bounds.rs
Auto merge of #92740 - cuviper:update-rayons, r=Mark-Simulacrum
[rust.git] / src / tools / clippy / clippy_lints / src / trait_bounds.rs
1 use clippy_utils::diagnostics::span_lint_and_help;
2 use clippy_utils::source::{snippet, snippet_with_applicability};
3 use clippy_utils::{SpanlessEq, SpanlessHash};
4 use core::hash::{Hash, Hasher};
5 use if_chain::if_chain;
6 use rustc_data_structures::fx::{FxHashMap, FxHashSet};
7 use rustc_data_structures::unhash::UnhashMap;
8 use rustc_errors::Applicability;
9 use rustc_hir::def::Res;
10 use rustc_hir::{
11     GenericBound, Generics, Item, ItemKind, Node, ParamName, Path, PathSegment, QPath, TraitItem, Ty, TyKind,
12     WherePredicate,
13 };
14 use rustc_lint::{LateContext, LateLintPass};
15 use rustc_session::{declare_tool_lint, impl_lint_pass};
16 use rustc_span::Span;
17
18 declare_clippy_lint! {
19     /// ### What it does
20     /// This lint warns about unnecessary type repetitions in trait bounds
21     ///
22     /// ### Why is this bad?
23     /// Repeating the type for every bound makes the code
24     /// less readable than combining the bounds
25     ///
26     /// ### Example
27     /// ```rust
28     /// pub fn foo<T>(t: T) where T: Copy, T: Clone {}
29     /// ```
30     ///
31     /// Could be written as:
32     ///
33     /// ```rust
34     /// pub fn foo<T>(t: T) where T: Copy + Clone {}
35     /// ```
36     #[clippy::version = "1.38.0"]
37     pub TYPE_REPETITION_IN_BOUNDS,
38     pedantic,
39     "Types are repeated unnecessary in trait bounds use `+` instead of using `T: _, T: _`"
40 }
41
42 declare_clippy_lint! {
43     /// ### What it does
44     /// Checks for cases where generics are being used and multiple
45     /// syntax specifications for trait bounds are used simultaneously.
46     ///
47     /// ### Why is this bad?
48     /// Duplicate bounds makes the code
49     /// less readable than specifing them only once.
50     ///
51     /// ### Example
52     /// ```rust
53     /// fn func<T: Clone + Default>(arg: T) where T: Clone + Default {}
54     /// ```
55     ///
56     /// Could be written as:
57     ///
58     /// ```rust
59     /// fn func<T: Clone + Default>(arg: T) {}
60     /// ```
61     /// or
62     ///
63     /// ```rust
64     /// fn func<T>(arg: T) where T: Clone + Default {}
65     /// ```
66     #[clippy::version = "1.47.0"]
67     pub TRAIT_DUPLICATION_IN_BOUNDS,
68     pedantic,
69     "Check if the same trait bounds are specified twice during a function declaration"
70 }
71
72 #[derive(Copy, Clone)]
73 pub struct TraitBounds {
74     max_trait_bounds: u64,
75 }
76
77 impl TraitBounds {
78     #[must_use]
79     pub fn new(max_trait_bounds: u64) -> Self {
80         Self { max_trait_bounds }
81     }
82 }
83
84 impl_lint_pass!(TraitBounds => [TYPE_REPETITION_IN_BOUNDS, TRAIT_DUPLICATION_IN_BOUNDS]);
85
86 impl<'tcx> LateLintPass<'tcx> for TraitBounds {
87     fn check_generics(&mut self, cx: &LateContext<'tcx>, gen: &'tcx Generics<'_>) {
88         self.check_type_repetition(cx, gen);
89         check_trait_bound_duplication(cx, gen);
90     }
91
92     fn check_trait_item(&mut self, cx: &LateContext<'tcx>, item: &'tcx TraitItem<'tcx>) {
93         let Generics { where_clause, .. } = &item.generics;
94         let mut self_bounds_set = FxHashSet::default();
95
96         for predicate in where_clause.predicates {
97             if_chain! {
98                 if let WherePredicate::BoundPredicate(ref bound_predicate) = predicate;
99                 if !bound_predicate.span.from_expansion();
100                 if let TyKind::Path(QPath::Resolved(_, Path { segments, .. })) = bound_predicate.bounded_ty.kind;
101                 if let Some(PathSegment { res: Some(Res::SelfTy(Some(def_id), _)), .. }) = segments.first();
102
103                 if let Some(
104                     Node::Item(
105                         Item {
106                             kind: ItemKind::Trait(_, _, _, self_bounds, _),
107                             .. }
108                         )
109                     ) = cx.tcx.hir().get_if_local(*def_id);
110                 then {
111                     if self_bounds_set.is_empty() {
112                         for bound in self_bounds.iter() {
113                             let Some((self_res, _)) = get_trait_res_span_from_bound(bound) else { continue };
114                             self_bounds_set.insert(self_res);
115                         }
116                     }
117
118                     bound_predicate
119                         .bounds
120                         .iter()
121                         .filter_map(get_trait_res_span_from_bound)
122                         .for_each(|(trait_item_res, span)| {
123                             if self_bounds_set.get(&trait_item_res).is_some() {
124                                 span_lint_and_help(
125                                     cx,
126                                     TRAIT_DUPLICATION_IN_BOUNDS,
127                                     span,
128                                     "this trait bound is already specified in trait declaration",
129                                     None,
130                                     "consider removing this trait bound",
131                                 );
132                             }
133                         });
134                 }
135             }
136         }
137     }
138 }
139
140 fn get_trait_res_span_from_bound(bound: &GenericBound<'_>) -> Option<(Res, Span)> {
141     if let GenericBound::Trait(t, _) = bound {
142         Some((t.trait_ref.path.res, t.span))
143     } else {
144         None
145     }
146 }
147
148 impl TraitBounds {
149     fn check_type_repetition<'tcx>(self, cx: &LateContext<'tcx>, gen: &'tcx Generics<'_>) {
150         struct SpanlessTy<'cx, 'tcx> {
151             ty: &'tcx Ty<'tcx>,
152             cx: &'cx LateContext<'tcx>,
153         }
154         impl PartialEq for SpanlessTy<'_, '_> {
155             fn eq(&self, other: &Self) -> bool {
156                 let mut eq = SpanlessEq::new(self.cx);
157                 eq.inter_expr().eq_ty(self.ty, other.ty)
158             }
159         }
160         impl Hash for SpanlessTy<'_, '_> {
161             fn hash<H: Hasher>(&self, h: &mut H) {
162                 let mut t = SpanlessHash::new(self.cx);
163                 t.hash_ty(self.ty);
164                 h.write_u64(t.finish());
165             }
166         }
167         impl Eq for SpanlessTy<'_, '_> {}
168
169         if gen.span.from_expansion() {
170             return;
171         }
172         let mut map: UnhashMap<SpanlessTy<'_, '_>, Vec<&GenericBound<'_>>> = UnhashMap::default();
173         let mut applicability = Applicability::MaybeIncorrect;
174         for bound in gen.where_clause.predicates {
175             if_chain! {
176                 if let WherePredicate::BoundPredicate(ref p) = bound;
177                 if p.bounds.len() as u64 <= self.max_trait_bounds;
178                 if !p.span.from_expansion();
179                 if let Some(ref v) = map.insert(
180                     SpanlessTy { ty: p.bounded_ty, cx },
181                     p.bounds.iter().collect::<Vec<_>>()
182                 );
183
184                 then {
185                     let mut hint_string = format!(
186                         "consider combining the bounds: `{}:",
187                         snippet(cx, p.bounded_ty.span, "_")
188                     );
189                     for b in v.iter() {
190                         if let GenericBound::Trait(ref poly_trait_ref, _) = b {
191                             let path = &poly_trait_ref.trait_ref.path;
192                             hint_string.push_str(&format!(
193                                 " {} +",
194                                 snippet_with_applicability(cx, path.span, "..", &mut applicability)
195                             ));
196                         }
197                     }
198                     for b in p.bounds.iter() {
199                         if let GenericBound::Trait(ref poly_trait_ref, _) = b {
200                             let path = &poly_trait_ref.trait_ref.path;
201                             hint_string.push_str(&format!(
202                                 " {} +",
203                                 snippet_with_applicability(cx, path.span, "..", &mut applicability)
204                             ));
205                         }
206                     }
207                     hint_string.truncate(hint_string.len() - 2);
208                     hint_string.push('`');
209                     span_lint_and_help(
210                         cx,
211                         TYPE_REPETITION_IN_BOUNDS,
212                         p.span,
213                         "this type has already been used as a bound predicate",
214                         None,
215                         &hint_string,
216                     );
217                 }
218             }
219         }
220     }
221 }
222
223 fn check_trait_bound_duplication(cx: &LateContext<'_>, gen: &'_ Generics<'_>) {
224     if gen.span.from_expansion() || gen.params.is_empty() || gen.where_clause.predicates.is_empty() {
225         return;
226     }
227
228     let mut map = FxHashMap::default();
229     for param in gen.params {
230         if let ParamName::Plain(ref ident) = param.name {
231             let res = param
232                 .bounds
233                 .iter()
234                 .filter_map(get_trait_res_span_from_bound)
235                 .collect::<Vec<_>>();
236             map.insert(*ident, res);
237         }
238     }
239
240     for predicate in gen.where_clause.predicates {
241         if_chain! {
242             if let WherePredicate::BoundPredicate(ref bound_predicate) = predicate;
243             if !bound_predicate.span.from_expansion();
244             if let TyKind::Path(QPath::Resolved(_, Path { segments, .. })) = bound_predicate.bounded_ty.kind;
245             if let Some(segment) = segments.first();
246             if let Some(trait_resolutions_direct) = map.get(&segment.ident);
247             then {
248                 for (res_where, _) in bound_predicate.bounds.iter().filter_map(get_trait_res_span_from_bound) {
249                     if let Some((_, span_direct)) = trait_resolutions_direct
250                                                 .iter()
251                                                 .find(|(res_direct, _)| *res_direct == res_where) {
252                         span_lint_and_help(
253                             cx,
254                             TRAIT_DUPLICATION_IN_BOUNDS,
255                             *span_direct,
256                             "this trait bound is already specified in the where clause",
257                             None,
258                             "consider removing this trait bound",
259                         );
260                     }
261                 }
262             }
263         }
264     }
265 }