]> git.lizzy.rs Git - rust.git/blob - src/librustc_lint/nonstandard_style.rs
Rollup merge of #68039 - euclio:remove-strip-hidden, r=dtolnay
[rust.git] / src / librustc_lint / nonstandard_style.rs
1 use lint::{EarlyContext, LateContext, LintArray, LintContext};
2 use lint::{EarlyLintPass, LateLintPass, LintPass};
3 use rustc::lint;
4 use rustc::ty;
5 use rustc_hir as hir;
6 use rustc_hir::def::{DefKind, Res};
7 use rustc_hir::intravisit::FnKind;
8 use rustc_hir::{GenericParamKind, PatKind};
9 use rustc_span::symbol::sym;
10 use rustc_span::{symbol::Ident, BytePos, Span};
11 use rustc_target::spec::abi::Abi;
12 use syntax::ast;
13 use syntax::attr;
14 use syntax::errors::Applicability;
15
16 #[derive(PartialEq)]
17 pub enum MethodLateContext {
18     TraitAutoImpl,
19     TraitImpl,
20     PlainImpl,
21 }
22
23 pub fn method_context(cx: &LateContext<'_, '_>, id: hir::HirId) -> MethodLateContext {
24     let def_id = cx.tcx.hir().local_def_id(id);
25     let item = cx.tcx.associated_item(def_id);
26     match item.container {
27         ty::TraitContainer(..) => MethodLateContext::TraitAutoImpl,
28         ty::ImplContainer(cid) => match cx.tcx.impl_trait_ref(cid) {
29             Some(_) => MethodLateContext::TraitImpl,
30             None => MethodLateContext::PlainImpl,
31         },
32     }
33 }
34
35 declare_lint! {
36     pub NON_CAMEL_CASE_TYPES,
37     Warn,
38     "types, variants, traits and type parameters should have camel case names"
39 }
40
41 declare_lint_pass!(NonCamelCaseTypes => [NON_CAMEL_CASE_TYPES]);
42
43 fn char_has_case(c: char) -> bool {
44     c.is_lowercase() || c.is_uppercase()
45 }
46
47 fn is_camel_case(name: &str) -> bool {
48     let name = name.trim_matches('_');
49     if name.is_empty() {
50         return true;
51     }
52
53     // start with a non-lowercase letter rather than non-uppercase
54     // ones (some scripts don't have a concept of upper/lowercase)
55     !name.chars().next().unwrap().is_lowercase()
56         && !name.contains("__")
57         && !name.chars().collect::<Vec<_>>().windows(2).any(|pair| {
58             // contains a capitalisable character followed by, or preceded by, an underscore
59             char_has_case(pair[0]) && pair[1] == '_' || char_has_case(pair[1]) && pair[0] == '_'
60         })
61 }
62
63 fn to_camel_case(s: &str) -> String {
64     s.trim_matches('_')
65         .split('_')
66         .filter(|component| !component.is_empty())
67         .map(|component| {
68             let mut camel_cased_component = String::new();
69
70             let mut new_word = true;
71             let mut prev_is_lower_case = true;
72
73             for c in component.chars() {
74                 // Preserve the case if an uppercase letter follows a lowercase letter, so that
75                 // `camelCase` is converted to `CamelCase`.
76                 if prev_is_lower_case && c.is_uppercase() {
77                     new_word = true;
78                 }
79
80                 if new_word {
81                     camel_cased_component.push_str(&c.to_uppercase().to_string());
82                 } else {
83                     camel_cased_component.push_str(&c.to_lowercase().to_string());
84                 }
85
86                 prev_is_lower_case = c.is_lowercase();
87                 new_word = false;
88             }
89
90             camel_cased_component
91         })
92         .fold((String::new(), None), |(acc, prev): (String, Option<String>), next| {
93             // separate two components with an underscore if their boundary cannot
94             // be distinguished using a uppercase/lowercase case distinction
95             let join = if let Some(prev) = prev {
96                 let l = prev.chars().last().unwrap();
97                 let f = next.chars().next().unwrap();
98                 !char_has_case(l) && !char_has_case(f)
99             } else {
100                 false
101             };
102             (acc + if join { "_" } else { "" } + &next, Some(next))
103         })
104         .0
105 }
106
107 impl NonCamelCaseTypes {
108     fn check_case(&self, cx: &EarlyContext<'_>, sort: &str, ident: &Ident) {
109         let name = &ident.name.as_str();
110
111         if !is_camel_case(name) {
112             let msg = format!("{} `{}` should have an upper camel case name", sort, name);
113             cx.struct_span_lint(NON_CAMEL_CASE_TYPES, ident.span, &msg)
114                 .span_suggestion(
115                     ident.span,
116                     "convert the identifier to upper camel case",
117                     to_camel_case(name),
118                     Applicability::MaybeIncorrect,
119                 )
120                 .emit();
121         }
122     }
123 }
124
125 impl EarlyLintPass for NonCamelCaseTypes {
126     fn check_item(&mut self, cx: &EarlyContext<'_>, it: &ast::Item) {
127         let has_repr_c = it
128             .attrs
129             .iter()
130             .any(|attr| attr::find_repr_attrs(&cx.sess.parse_sess, attr).contains(&attr::ReprC));
131
132         if has_repr_c {
133             return;
134         }
135
136         match it.kind {
137             ast::ItemKind::TyAlias(..)
138             | ast::ItemKind::Enum(..)
139             | ast::ItemKind::Struct(..)
140             | ast::ItemKind::Union(..) => self.check_case(cx, "type", &it.ident),
141             ast::ItemKind::Trait(..) => self.check_case(cx, "trait", &it.ident),
142             _ => (),
143         }
144     }
145
146     fn check_trait_item(&mut self, cx: &EarlyContext<'_>, it: &ast::AssocItem) {
147         if let ast::AssocItemKind::TyAlias(..) = it.kind {
148             self.check_case(cx, "associated type", &it.ident);
149         }
150     }
151
152     fn check_variant(&mut self, cx: &EarlyContext<'_>, v: &ast::Variant) {
153         self.check_case(cx, "variant", &v.ident);
154     }
155
156     fn check_generic_param(&mut self, cx: &EarlyContext<'_>, param: &ast::GenericParam) {
157         if let ast::GenericParamKind::Type { .. } = param.kind {
158             self.check_case(cx, "type parameter", &param.ident);
159         }
160     }
161 }
162
163 declare_lint! {
164     pub NON_SNAKE_CASE,
165     Warn,
166     "variables, methods, functions, lifetime parameters and modules should have snake case names"
167 }
168
169 declare_lint_pass!(NonSnakeCase => [NON_SNAKE_CASE]);
170
171 impl NonSnakeCase {
172     fn to_snake_case(mut str: &str) -> String {
173         let mut words = vec![];
174         // Preserve leading underscores
175         str = str.trim_start_matches(|c: char| {
176             if c == '_' {
177                 words.push(String::new());
178                 true
179             } else {
180                 false
181             }
182         });
183         for s in str.split('_') {
184             let mut last_upper = false;
185             let mut buf = String::new();
186             if s.is_empty() {
187                 continue;
188             }
189             for ch in s.chars() {
190                 if !buf.is_empty() && buf != "'" && ch.is_uppercase() && !last_upper {
191                     words.push(buf);
192                     buf = String::new();
193                 }
194                 last_upper = ch.is_uppercase();
195                 buf.extend(ch.to_lowercase());
196             }
197             words.push(buf);
198         }
199         words.join("_")
200     }
201
202     /// Checks if a given identifier is snake case, and reports a diagnostic if not.
203     fn check_snake_case(&self, cx: &LateContext<'_, '_>, sort: &str, ident: &Ident) {
204         fn is_snake_case(ident: &str) -> bool {
205             if ident.is_empty() {
206                 return true;
207             }
208             let ident = ident.trim_start_matches('\'');
209             let ident = ident.trim_matches('_');
210
211             let mut allow_underscore = true;
212             ident.chars().all(|c| {
213                 allow_underscore = match c {
214                     '_' if !allow_underscore => return false,
215                     '_' => false,
216                     // It would be more obvious to use `c.is_lowercase()`,
217                     // but some characters do not have a lowercase form
218                     c if !c.is_uppercase() => true,
219                     _ => return false,
220                 };
221                 true
222             })
223         }
224
225         let name = &ident.name.as_str();
226
227         if !is_snake_case(name) {
228             let sc = NonSnakeCase::to_snake_case(name);
229
230             let msg = format!("{} `{}` should have a snake case name", sort, name);
231             let mut err = cx.struct_span_lint(NON_SNAKE_CASE, ident.span, &msg);
232
233             // We have a valid span in almost all cases, but we don't have one when linting a crate
234             // name provided via the command line.
235             if !ident.span.is_dummy() {
236                 err.span_suggestion(
237                     ident.span,
238                     "convert the identifier to snake case",
239                     sc,
240                     Applicability::MaybeIncorrect,
241                 );
242             } else {
243                 err.help(&format!("convert the identifier to snake case: `{}`", sc));
244             }
245
246             err.emit();
247         }
248     }
249 }
250
251 impl<'a, 'tcx> LateLintPass<'a, 'tcx> for NonSnakeCase {
252     fn check_mod(
253         &mut self,
254         cx: &LateContext<'_, '_>,
255         _: &'tcx hir::Mod<'tcx>,
256         _: Span,
257         id: hir::HirId,
258     ) {
259         if id != hir::CRATE_HIR_ID {
260             return;
261         }
262
263         let crate_ident = if let Some(name) = &cx.tcx.sess.opts.crate_name {
264             Some(Ident::from_str(name))
265         } else {
266             attr::find_by_name(&cx.tcx.hir().attrs(hir::CRATE_HIR_ID), sym::crate_name)
267                 .and_then(|attr| attr.meta())
268                 .and_then(|meta| {
269                     meta.name_value_literal().and_then(|lit| {
270                         if let ast::LitKind::Str(name, ..) = lit.kind {
271                             // Discard the double quotes surrounding the literal.
272                             let sp = cx
273                                 .sess()
274                                 .source_map()
275                                 .span_to_snippet(lit.span)
276                                 .ok()
277                                 .and_then(|snippet| {
278                                     let left = snippet.find('"')?;
279                                     let right =
280                                         snippet.rfind('"').map(|pos| snippet.len() - pos)?;
281
282                                     Some(
283                                         lit.span
284                                             .with_lo(lit.span.lo() + BytePos(left as u32 + 1))
285                                             .with_hi(lit.span.hi() - BytePos(right as u32)),
286                                     )
287                                 })
288                                 .unwrap_or_else(|| lit.span);
289
290                             Some(Ident::new(name, sp))
291                         } else {
292                             None
293                         }
294                     })
295                 })
296         };
297
298         if let Some(ident) = &crate_ident {
299             self.check_snake_case(cx, "crate", ident);
300         }
301     }
302
303     fn check_generic_param(&mut self, cx: &LateContext<'_, '_>, param: &hir::GenericParam<'_>) {
304         if let GenericParamKind::Lifetime { .. } = param.kind {
305             self.check_snake_case(cx, "lifetime", &param.name.ident());
306         }
307     }
308
309     fn check_fn(
310         &mut self,
311         cx: &LateContext<'_, '_>,
312         fk: FnKind<'_>,
313         _: &hir::FnDecl<'_>,
314         _: &hir::Body<'_>,
315         _: Span,
316         id: hir::HirId,
317     ) {
318         match &fk {
319             FnKind::Method(ident, ..) => match method_context(cx, id) {
320                 MethodLateContext::PlainImpl => {
321                     self.check_snake_case(cx, "method", ident);
322                 }
323                 MethodLateContext::TraitAutoImpl => {
324                     self.check_snake_case(cx, "trait method", ident);
325                 }
326                 _ => (),
327             },
328             FnKind::ItemFn(ident, _, header, _, attrs) => {
329                 // Skip foreign-ABI #[no_mangle] functions (Issue #31924)
330                 if header.abi != Abi::Rust && attr::contains_name(attrs, sym::no_mangle) {
331                     return;
332                 }
333                 self.check_snake_case(cx, "function", ident);
334             }
335             FnKind::Closure(_) => (),
336         }
337     }
338
339     fn check_item(&mut self, cx: &LateContext<'_, '_>, it: &hir::Item<'_>) {
340         if let hir::ItemKind::Mod(_) = it.kind {
341             self.check_snake_case(cx, "module", &it.ident);
342         }
343     }
344
345     fn check_trait_item(&mut self, cx: &LateContext<'_, '_>, item: &hir::TraitItem<'_>) {
346         if let hir::TraitItemKind::Method(_, hir::TraitMethod::Required(pnames)) = item.kind {
347             self.check_snake_case(cx, "trait method", &item.ident);
348             for param_name in pnames {
349                 self.check_snake_case(cx, "variable", param_name);
350             }
351         }
352     }
353
354     fn check_pat(&mut self, cx: &LateContext<'_, '_>, p: &hir::Pat<'_>) {
355         if let &PatKind::Binding(_, _, ident, _) = &p.kind {
356             self.check_snake_case(cx, "variable", &ident);
357         }
358     }
359
360     fn check_struct_def(&mut self, cx: &LateContext<'_, '_>, s: &hir::VariantData<'_>) {
361         for sf in s.fields() {
362             self.check_snake_case(cx, "structure field", &sf.ident);
363         }
364     }
365 }
366
367 declare_lint! {
368     pub NON_UPPER_CASE_GLOBALS,
369     Warn,
370     "static constants should have uppercase identifiers"
371 }
372
373 declare_lint_pass!(NonUpperCaseGlobals => [NON_UPPER_CASE_GLOBALS]);
374
375 impl NonUpperCaseGlobals {
376     fn check_upper_case(cx: &LateContext<'_, '_>, sort: &str, ident: &Ident) {
377         let name = &ident.name.as_str();
378
379         if name.chars().any(|c| c.is_lowercase()) {
380             let uc = NonSnakeCase::to_snake_case(&name).to_uppercase();
381
382             let msg = format!("{} `{}` should have an upper case name", sort, name);
383             cx.struct_span_lint(NON_UPPER_CASE_GLOBALS, ident.span, &msg)
384                 .span_suggestion(
385                     ident.span,
386                     "convert the identifier to upper case",
387                     uc,
388                     Applicability::MaybeIncorrect,
389                 )
390                 .emit();
391         }
392     }
393 }
394
395 impl<'a, 'tcx> LateLintPass<'a, 'tcx> for NonUpperCaseGlobals {
396     fn check_item(&mut self, cx: &LateContext<'_, '_>, it: &hir::Item<'_>) {
397         match it.kind {
398             hir::ItemKind::Static(..) if !attr::contains_name(&it.attrs, sym::no_mangle) => {
399                 NonUpperCaseGlobals::check_upper_case(cx, "static variable", &it.ident);
400             }
401             hir::ItemKind::Const(..) => {
402                 NonUpperCaseGlobals::check_upper_case(cx, "constant", &it.ident);
403             }
404             _ => {}
405         }
406     }
407
408     fn check_trait_item(&mut self, cx: &LateContext<'_, '_>, ti: &hir::TraitItem<'_>) {
409         if let hir::TraitItemKind::Const(..) = ti.kind {
410             NonUpperCaseGlobals::check_upper_case(cx, "associated constant", &ti.ident);
411         }
412     }
413
414     fn check_impl_item(&mut self, cx: &LateContext<'_, '_>, ii: &hir::ImplItem<'_>) {
415         if let hir::ImplItemKind::Const(..) = ii.kind {
416             NonUpperCaseGlobals::check_upper_case(cx, "associated constant", &ii.ident);
417         }
418     }
419
420     fn check_pat(&mut self, cx: &LateContext<'_, '_>, p: &hir::Pat<'_>) {
421         // Lint for constants that look like binding identifiers (#7526)
422         if let PatKind::Path(hir::QPath::Resolved(None, ref path)) = p.kind {
423             if let Res::Def(DefKind::Const, _) = path.res {
424                 if path.segments.len() == 1 {
425                     NonUpperCaseGlobals::check_upper_case(
426                         cx,
427                         "constant in pattern",
428                         &path.segments[0].ident,
429                     );
430                 }
431             }
432         }
433     }
434
435     fn check_generic_param(&mut self, cx: &LateContext<'_, '_>, param: &hir::GenericParam<'_>) {
436         if let GenericParamKind::Const { .. } = param.kind {
437             NonUpperCaseGlobals::check_upper_case(cx, "const parameter", &param.name.ident());
438         }
439     }
440 }
441
442 #[cfg(test)]
443 mod tests;