]> git.lizzy.rs Git - rust.git/blob - clippy_lints/src/utils/sugg.rs
Make clippy_lints::{utils,consts} modules private, remove unused items.
[rust.git] / clippy_lints / src / utils / sugg.rs
1 //! Contains utility functions to generate suggestions.
2 #![deny(missing_docs_in_private_items)]
3 // currently ignores lifetimes and generics
4 #![allow(use_self)]
5
6 use matches::matches;
7 use rustc::hir;
8 use rustc::lint::{EarlyContext, LateContext, LintContext};
9 use rustc_errors;
10 use std::borrow::Cow;
11 use std::fmt::Display;
12 use std;
13 use syntax::source_map::{CharPos, Span};
14 use syntax::parse::token;
15 use syntax::print::pprust::token_to_string;
16 use syntax::util::parser::AssocOp;
17 use syntax::ast;
18 use crate::utils::{higher, snippet, snippet_opt};
19 use syntax_pos::{BytePos, Pos};
20
21 /// A helper type to build suggestion correctly handling parenthesis.
22 pub enum Sugg<'a> {
23     /// An expression that never needs parenthesis such as `1337` or `[0; 42]`.
24     NonParen(Cow<'a, str>),
25     /// An expression that does not fit in other variants.
26     MaybeParen(Cow<'a, str>),
27     /// A binary operator expression, including `as`-casts and explicit type
28     /// coercion.
29     BinOp(AssocOp, Cow<'a, str>),
30 }
31
32 /// Literal constant `1`, for convenience.
33 pub const ONE: Sugg<'static> = Sugg::NonParen(Cow::Borrowed("1"));
34
35 impl Display for Sugg<'_> {
36     fn fmt(&self, f: &mut std::fmt::Formatter<'_>) -> Result<(), std::fmt::Error> {
37         match *self {
38             Sugg::NonParen(ref s) | Sugg::MaybeParen(ref s) | Sugg::BinOp(_, ref s) => s.fmt(f),
39         }
40     }
41 }
42
43 #[allow(wrong_self_convention)] // ok, because of the function `as_ty` method
44 impl<'a> Sugg<'a> {
45     /// Prepare a suggestion from an expression.
46     pub fn hir_opt(cx: &LateContext<'_, '_>, expr: &hir::Expr) -> Option<Self> {
47         snippet_opt(cx, expr.span).map(|snippet| {
48             let snippet = Cow::Owned(snippet);
49             match expr.node {
50                 hir::ExprKind::AddrOf(..) |
51                 hir::ExprKind::Box(..) |
52                 hir::ExprKind::Closure(.., _) |
53                 hir::ExprKind::If(..) |
54                 hir::ExprKind::Unary(..) |
55                 hir::ExprKind::Match(..) => Sugg::MaybeParen(snippet),
56                 hir::ExprKind::Continue(..) |
57                 hir::ExprKind::Yield(..) |
58                 hir::ExprKind::Array(..) |
59                 hir::ExprKind::Block(..) |
60                 hir::ExprKind::Break(..) |
61                 hir::ExprKind::Call(..) |
62                 hir::ExprKind::Field(..) |
63                 hir::ExprKind::Index(..) |
64                 hir::ExprKind::InlineAsm(..) |
65                 hir::ExprKind::Lit(..) |
66                 hir::ExprKind::Loop(..) |
67                 hir::ExprKind::MethodCall(..) |
68                 hir::ExprKind::Path(..) |
69                 hir::ExprKind::Repeat(..) |
70                 hir::ExprKind::Ret(..) |
71                 hir::ExprKind::Struct(..) |
72                 hir::ExprKind::Tup(..) |
73                 hir::ExprKind::While(..) => Sugg::NonParen(snippet),
74                 hir::ExprKind::Assign(..) => Sugg::BinOp(AssocOp::Assign, snippet),
75                 hir::ExprKind::AssignOp(op, ..) => Sugg::BinOp(hirbinop2assignop(op), snippet),
76                 hir::ExprKind::Binary(op, ..) => Sugg::BinOp(AssocOp::from_ast_binop(higher::binop(op.node)), snippet),
77                 hir::ExprKind::Cast(..) => Sugg::BinOp(AssocOp::As, snippet),
78                 hir::ExprKind::Type(..) => Sugg::BinOp(AssocOp::Colon, snippet),
79             }
80         })
81     }
82
83     /// Convenience function around `hir_opt` for suggestions with a default
84     /// text.
85     pub fn hir(cx: &LateContext<'_, '_>, expr: &hir::Expr, default: &'a str) -> Self {
86         Self::hir_opt(cx, expr).unwrap_or_else(|| Sugg::NonParen(Cow::Borrowed(default)))
87     }
88
89     /// Prepare a suggestion from an expression.
90     pub fn ast(cx: &EarlyContext<'_>, expr: &ast::Expr, default: &'a str) -> Self {
91         use syntax::ast::RangeLimits;
92
93         let snippet = snippet(cx, expr.span, default);
94
95         match expr.node {
96             ast::ExprKind::AddrOf(..) |
97             ast::ExprKind::Box(..) |
98             ast::ExprKind::Closure(..) |
99             ast::ExprKind::If(..) |
100             ast::ExprKind::IfLet(..) |
101             ast::ExprKind::ObsoleteInPlace(..) |
102             ast::ExprKind::Unary(..) |
103             ast::ExprKind::Match(..) => Sugg::MaybeParen(snippet),
104             ast::ExprKind::Async(..) |
105             ast::ExprKind::Block(..) |
106             ast::ExprKind::Break(..) |
107             ast::ExprKind::Call(..) |
108             ast::ExprKind::Continue(..) |
109             ast::ExprKind::Yield(..) |
110             ast::ExprKind::Field(..) |
111             ast::ExprKind::ForLoop(..) |
112             ast::ExprKind::Index(..) |
113             ast::ExprKind::InlineAsm(..) |
114             ast::ExprKind::Lit(..) |
115             ast::ExprKind::Loop(..) |
116             ast::ExprKind::Mac(..) |
117             ast::ExprKind::MethodCall(..) |
118             ast::ExprKind::Paren(..) |
119             ast::ExprKind::Path(..) |
120             ast::ExprKind::Repeat(..) |
121             ast::ExprKind::Ret(..) |
122             ast::ExprKind::Struct(..) |
123             ast::ExprKind::Try(..) |
124             ast::ExprKind::TryBlock(..) |
125             ast::ExprKind::Tup(..) |
126             ast::ExprKind::Array(..) |
127             ast::ExprKind::While(..) |
128             ast::ExprKind::WhileLet(..) => Sugg::NonParen(snippet),
129             ast::ExprKind::Range(.., RangeLimits::HalfOpen) => Sugg::BinOp(AssocOp::DotDot, snippet),
130             ast::ExprKind::Range(.., RangeLimits::Closed) => Sugg::BinOp(AssocOp::DotDotEq, snippet),
131             ast::ExprKind::Assign(..) => Sugg::BinOp(AssocOp::Assign, snippet),
132             ast::ExprKind::AssignOp(op, ..) => Sugg::BinOp(astbinop2assignop(op), snippet),
133             ast::ExprKind::Binary(op, ..) => Sugg::BinOp(AssocOp::from_ast_binop(op.node), snippet),
134             ast::ExprKind::Cast(..) => Sugg::BinOp(AssocOp::As, snippet),
135             ast::ExprKind::Type(..) => Sugg::BinOp(AssocOp::Colon, snippet),
136         }
137     }
138
139     /// Convenience method to create the `<lhs> && <rhs>` suggestion.
140     pub fn and(self, rhs: &Self) -> Sugg<'static> {
141         make_binop(ast::BinOpKind::And, &self, rhs)
142     }
143
144     /// Convenience method to create the `<lhs> as <rhs>` suggestion.
145     pub fn as_ty<R: Display>(self, rhs: R) -> Sugg<'static> {
146         make_assoc(AssocOp::As, &self, &Sugg::NonParen(rhs.to_string().into()))
147     }
148
149     /// Convenience method to create the `&<expr>` suggestion.
150     pub fn addr(self) -> Sugg<'static> {
151         make_unop("&", self)
152     }
153
154     /// Convenience method to create the `&mut <expr>` suggestion.
155     pub fn mut_addr(self) -> Sugg<'static> {
156         make_unop("&mut ", self)
157     }
158
159     /// Convenience method to create the `*<expr>` suggestion.
160     pub fn deref(self) -> Sugg<'static> {
161         make_unop("*", self)
162     }
163
164     /// Convenience method to create the `&*<expr>` suggestion. Currently this
165     /// is needed because `sugg.deref().addr()` produces an unnecessary set of
166     /// parentheses around the deref.
167     pub fn addr_deref(self) -> Sugg<'static> {
168         make_unop("&*", self)
169     }
170
171     /// Convenience method to create the `&mut *<expr>` suggestion. Currently
172     /// this is needed because `sugg.deref().mut_addr()` produces an unnecessary
173     /// set of parentheses around the deref.
174     pub fn mut_addr_deref(self) -> Sugg<'static> {
175         make_unop("&mut *", self)
176     }
177
178     /// Add parenthesis to any expression that might need them. Suitable to the
179     /// `self` argument of
180     /// a method call (eg. to build `bar.foo()` or `(1 + 2).foo()`).
181     pub fn maybe_par(self) -> Self {
182         match self {
183             Sugg::NonParen(..) => self,
184             // (x) and (x).y() both don't need additional parens
185             Sugg::MaybeParen(sugg) => if sugg.starts_with('(') && sugg.ends_with(')') {
186                 Sugg::MaybeParen(sugg)
187             } else {
188                 Sugg::NonParen(format!("({})", sugg).into())
189             },
190             Sugg::BinOp(_, sugg) => Sugg::NonParen(format!("({})", sugg).into()),
191         }
192     }
193 }
194
195 impl<'a, 'b> std::ops::Add<Sugg<'b>> for Sugg<'a> {
196     type Output = Sugg<'static>;
197     fn add(self, rhs: Sugg<'b>) -> Sugg<'static> {
198         make_binop(ast::BinOpKind::Add, &self, &rhs)
199     }
200 }
201
202 impl<'a, 'b> std::ops::Sub<Sugg<'b>> for Sugg<'a> {
203     type Output = Sugg<'static>;
204     fn sub(self, rhs: Sugg<'b>) -> Sugg<'static> {
205         make_binop(ast::BinOpKind::Sub, &self, &rhs)
206     }
207 }
208
209 impl<'a> std::ops::Not for Sugg<'a> {
210     type Output = Sugg<'static>;
211     fn not(self) -> Sugg<'static> {
212         make_unop("!", self)
213     }
214 }
215
216 /// Helper type to display either `foo` or `(foo)`.
217 struct ParenHelper<T> {
218     /// Whether parenthesis are needed.
219     paren: bool,
220     /// The main thing to display.
221     wrapped: T,
222 }
223
224 impl<T> ParenHelper<T> {
225     /// Build a `ParenHelper`.
226     fn new(paren: bool, wrapped: T) -> Self {
227         Self {
228             paren,
229             wrapped,
230         }
231     }
232 }
233
234 impl<T: Display> Display for ParenHelper<T> {
235     fn fmt(&self, f: &mut std::fmt::Formatter<'_>) -> Result<(), std::fmt::Error> {
236         if self.paren {
237             write!(f, "({})", self.wrapped)
238         } else {
239             self.wrapped.fmt(f)
240         }
241     }
242 }
243
244 /// Build the string for `<op><expr>` adding parenthesis when necessary.
245 ///
246 /// For convenience, the operator is taken as a string because all unary
247 /// operators have the same
248 /// precedence.
249 pub fn make_unop(op: &str, expr: Sugg<'_>) -> Sugg<'static> {
250     Sugg::MaybeParen(format!("{}{}", op, expr.maybe_par()).into())
251 }
252
253 /// Build the string for `<lhs> <op> <rhs>` adding parenthesis when necessary.
254 ///
255 /// Precedence of shift operator relative to other arithmetic operation is
256 /// often confusing so
257 /// parenthesis will always be added for a mix of these.
258 pub fn make_assoc(op: AssocOp, lhs: &Sugg<'_>, rhs: &Sugg<'_>) -> Sugg<'static> {
259     /// Whether the operator is a shift operator `<<` or `>>`.
260     fn is_shift(op: &AssocOp) -> bool {
261         matches!(*op, AssocOp::ShiftLeft | AssocOp::ShiftRight)
262     }
263
264     /// Whether the operator is a arithmetic operator (`+`, `-`, `*`, `/`, `%`).
265     fn is_arith(op: &AssocOp) -> bool {
266         matches!(
267             *op,
268             AssocOp::Add | AssocOp::Subtract | AssocOp::Multiply | AssocOp::Divide | AssocOp::Modulus
269         )
270     }
271
272     /// Whether the operator `op` needs parenthesis with the operator `other`
273     /// in the direction
274     /// `dir`.
275     fn needs_paren(op: &AssocOp, other: &AssocOp, dir: Associativity) -> bool {
276         other.precedence() < op.precedence()
277             || (other.precedence() == op.precedence()
278                 && ((op != other && associativity(op) != dir)
279                     || (op == other && associativity(op) != Associativity::Both)))
280             || is_shift(op) && is_arith(other) || is_shift(other) && is_arith(op)
281     }
282
283     let lhs_paren = if let Sugg::BinOp(ref lop, _) = *lhs {
284         needs_paren(&op, lop, Associativity::Left)
285     } else {
286         false
287     };
288
289     let rhs_paren = if let Sugg::BinOp(ref rop, _) = *rhs {
290         needs_paren(&op, rop, Associativity::Right)
291     } else {
292         false
293     };
294
295     let lhs = ParenHelper::new(lhs_paren, lhs);
296     let rhs = ParenHelper::new(rhs_paren, rhs);
297     let sugg = match op {
298         AssocOp::Add |
299         AssocOp::BitAnd |
300         AssocOp::BitOr |
301         AssocOp::BitXor |
302         AssocOp::Divide |
303         AssocOp::Equal |
304         AssocOp::Greater |
305         AssocOp::GreaterEqual |
306         AssocOp::LAnd |
307         AssocOp::LOr |
308         AssocOp::Less |
309         AssocOp::LessEqual |
310         AssocOp::Modulus |
311         AssocOp::Multiply |
312         AssocOp::NotEqual |
313         AssocOp::ShiftLeft |
314         AssocOp::ShiftRight |
315         AssocOp::Subtract => format!("{} {} {}", lhs, op.to_ast_binop().expect("Those are AST ops").to_string(), rhs),
316         AssocOp::Assign => format!("{} = {}", lhs, rhs),
317         AssocOp::ObsoleteInPlace => format!("in ({}) {}", lhs, rhs),
318         AssocOp::AssignOp(op) => format!("{} {}= {}", lhs, token_to_string(&token::BinOp(op)), rhs),
319         AssocOp::As => format!("{} as {}", lhs, rhs),
320         AssocOp::DotDot => format!("{}..{}", lhs, rhs),
321         AssocOp::DotDotEq => format!("{}..={}", lhs, rhs),
322         AssocOp::Colon => format!("{}: {}", lhs, rhs),
323     };
324
325     Sugg::BinOp(op, sugg.into())
326 }
327
328 /// Convenience wrapper around `make_assoc` and `AssocOp::from_ast_binop`.
329 pub fn make_binop(op: ast::BinOpKind, lhs: &Sugg<'_>, rhs: &Sugg<'_>) -> Sugg<'static> {
330     make_assoc(AssocOp::from_ast_binop(op), lhs, rhs)
331 }
332
333 #[derive(PartialEq, Eq, Clone, Copy)]
334 /// Operator associativity.
335 enum Associativity {
336     /// The operator is both left-associative and right-associative.
337     Both,
338     /// The operator is left-associative.
339     Left,
340     /// The operator is not associative.
341     None,
342     /// The operator is right-associative.
343     Right,
344 }
345
346 /// Return the associativity/fixity of an operator. The difference with
347 /// `AssocOp::fixity` is that
348 /// an operator can be both left and right associative (such as `+`:
349 /// `a + b + c == (a + b) + c == a + (b + c)`.
350 ///
351 /// Chained `as` and explicit `:` type coercion never need inner parenthesis so
352 /// they are considered
353 /// associative.
354 fn associativity(op: &AssocOp) -> Associativity {
355     use syntax::util::parser::AssocOp::*;
356
357     match *op {
358         ObsoleteInPlace | Assign | AssignOp(_) => Associativity::Right,
359         Add | BitAnd | BitOr | BitXor | LAnd | LOr | Multiply | As | Colon => Associativity::Both,
360         Divide |
361         Equal |
362         Greater |
363         GreaterEqual |
364         Less |
365         LessEqual |
366         Modulus |
367         NotEqual |
368         ShiftLeft |
369         ShiftRight |
370         Subtract => Associativity::Left,
371         DotDot | DotDotEq => Associativity::None,
372     }
373 }
374
375 /// Convert a `hir::BinOp` to the corresponding assigning binary operator.
376 fn hirbinop2assignop(op: hir::BinOp) -> AssocOp {
377     use syntax::parse::token::BinOpToken::*;
378
379     AssocOp::AssignOp(match op.node {
380         hir::BinOpKind::Add => Plus,
381         hir::BinOpKind::BitAnd => And,
382         hir::BinOpKind::BitOr => Or,
383         hir::BinOpKind::BitXor => Caret,
384         hir::BinOpKind::Div => Slash,
385         hir::BinOpKind::Mul => Star,
386         hir::BinOpKind::Rem => Percent,
387         hir::BinOpKind::Shl => Shl,
388         hir::BinOpKind::Shr => Shr,
389         hir::BinOpKind::Sub => Minus,
390
391         | hir::BinOpKind::And
392         | hir::BinOpKind::Eq
393         | hir::BinOpKind::Ge
394         | hir::BinOpKind::Gt
395         | hir::BinOpKind::Le
396         | hir::BinOpKind::Lt
397         | hir::BinOpKind::Ne
398         | hir::BinOpKind::Or
399         => panic!("This operator does not exist"),
400     })
401 }
402
403 /// Convert an `ast::BinOp` to the corresponding assigning binary operator.
404 fn astbinop2assignop(op: ast::BinOp) -> AssocOp {
405     use syntax::ast::BinOpKind::*;
406     use syntax::parse::token::BinOpToken;
407
408     AssocOp::AssignOp(match op.node {
409         Add => BinOpToken::Plus,
410         BitAnd => BinOpToken::And,
411         BitOr => BinOpToken::Or,
412         BitXor => BinOpToken::Caret,
413         Div => BinOpToken::Slash,
414         Mul => BinOpToken::Star,
415         Rem => BinOpToken::Percent,
416         Shl => BinOpToken::Shl,
417         Shr => BinOpToken::Shr,
418         Sub => BinOpToken::Minus,
419         And | Eq | Ge | Gt | Le | Lt | Ne | Or => panic!("This operator does not exist"),
420     })
421 }
422
423 /// Return the indentation before `span` if there are nothing but `[ \t]`
424 /// before it on its line.
425 fn indentation<'a, T: LintContext<'a>>(cx: &T, span: Span) -> Option<String> {
426     let lo = cx.sess().source_map().lookup_char_pos(span.lo());
427     if let Some(line) = lo.file
428         .get_line(lo.line - 1 /* line numbers in `Loc` are 1-based */)
429     {
430         if let Some((pos, _)) = line.char_indices().find(|&(_, c)| c != ' ' && c != '\t') {
431             // we can mix char and byte positions here because we only consider `[ \t]`
432             if lo.col == CharPos(pos) {
433                 Some(line[..pos].into())
434             } else {
435                 None
436             }
437         } else {
438             None
439         }
440     } else {
441         None
442     }
443 }
444
445 /// Convenience extension trait for `DiagnosticBuilder`.
446 pub trait DiagnosticBuilderExt<'a, T: LintContext<'a>> {
447     /// Suggests to add an attribute to an item.
448     ///
449     /// Correctly handles indentation of the attribute and item.
450     ///
451     /// # Example
452     ///
453     /// ```rust,ignore
454     /// db.suggest_item_with_attr(cx, item, "#[derive(Default)]");
455     /// ```
456     fn suggest_item_with_attr<D: Display + ?Sized>(&mut self, cx: &T, item: Span, msg: &str, attr: &D);
457
458     /// Suggest to add an item before another.
459     ///
460     /// The item should not be indented (expect for inner indentation).
461     ///
462     /// # Example
463     ///
464     /// ```rust,ignore
465     /// db.suggest_prepend_item(cx, item,
466     /// "fn foo() {
467     ///     bar();
468     /// }");
469     /// ```
470     fn suggest_prepend_item(&mut self, cx: &T, item: Span, msg: &str, new_item: &str);
471
472     /// Suggest to completely remove an item.
473     ///
474     /// This will remove an item and all following whitespace until the next non-whitespace
475     /// character. This should work correctly if item is on the same indentation level as the
476     /// following item.
477     ///
478     /// # Example
479     ///
480     /// ```rust,ignore
481     /// db.suggest_remove_item(cx, item, "remove this")
482     /// ```
483     fn suggest_remove_item(&mut self, cx: &T, item: Span, msg: &str);
484 }
485
486 impl<'a, 'b, 'c, T: LintContext<'c>> DiagnosticBuilderExt<'c, T> for rustc_errors::DiagnosticBuilder<'b> {
487     fn suggest_item_with_attr<D: Display + ?Sized>(&mut self, cx: &T, item: Span, msg: &str, attr: &D) {
488         if let Some(indent) = indentation(cx, item) {
489             let span = item.with_hi(item.lo());
490
491             self.span_suggestion(span, msg, format!("{}\n{}", attr, indent));
492         }
493     }
494
495     fn suggest_prepend_item(&mut self, cx: &T, item: Span, msg: &str, new_item: &str) {
496         if let Some(indent) = indentation(cx, item) {
497             let span = item.with_hi(item.lo());
498
499             let mut first = true;
500             let new_item = new_item
501                 .lines()
502                 .map(|l| {
503                     if first {
504                         first = false;
505                         format!("{}\n", l)
506                     } else {
507                         format!("{}{}\n", indent, l)
508                     }
509                 })
510                 .collect::<String>();
511
512             self.span_suggestion(span, msg, format!("{}\n{}", new_item, indent));
513         }
514     }
515
516     fn suggest_remove_item(&mut self, cx: &T, item: Span, msg: &str) {
517         let mut remove_span = item;
518         let hi = cx.sess().source_map().next_point(remove_span).hi();
519         let fmpos = cx.sess().source_map().lookup_byte_offset(hi);
520
521         if let Some(ref src) = fmpos.fm.src {
522             let non_whitespace_offset = src[fmpos.pos.to_usize()..].find(|c| c != ' ' && c != '\t' && c != '\n');
523
524             if let Some(non_whitespace_offset) = non_whitespace_offset {
525                 remove_span = remove_span.with_hi(remove_span.hi() + BytePos(non_whitespace_offset as u32))
526             }
527         }
528
529         self.span_suggestion(remove_span, msg, String::new());
530     }
531 }