]> git.lizzy.rs Git - rust.git/blob - clippy_lints/src/escape.rs
Auto merge of #4849 - flip1995:deny_warnings, r=phansch
[rust.git] / clippy_lints / src / escape.rs
1 use rustc::hir::intravisit as visit;
2 use rustc::hir::{self, *};
3 use rustc::lint::{LateContext, LateLintPass, LintArray, LintPass};
4 use rustc::middle::expr_use_visitor::*;
5 use rustc::middle::mem_categorization::{cmt_, Categorization};
6 use rustc::ty::layout::LayoutOf;
7 use rustc::ty::{self, Ty};
8 use rustc::util::nodemap::HirIdSet;
9 use rustc::{declare_tool_lint, impl_lint_pass};
10 use syntax::source_map::Span;
11
12 use crate::utils::span_lint;
13
14 #[derive(Copy, Clone)]
15 pub struct BoxedLocal {
16     pub too_large_for_stack: u64,
17 }
18
19 declare_clippy_lint! {
20     /// **What it does:** Checks for usage of `Box<T>` where an unboxed `T` would
21     /// work fine.
22     ///
23     /// **Why is this bad?** This is an unnecessary allocation, and bad for
24     /// performance. It is only necessary to allocate if you wish to move the box
25     /// into something.
26     ///
27     /// **Known problems:** None.
28     ///
29     /// **Example:**
30     /// ```rust
31     /// # fn foo(bar: usize) {}
32     /// let x = Box::new(1);
33     /// foo(*x);
34     /// println!("{}", *x);
35     /// ```
36     pub BOXED_LOCAL,
37     perf,
38     "using `Box<T>` where unnecessary"
39 }
40
41 fn is_non_trait_box(ty: Ty<'_>) -> bool {
42     ty.is_box() && !ty.boxed_ty().is_trait()
43 }
44
45 struct EscapeDelegate<'a, 'tcx> {
46     cx: &'a LateContext<'a, 'tcx>,
47     set: HirIdSet,
48     too_large_for_stack: u64,
49 }
50
51 impl_lint_pass!(BoxedLocal => [BOXED_LOCAL]);
52
53 impl<'a, 'tcx> LateLintPass<'a, 'tcx> for BoxedLocal {
54     fn check_fn(
55         &mut self,
56         cx: &LateContext<'a, 'tcx>,
57         _: visit::FnKind<'tcx>,
58         _: &'tcx FnDecl,
59         body: &'tcx Body,
60         _: Span,
61         hir_id: HirId,
62     ) {
63         // If the method is an impl for a trait, don't warn.
64         let parent_id = cx.tcx.hir().get_parent_item(hir_id);
65         let parent_node = cx.tcx.hir().find(parent_id);
66
67         if let Some(Node::Item(item)) = parent_node {
68             if let ItemKind::Impl(_, _, _, _, Some(..), _, _) = item.kind {
69                 return;
70             }
71         }
72
73         let mut v = EscapeDelegate {
74             cx,
75             set: HirIdSet::default(),
76             too_large_for_stack: self.too_large_for_stack,
77         };
78
79         let fn_def_id = cx.tcx.hir().local_def_id(hir_id);
80         let region_scope_tree = &cx.tcx.region_scope_tree(fn_def_id);
81         ExprUseVisitor::new(&mut v, cx.tcx, fn_def_id, cx.param_env, region_scope_tree, cx.tables).consume_body(body);
82
83         for node in v.set {
84             span_lint(
85                 cx,
86                 BOXED_LOCAL,
87                 cx.tcx.hir().span(node),
88                 "local variable doesn't need to be boxed here",
89             );
90         }
91     }
92 }
93
94 // TODO: Replace with Map::is_argument(..) when it's fixed
95 fn is_argument(map: &hir::map::Map<'_>, id: HirId) -> bool {
96     match map.find(id) {
97         Some(Node::Binding(_)) => (),
98         _ => return false,
99     }
100
101     match map.find(map.get_parent_node(id)) {
102         Some(Node::Param(_)) => true,
103         _ => false,
104     }
105 }
106
107 impl<'a, 'tcx> Delegate<'tcx> for EscapeDelegate<'a, 'tcx> {
108     fn consume(&mut self, cmt: &cmt_<'tcx>, mode: ConsumeMode) {
109         if let Categorization::Local(lid) = cmt.cat {
110             if let ConsumeMode::Move = mode {
111                 // moved out or in. clearly can't be localized
112                 self.set.remove(&lid);
113             }
114         }
115         let map = &self.cx.tcx.hir();
116         if let Categorization::Local(lid) = cmt.cat {
117             if let Some(Node::Binding(_)) = map.find(cmt.hir_id) {
118                 if self.set.contains(&lid) {
119                     // let y = x where x is known
120                     // remove x, insert y
121                     self.set.insert(cmt.hir_id);
122                     self.set.remove(&lid);
123                 }
124             }
125         }
126     }
127
128     fn borrow(&mut self, cmt: &cmt_<'tcx>, _: ty::BorrowKind) {
129         if let Categorization::Local(lid) = cmt.cat {
130             self.set.remove(&lid);
131         }
132     }
133
134     fn mutate(&mut self, cmt: &cmt_<'tcx>) {
135         let map = &self.cx.tcx.hir();
136         if is_argument(map, cmt.hir_id) {
137             // Skip closure arguments
138             let parent_id = map.get_parent_node(cmt.hir_id);
139             if let Some(Node::Expr(..)) = map.find(map.get_parent_node(parent_id)) {
140                 return;
141             }
142
143             if is_non_trait_box(cmt.ty) && !self.is_large_box(cmt.ty) {
144                 self.set.insert(cmt.hir_id);
145             }
146             return;
147         }
148     }
149 }
150
151 impl<'a, 'tcx> EscapeDelegate<'a, 'tcx> {
152     fn is_large_box(&self, ty: Ty<'tcx>) -> bool {
153         // Large types need to be boxed to avoid stack overflows.
154         if ty.is_box() {
155             self.cx.layout_of(ty.boxed_ty()).map_or(0, |l| l.size.bytes()) > self.too_large_for_stack
156         } else {
157             false
158         }
159     }
160 }