]> git.lizzy.rs Git - rust.git/blob - clippy_lints/src/non_expressive_names.rs
Update our config reading to serde 1.0
[rust.git] / clippy_lints / src / non_expressive_names.rs
1 use rustc::lint::*;
2 use syntax::codemap::Span;
3 use syntax::symbol::InternedString;
4 use syntax::ast::*;
5 use syntax::attr;
6 use syntax::visit::{Visitor, walk_block, walk_pat, walk_expr};
7 use utils::{span_lint_and_then, in_macro, span_lint};
8
9 /// **What it does:** Checks for names that are very similar and thus confusing.
10 ///
11 /// **Why is this bad?** It's hard to distinguish between names that differ only
12 /// by a single character.
13 ///
14 /// **Known problems:** None?
15 ///
16 /// **Example:**
17 /// ```rust
18 /// let checked_exp = something;
19 /// let checked_expr = something_else;
20 /// ```
21 declare_lint! {
22     pub SIMILAR_NAMES,
23     Allow,
24     "similarly named items and bindings"
25 }
26
27 /// **What it does:** Checks for too many variables whose name consists of a
28 /// single character.
29 ///
30 /// **Why is this bad?** It's hard to memorize what a variable means without a
31 /// descriptive name.
32 ///
33 /// **Known problems:** None?
34 ///
35 /// **Example:**
36 /// ```rust
37 /// let (a, b, c, d, e, f, g) = (...);
38 /// ```
39 declare_lint! {
40     pub MANY_SINGLE_CHAR_NAMES,
41     Warn,
42     "too many single character bindings"
43 }
44
45 pub struct NonExpressiveNames {
46     pub single_char_binding_names_threshold: u64,
47 }
48
49 impl LintPass for NonExpressiveNames {
50     fn get_lints(&self) -> LintArray {
51         lint_array!(SIMILAR_NAMES, MANY_SINGLE_CHAR_NAMES)
52     }
53 }
54
55 struct ExistingName {
56     interned: InternedString,
57     span: Span,
58     len: usize,
59     whitelist: &'static [&'static str],
60 }
61
62 struct SimilarNamesLocalVisitor<'a, 'tcx: 'a> {
63     names: Vec<ExistingName>,
64     cx: &'a EarlyContext<'tcx>,
65     lint: &'a NonExpressiveNames,
66     single_char_names: Vec<char>,
67 }
68
69 // this list contains lists of names that are allowed to be similar
70 // the assumption is that no name is ever contained in multiple lists.
71 #[cfg_attr(rustfmt, rustfmt_skip)]
72 const WHITELIST: &'static [&'static [&'static str]] = &[
73     &["parsed", "parser"],
74     &["lhs", "rhs"],
75     &["tx", "rx"],
76     &["set", "get"],
77 ];
78
79 struct SimilarNamesNameVisitor<'a: 'b, 'tcx: 'a, 'b>(&'b mut SimilarNamesLocalVisitor<'a, 'tcx>);
80
81 impl<'a, 'tcx: 'a, 'b> Visitor<'tcx> for SimilarNamesNameVisitor<'a, 'tcx, 'b> {
82     fn visit_pat(&mut self, pat: &'tcx Pat) {
83         match pat.node {
84             PatKind::Ident(_, id, _) => self.check_name(id.span, id.node.name),
85             PatKind::Struct(_, ref fields, _) => {
86                 for field in fields {
87                     if !field.node.is_shorthand {
88                         self.visit_pat(&field.node.pat);
89                     }
90                 }
91             },
92             _ => walk_pat(self, pat),
93         }
94     }
95 }
96
97 fn get_whitelist(interned_name: &str) -> Option<&'static [&'static str]> {
98     for &allow in WHITELIST {
99         if whitelisted(interned_name, allow) {
100             return Some(allow);
101         }
102     }
103     None
104 }
105
106 fn whitelisted(interned_name: &str, list: &[&str]) -> bool {
107     if list.iter().any(|&name| interned_name == name) {
108         return true;
109     }
110     for name in list {
111         // name_*
112         if interned_name.chars().zip(name.chars()).all(|(l, r)| l == r) {
113             return true;
114         }
115         // *_name
116         if interned_name.chars().rev().zip(name.chars().rev()).all(|(l, r)| l == r) {
117             return true;
118         }
119     }
120     false
121 }
122
123 impl<'a, 'tcx, 'b> SimilarNamesNameVisitor<'a, 'tcx, 'b> {
124     fn check_short_name(&mut self, c: char, span: Span) {
125         // make sure we ignore shadowing
126         if self.0.single_char_names.contains(&c) {
127             return;
128         }
129         self.0.single_char_names.push(c);
130         if self.0.single_char_names.len() as u64 >= self.0.lint.single_char_binding_names_threshold {
131             span_lint(self.0.cx,
132                       MANY_SINGLE_CHAR_NAMES,
133                       span,
134                       &format!("{}th binding whose name is just one char", self.0.single_char_names.len()));
135         }
136     }
137     fn check_name(&mut self, span: Span, name: Name) {
138         if in_macro(span) {
139             return;
140         }
141         let interned_name = name.as_str();
142         if interned_name.chars().any(char::is_uppercase) {
143             return;
144         }
145         let count = interned_name.chars().count();
146         if count < 3 {
147             if count == 1 {
148                 let c = interned_name.chars().next().expect("already checked");
149                 self.check_short_name(c, span);
150             }
151             return;
152         }
153         for existing_name in &self.0.names {
154             if whitelisted(&interned_name, existing_name.whitelist) {
155                 continue;
156             }
157             let mut split_at = None;
158             if existing_name.len > count {
159                 if existing_name.len - count != 1 || levenstein_not_1(&interned_name, &existing_name.interned) {
160                     continue;
161                 }
162             } else if existing_name.len < count {
163                 if count - existing_name.len != 1 || levenstein_not_1(&existing_name.interned, &interned_name) {
164                     continue;
165                 }
166             } else {
167                 let mut interned_chars = interned_name.chars();
168                 let mut existing_chars = existing_name.interned.chars();
169                 let first_i = interned_chars.next().expect("we know we have at least one char");
170                 let first_e = existing_chars.next().expect("we know we have at least one char");
171                 let eq_or_numeric = |a: char, b: char| a == b || a.is_numeric() && b.is_numeric();
172
173                 if eq_or_numeric(first_i, first_e) {
174                     let last_i = interned_chars.next_back().expect("we know we have at least two chars");
175                     let last_e = existing_chars.next_back().expect("we know we have at least two chars");
176                     if eq_or_numeric(last_i, last_e) {
177                         if interned_chars.zip(existing_chars).filter(|&(i, e)| !eq_or_numeric(i, e)).count() != 1 {
178                             continue;
179                         }
180                     } else {
181                         let second_last_i = interned_chars.next_back().expect("we know we have at least three chars");
182                         let second_last_e = existing_chars.next_back().expect("we know we have at least three chars");
183                         if !eq_or_numeric(second_last_i, second_last_e) || second_last_i == '_' ||
184                            !interned_chars.zip(existing_chars).all(|(i, e)| eq_or_numeric(i, e)) {
185                             // allowed similarity foo_x, foo_y
186                             // or too many chars differ (foo_x, boo_y) or (foox, booy)
187                             continue;
188                         }
189                         split_at = interned_name.char_indices().rev().next().map(|(i, _)| i);
190                     }
191                 } else {
192                     let second_i = interned_chars.next().expect("we know we have at least two chars");
193                     let second_e = existing_chars.next().expect("we know we have at least two chars");
194                     if !eq_or_numeric(second_i, second_e) || second_i == '_' ||
195                        !interned_chars.zip(existing_chars).all(|(i, e)| eq_or_numeric(i, e)) {
196                         // allowed similarity x_foo, y_foo
197                         // or too many chars differ (x_foo, y_boo) or (xfoo, yboo)
198                         continue;
199                     }
200                     split_at = interned_name.chars().next().map(|c| c.len_utf8());
201                 }
202             }
203             span_lint_and_then(self.0.cx,
204                                SIMILAR_NAMES,
205                                span,
206                                "binding's name is too similar to existing binding",
207                                |diag| {
208                 diag.span_note(existing_name.span, "existing binding defined here");
209                 if let Some(split) = split_at {
210                     diag.span_help(span,
211                                    &format!("separate the discriminating character by an \
212                                                                 underscore like: `{}_{}`",
213                                             &interned_name[..split],
214                                             &interned_name[split..]));
215                 }
216             });
217             return;
218         }
219         self.0.names.push(ExistingName {
220             whitelist: get_whitelist(&interned_name).unwrap_or(&[]),
221             interned: interned_name,
222             span: span,
223             len: count,
224         });
225     }
226 }
227
228 impl<'a, 'b> SimilarNamesLocalVisitor<'a, 'b> {
229     /// ensure scoping rules work
230     fn apply<F: for<'c> Fn(&'c mut Self)>(&mut self, f: F) {
231         let n = self.names.len();
232         let single_char_count = self.single_char_names.len();
233         f(self);
234         self.names.truncate(n);
235         self.single_char_names.truncate(single_char_count);
236     }
237 }
238
239 impl<'a, 'tcx> Visitor<'tcx> for SimilarNamesLocalVisitor<'a, 'tcx> {
240     fn visit_local(&mut self, local: &'tcx Local) {
241         if let Some(ref init) = local.init {
242             self.apply(|this| walk_expr(this, &**init));
243         }
244         // add the pattern after the expression because the bindings aren't available yet in the init
245         // expression
246         SimilarNamesNameVisitor(self).visit_pat(&*local.pat);
247     }
248     fn visit_block(&mut self, blk: &'tcx Block) {
249         self.apply(|this| walk_block(this, blk));
250     }
251     fn visit_arm(&mut self, arm: &'tcx Arm) {
252         self.apply(|this| {
253             // just go through the first pattern, as either all patterns
254             // bind the same bindings or rustc would have errored much earlier
255             SimilarNamesNameVisitor(this).visit_pat(&arm.pats[0]);
256             this.apply(|this| walk_expr(this, &arm.body));
257         });
258     }
259     fn visit_item(&mut self, _: &Item) {
260         // do not recurse into inner items
261     }
262 }
263
264 impl EarlyLintPass for NonExpressiveNames {
265     fn check_item(&mut self, cx: &EarlyContext, item: &Item) {
266         if let ItemKind::Fn(ref decl, _, _, _, _, ref blk) = item.node {
267             if !attr::contains_name(&item.attrs, "test") {
268                 let mut visitor = SimilarNamesLocalVisitor {
269                     names: Vec::new(),
270                     cx: cx,
271                     lint: self,
272                     single_char_names: Vec::new(),
273                 };
274                 // initialize with function arguments
275                 for arg in &decl.inputs {
276                     SimilarNamesNameVisitor(&mut visitor).visit_pat(&arg.pat);
277                 }
278                 // walk all other bindings
279                 walk_block(&mut visitor, blk);
280             }
281         }
282     }
283 }
284
285 /// Precondition: `a_name.chars().count() < b_name.chars().count()`.
286 fn levenstein_not_1(a_name: &str, b_name: &str) -> bool {
287     debug_assert!(a_name.chars().count() < b_name.chars().count());
288     let mut a_chars = a_name.chars();
289     let mut b_chars = b_name.chars();
290     while let (Some(a), Some(b)) = (a_chars.next(), b_chars.next()) {
291         if a == b {
292             continue;
293         }
294         if let Some(b2) = b_chars.next() {
295             // check if there's just one character inserted
296             return a != b2 || a_chars.ne(b_chars);
297         } else {
298             // tuple
299             // ntuple
300             return true;
301         }
302     }
303     // for item in items
304     true
305 }