]> git.lizzy.rs Git - rust.git/blob - clippy_lints/src/regex.rs
Auto merge of #3597 - xfix:match-ergonomics, r=phansch
[rust.git] / clippy_lints / src / regex.rs
1 // Copyright 2014-2018 The Rust Project Developers. See the COPYRIGHT
2 // file at the top-level directory of this distribution.
3 //
4 // Licensed under the Apache License, Version 2.0 <LICENSE-APACHE or
5 // http://www.apache.org/licenses/LICENSE-2.0> or the MIT license
6 // <LICENSE-MIT or http://opensource.org/licenses/MIT>, at your
7 // option. This file may not be copied, modified, or distributed
8 // except according to those terms.
9
10 use crate::consts::{constant, Constant};
11 use crate::utils::{is_expn_of, match_def_path, match_type, opt_def_id, paths, span_help_and_lint, span_lint};
12 use if_chain::if_chain;
13 use regex_syntax;
14 use rustc::hir::*;
15 use rustc::lint::{LateContext, LateLintPass, LintArray, LintPass};
16 use rustc::{declare_tool_lint, lint_array};
17 use rustc_data_structures::fx::FxHashSet;
18 use std::convert::TryFrom;
19 use syntax::ast::{LitKind, NodeId, StrStyle};
20 use syntax::source_map::{BytePos, Span};
21
22 /// **What it does:** Checks [regex](https://crates.io/crates/regex) creation
23 /// (with `Regex::new`,`RegexBuilder::new` or `RegexSet::new`) for correct
24 /// regex syntax.
25 ///
26 /// **Why is this bad?** This will lead to a runtime panic.
27 ///
28 /// **Known problems:** None.
29 ///
30 /// **Example:**
31 /// ```rust
32 /// Regex::new("|")
33 /// ```
34 declare_clippy_lint! {
35     pub INVALID_REGEX,
36     correctness,
37     "invalid regular expressions"
38 }
39
40 /// **What it does:** Checks for trivial [regex](https://crates.io/crates/regex)
41 /// creation (with `Regex::new`, `RegexBuilder::new` or `RegexSet::new`).
42 ///
43 /// **Why is this bad?** Matching the regex can likely be replaced by `==` or
44 /// `str::starts_with`, `str::ends_with` or `std::contains` or other `str`
45 /// methods.
46 ///
47 /// **Known problems:** None.
48 ///
49 /// **Example:**
50 /// ```rust
51 /// Regex::new("^foobar")
52 /// ```
53 declare_clippy_lint! {
54     pub TRIVIAL_REGEX,
55     style,
56     "trivial regular expressions"
57 }
58
59 /// **What it does:** Checks for usage of `regex!(_)` which (as of now) is
60 /// usually slower than `Regex::new(_)` unless called in a loop (which is a bad
61 /// idea anyway).
62 ///
63 /// **Why is this bad?** Performance, at least for now. The macro version is
64 /// likely to catch up long-term, but for now the dynamic version is faster.
65 ///
66 /// **Known problems:** None.
67 ///
68 /// **Example:**
69 /// ```rust
70 /// regex!("foo|bar")
71 /// ```
72 declare_clippy_lint! {
73     pub REGEX_MACRO,
74     style,
75     "use of `regex!(_)` instead of `Regex::new(_)`"
76 }
77
78 #[derive(Clone, Default)]
79 pub struct Pass {
80     spans: FxHashSet<Span>,
81     last: Option<NodeId>,
82 }
83
84 impl LintPass for Pass {
85     fn get_lints(&self) -> LintArray {
86         lint_array!(INVALID_REGEX, REGEX_MACRO, TRIVIAL_REGEX)
87     }
88 }
89
90 impl<'a, 'tcx> LateLintPass<'a, 'tcx> for Pass {
91     fn check_crate(&mut self, _: &LateContext<'a, 'tcx>, _: &'tcx Crate) {
92         self.spans.clear();
93     }
94
95     fn check_block(&mut self, cx: &LateContext<'a, 'tcx>, block: &'tcx Block) {
96         if_chain! {
97             if self.last.is_none();
98             if let Some(ref expr) = block.expr;
99             if match_type(cx, cx.tables.expr_ty(expr), &paths::REGEX);
100             if let Some(span) = is_expn_of(expr.span, "regex");
101             then {
102                 if !self.spans.contains(&span) {
103                     span_lint(cx,
104                               REGEX_MACRO,
105                               span,
106                               "`regex!(_)` found. \
107                               Please use `Regex::new(_)`, which is faster for now.");
108                     self.spans.insert(span);
109                 }
110                 self.last = Some(block.id);
111             }
112         }
113     }
114
115     fn check_block_post(&mut self, _: &LateContext<'a, 'tcx>, block: &'tcx Block) {
116         if self.last.map_or(false, |id| block.id == id) {
117             self.last = None;
118         }
119     }
120
121     fn check_expr(&mut self, cx: &LateContext<'a, 'tcx>, expr: &'tcx Expr) {
122         if_chain! {
123             if let ExprKind::Call(ref fun, ref args) = expr.node;
124             if let ExprKind::Path(ref qpath) = fun.node;
125             if args.len() == 1;
126             if let Some(def_id) = opt_def_id(cx.tables.qpath_def(qpath, fun.hir_id));
127             then {
128                 if match_def_path(cx.tcx, def_id, &paths::REGEX_NEW) ||
129                    match_def_path(cx.tcx, def_id, &paths::REGEX_BUILDER_NEW) {
130                     check_regex(cx, &args[0], true);
131                 } else if match_def_path(cx.tcx, def_id, &paths::REGEX_BYTES_NEW) ||
132                    match_def_path(cx.tcx, def_id, &paths::REGEX_BYTES_BUILDER_NEW) {
133                     check_regex(cx, &args[0], false);
134                 } else if match_def_path(cx.tcx, def_id, &paths::REGEX_SET_NEW) {
135                     check_set(cx, &args[0], true);
136                 } else if match_def_path(cx.tcx, def_id, &paths::REGEX_BYTES_SET_NEW) {
137                     check_set(cx, &args[0], false);
138                 }
139             }
140         }
141     }
142 }
143
144 #[allow(clippy::cast_possible_truncation)] // truncation very unlikely here
145 fn str_span(base: Span, c: regex_syntax::ast::Span, offset: u16) -> Span {
146     let offset = u32::from(offset);
147     let end = base.lo() + BytePos(u32::try_from(c.end.offset).expect("offset too large") + offset);
148     let start = base.lo() + BytePos(u32::try_from(c.start.offset).expect("offset too large") + offset);
149     assert!(start <= end);
150     Span::new(start, end, base.ctxt())
151 }
152
153 fn const_str<'a, 'tcx>(cx: &LateContext<'a, 'tcx>, e: &'tcx Expr) -> Option<String> {
154     constant(cx, cx.tables, e).and_then(|(c, _)| match c {
155         Constant::Str(s) => Some(s),
156         _ => None,
157     })
158 }
159
160 fn is_trivial_regex(s: &regex_syntax::hir::Hir) -> Option<&'static str> {
161     use regex_syntax::hir::Anchor::*;
162     use regex_syntax::hir::HirKind::*;
163
164     let is_literal = |e: &[regex_syntax::hir::Hir]| {
165         e.iter().all(|e| match *e.kind() {
166             Literal(_) => true,
167             _ => false,
168         })
169     };
170
171     match *s.kind() {
172         Empty | Anchor(_) => Some("the regex is unlikely to be useful as it is"),
173         Literal(_) => Some("consider using `str::contains`"),
174         Alternation(ref exprs) => {
175             if exprs.iter().all(|e| e.kind().is_empty()) {
176                 Some("the regex is unlikely to be useful as it is")
177             } else {
178                 None
179             }
180         },
181         Concat(ref exprs) => match (exprs[0].kind(), exprs[exprs.len() - 1].kind()) {
182             (&Anchor(StartText), &Anchor(EndText)) if exprs[1..(exprs.len() - 1)].is_empty() => {
183                 Some("consider using `str::is_empty`")
184             },
185             (&Anchor(StartText), &Anchor(EndText)) if is_literal(&exprs[1..(exprs.len() - 1)]) => {
186                 Some("consider using `==` on `str`s")
187             },
188             (&Anchor(StartText), &Literal(_)) if is_literal(&exprs[1..]) => Some("consider using `str::starts_with`"),
189             (&Literal(_), &Anchor(EndText)) if is_literal(&exprs[1..(exprs.len() - 1)]) => {
190                 Some("consider using `str::ends_with`")
191             },
192             _ if is_literal(exprs) => Some("consider using `str::contains`"),
193             _ => None,
194         },
195         _ => None,
196     }
197 }
198
199 fn check_set<'a, 'tcx>(cx: &LateContext<'a, 'tcx>, expr: &'tcx Expr, utf8: bool) {
200     if_chain! {
201         if let ExprKind::AddrOf(_, ref expr) = expr.node;
202         if let ExprKind::Array(ref exprs) = expr.node;
203         then {
204             for expr in exprs {
205                 check_regex(cx, expr, utf8);
206             }
207         }
208     }
209 }
210
211 fn check_regex<'a, 'tcx>(cx: &LateContext<'a, 'tcx>, expr: &'tcx Expr, utf8: bool) {
212     let mut parser = regex_syntax::ParserBuilder::new()
213         .unicode(utf8)
214         .allow_invalid_utf8(!utf8)
215         .build();
216
217     if let ExprKind::Lit(ref lit) = expr.node {
218         if let LitKind::Str(ref r, style) = lit.node {
219             let r = &r.as_str();
220             let offset = if let StrStyle::Raw(n) = style { 2 + n } else { 1 };
221             match parser.parse(r) {
222                 Ok(r) => {
223                     if let Some(repl) = is_trivial_regex(&r) {
224                         span_help_and_lint(cx, TRIVIAL_REGEX, expr.span, "trivial regex", repl);
225                     }
226                 },
227                 Err(regex_syntax::Error::Parse(e)) => {
228                     span_lint(
229                         cx,
230                         INVALID_REGEX,
231                         str_span(expr.span, *e.span(), offset),
232                         &format!("regex syntax error: {}", e.kind()),
233                     );
234                 },
235                 Err(regex_syntax::Error::Translate(e)) => {
236                     span_lint(
237                         cx,
238                         INVALID_REGEX,
239                         str_span(expr.span, *e.span(), offset),
240                         &format!("regex syntax error: {}", e.kind()),
241                     );
242                 },
243                 Err(e) => {
244                     span_lint(cx, INVALID_REGEX, expr.span, &format!("regex syntax error: {}", e));
245                 },
246             }
247         }
248     } else if let Some(r) = const_str(cx, expr) {
249         match parser.parse(&r) {
250             Ok(r) => {
251                 if let Some(repl) = is_trivial_regex(&r) {
252                     span_help_and_lint(cx, TRIVIAL_REGEX, expr.span, "trivial regex", repl);
253                 }
254             },
255             Err(regex_syntax::Error::Parse(e)) => {
256                 span_lint(
257                     cx,
258                     INVALID_REGEX,
259                     expr.span,
260                     &format!("regex syntax error on position {}: {}", e.span().start.offset, e.kind()),
261                 );
262             },
263             Err(regex_syntax::Error::Translate(e)) => {
264                 span_lint(
265                     cx,
266                     INVALID_REGEX,
267                     expr.span,
268                     &format!("regex syntax error on position {}: {}", e.span().start.offset, e.kind()),
269                 );
270             },
271             Err(e) => {
272                 span_lint(cx, INVALID_REGEX, expr.span, &format!("regex syntax error: {}", e));
273             },
274         }
275     }
276 }