]> git.lizzy.rs Git - rust.git/blob - clippy_lints/src/format.rs
Make the lint docstrings more consistent.
[rust.git] / clippy_lints / src / format.rs
1 use rustc::hir::*;
2 use rustc::hir::map::Node::NodeItem;
3 use rustc::lint::*;
4 use rustc::ty::TypeVariants;
5 use syntax::ast::LitKind;
6 use utils::paths;
7 use utils::{is_expn_of, match_path, match_type, span_lint, walk_ptrs_ty};
8
9 /// **What it does:** Checks for the use of `format!("string literal with no
10 /// argument")` and `format!("{}", foo)` where `foo` is a string.
11 ///
12 /// **Why is this bad?** There is no point of doing that. `format!("too")` can
13 /// be replaced by `"foo".to_owned()` if you really need a `String`. The even
14 /// worse `&format!("foo")` is often encountered in the wild. `format!("{}",
15 /// foo)` can be replaced by `foo.clone()` if `foo: String` or `foo.to_owned()`
16 /// is `foo: &str`.
17 ///
18 /// **Known problems:** None.
19 ///
20 /// **Examples:**
21 /// ```rust
22 /// format!("foo")
23 /// format!("{}", foo)
24 /// ```
25 declare_lint! {
26     pub USELESS_FORMAT,
27     Warn,
28     "useless use of `format!`"
29 }
30
31 #[derive(Copy, Clone, Debug)]
32 pub struct Pass;
33
34 impl LintPass for Pass {
35     fn get_lints(&self) -> LintArray {
36         lint_array![USELESS_FORMAT]
37     }
38 }
39
40 impl LateLintPass for Pass {
41     fn check_expr(&mut self, cx: &LateContext, expr: &Expr) {
42         if let Some(span) = is_expn_of(cx, expr.span, "format") {
43             match expr.node {
44                 // `format!("{}", foo)` expansion
45                 ExprCall(ref fun, ref args) => {
46                     if_let_chain!{[
47                         let ExprPath(_, ref path) = fun.node,
48                         args.len() == 2,
49                         match_path(path, &paths::FMT_ARGUMENTS_NEWV1),
50                         // ensure the format string is `"{..}"` with only one argument and no text
51                         check_static_str(cx, &args[0]),
52                         // ensure the format argument is `{}` ie. Display with no fancy option
53                         check_arg_is_display(cx, &args[1])
54                     ], {
55                         span_lint(cx, USELESS_FORMAT, span, "useless use of `format!`");
56                     }}
57                 }
58                 // `format!("foo")` expansion contains `match () { () => [], }`
59                 ExprMatch(ref matchee, _, _) => {
60                     if let ExprTup(ref tup) = matchee.node {
61                         if tup.is_empty() {
62                             span_lint(cx, USELESS_FORMAT, span, "useless use of `format!`");
63                         }
64                     }
65                 }
66                 _ => (),
67             }
68         }
69     }
70 }
71
72 /// Checks if the expressions matches
73 /// ```rust
74 /// { static __STATIC_FMTSTR: &[""] = _; __STATIC_FMTSTR }
75 /// ```
76 fn check_static_str(cx: &LateContext, expr: &Expr) -> bool {
77     if_let_chain! {[
78         let ExprBlock(ref block) = expr.node,
79         block.stmts.len() == 1,
80         let StmtDecl(ref decl, _) = block.stmts[0].node,
81         let DeclItem(ref decl) = decl.node,
82         let Some(NodeItem(decl)) = cx.tcx.map.find(decl.id),
83         decl.name.as_str() == "__STATIC_FMTSTR",
84         let ItemStatic(_, _, ref expr) = decl.node,
85         let ExprAddrOf(_, ref expr) = expr.node, // &[""]
86         let ExprVec(ref expr) = expr.node,
87         expr.len() == 1,
88         let ExprLit(ref lit) = expr[0].node,
89         let LitKind::Str(ref lit, _) = lit.node,
90         lit.is_empty()
91     ], {
92         return true;
93     }}
94
95     false
96 }
97
98 /// Checks if the expressions matches
99 /// ```rust
100 /// &match (&42,) {
101 ///     (__arg0,) => [::std::fmt::ArgumentV1::new(__arg0, ::std::fmt::Display::fmt)],
102 /// })
103 /// ```
104 fn check_arg_is_display(cx: &LateContext, expr: &Expr) -> bool {
105     if_let_chain! {[
106         let ExprAddrOf(_, ref expr) = expr.node,
107         let ExprMatch(_, ref arms, _) = expr.node,
108         arms.len() == 1,
109         arms[0].pats.len() == 1,
110         let PatKind::Tuple(ref pat, None) = arms[0].pats[0].node,
111         pat.len() == 1,
112         let ExprVec(ref exprs) = arms[0].body.node,
113         exprs.len() == 1,
114         let ExprCall(_, ref args) = exprs[0].node,
115         args.len() == 2,
116         let ExprPath(None, ref path) = args[1].node,
117         match_path(path, &paths::DISPLAY_FMT_METHOD)
118     ], {
119         let ty = walk_ptrs_ty(cx.tcx.pat_ty(&pat[0]));
120
121         return ty.sty == TypeVariants::TyStr || match_type(cx, ty, &paths::STRING);
122     }}
123
124     false
125 }