]> git.lizzy.rs Git - rust.git/blob - clippy_lints/src/escape.rs
Update to `rustc 1.19.0-nightly (6a5fc9eec 2017-05-02)`
[rust.git] / clippy_lints / src / escape.rs
1 use rustc::hir::*;
2 use rustc::hir::intravisit as visit;
3 use rustc::hir::map::Node::{NodeExpr, NodeStmt};
4 use rustc::lint::*;
5 use rustc::middle::expr_use_visitor::*;
6 use rustc::middle::mem_categorization::{cmt, Categorization};
7 use rustc::ty;
8 use rustc::ty::layout::TargetDataLayout;
9 use rustc::traits::Reveal;
10 use rustc::util::nodemap::NodeSet;
11 use syntax::ast::NodeId;
12 use syntax::codemap::Span;
13 use utils::span_lint;
14
15 pub struct Pass {
16     pub too_large_for_stack: u64,
17 }
18
19 /// **What it does:** Checks for usage of `Box<T>` where an unboxed `T` would
20 /// work fine.
21 ///
22 /// **Why is this bad?** This is an unnecessary allocation, and bad for
23 /// performance. It is only necessary to allocate if you wish to move the box
24 /// into something.
25 ///
26 /// **Known problems:** None.
27 ///
28 /// **Example:**
29 /// ```rust
30 /// fn main() {
31 ///     let x = Box::new(1);
32 ///     foo(*x);
33 ///     println!("{}", *x);
34 /// }
35 /// ```
36 declare_lint! {
37     pub BOXED_LOCAL,
38     Warn,
39     "using `Box<T>` where unnecessary"
40 }
41
42 fn is_non_trait_box(ty: ty::Ty) -> bool {
43     ty.is_box() && !ty.boxed_ty().is_trait()
44 }
45
46 struct EscapeDelegate<'a, 'tcx: 'a> {
47     set: NodeSet,
48     tcx: ty::TyCtxt<'a, 'tcx, 'tcx>,
49     tables: &'a ty::TypeckTables<'tcx>,
50     target: TargetDataLayout,
51     too_large_for_stack: u64,
52 }
53
54 impl LintPass for Pass {
55     fn get_lints(&self) -> LintArray {
56         lint_array!(BOXED_LOCAL)
57     }
58 }
59
60 impl<'a, 'tcx> LateLintPass<'a, 'tcx> for Pass {
61     fn check_fn(
62         &mut self,
63         cx: &LateContext<'a, 'tcx>,
64         _: visit::FnKind<'tcx>,
65         _: &'tcx FnDecl,
66         body: &'tcx Body,
67         _: Span,
68         node_id: NodeId
69     ) {
70         // we store the infcx because it is expensive to recreate
71         // the context each time.
72         let mut v = EscapeDelegate {
73             set: NodeSet(),
74             tcx: cx.tcx,
75             tables: cx.tables,
76             target: TargetDataLayout::parse(cx.sess()),
77             too_large_for_stack: self.too_large_for_stack,
78         };
79
80         let infcx = cx.tcx.borrowck_fake_infer_ctxt(body.id());
81         let fn_def_id = cx.tcx.hir.local_def_id(node_id);
82         let region_maps = &cx.tcx.region_maps(fn_def_id);
83         {
84             let mut vis = ExprUseVisitor::new(&mut v, region_maps, &infcx);
85             vis.consume_body(body);
86         }
87
88         for node in v.set {
89             span_lint(cx,
90                       BOXED_LOCAL,
91                       cx.tcx.hir.span(node),
92                       "local variable doesn't need to be boxed here");
93         }
94     }
95 }
96
97 impl<'a, 'tcx: 'a> Delegate<'tcx> for EscapeDelegate<'a, 'tcx> {
98     fn consume(&mut self, _: NodeId, _: Span, cmt: cmt<'tcx>, mode: ConsumeMode) {
99         if let Categorization::Local(lid) = cmt.cat {
100             if self.set.contains(&lid) {
101                 if let Move(DirectRefMove) = mode {
102                     // moved out or in. clearly can't be localized
103                     self.set.remove(&lid);
104                 }
105             }
106         }
107     }
108     fn matched_pat(&mut self, _: &Pat, _: cmt<'tcx>, _: MatchMode) {}
109     fn consume_pat(&mut self, consume_pat: &Pat, cmt: cmt<'tcx>, _: ConsumeMode) {
110         let map = &self.tcx.hir;
111         if map.is_argument(consume_pat.id) {
112             // Skip closure arguments
113             if let Some(NodeExpr(..)) = map.find(map.get_parent_node(consume_pat.id)) {
114                 return;
115             }
116             if is_non_trait_box(cmt.ty) && !self.is_large_box(cmt.ty) {
117                 self.set.insert(consume_pat.id);
118             }
119             return;
120         }
121         if let Categorization::Rvalue(..) = cmt.cat {
122             if let Some(NodeStmt(st)) = map.find(map.get_parent_node(cmt.id)) {
123                 if let StmtDecl(ref decl, _) = st.node {
124                     if let DeclLocal(ref loc) = decl.node {
125                         if let Some(ref ex) = loc.init {
126                             if let ExprBox(..) = ex.node {
127                                 if is_non_trait_box(cmt.ty) && !self.is_large_box(cmt.ty) {
128                                     // let x = box (...)
129                                     self.set.insert(consume_pat.id);
130                                 }
131                                 // TODO Box::new
132                                 // TODO vec![]
133                                 // TODO "foo".to_owned() and friends
134                             }
135                         }
136                     }
137                 }
138             }
139         }
140         if let Categorization::Local(lid) = cmt.cat {
141             if self.set.contains(&lid) {
142                 // let y = x where x is known
143                 // remove x, insert y
144                 self.set.insert(consume_pat.id);
145                 self.set.remove(&lid);
146             }
147         }
148
149     }
150     fn borrow(
151         &mut self,
152         borrow_id: NodeId,
153         _: Span,
154         cmt: cmt<'tcx>,
155         _: ty::Region,
156         _: ty::BorrowKind,
157         loan_cause: LoanCause
158     ) {
159         use rustc::ty::adjustment::Adjust;
160
161         if let Categorization::Local(lid) = cmt.cat {
162             if self.set.contains(&lid) {
163                 if let Some(&Adjust::DerefRef { autoderefs, .. }) =
164                     self.tables
165                         .adjustments
166                         .get(&borrow_id)
167                         .map(|a| &a.kind) {
168                     if LoanCause::AutoRef == loan_cause {
169                         // x.foo()
170                         if autoderefs == 0 {
171                             self.set.remove(&lid); // Used without autodereffing (i.e. x.clone())
172                         }
173                     } else {
174                         span_bug!(cmt.span, "Unknown adjusted AutoRef");
175                     }
176                 } else if LoanCause::AddrOf == loan_cause {
177                     // &x
178                     if let Some(&Adjust::DerefRef { autoderefs, .. }) =
179                         self.tables
180                             .adjustments
181                             .get(&self.tcx
182                                 .hir
183                                 .get_parent_node(borrow_id))
184                             .map(|a| &a.kind) {
185                         if autoderefs <= 1 {
186                             // foo(&x) where no extra autoreffing is happening
187                             self.set.remove(&lid);
188                         }
189                     }
190
191                 } else if LoanCause::MatchDiscriminant == loan_cause {
192                     self.set.remove(&lid); // `match x` can move
193                 }
194                 // do nothing for matches, etc. These can't escape
195             }
196         }
197     }
198     fn decl_without_init(&mut self, _: NodeId, _: Span) {}
199     fn mutate(&mut self, _: NodeId, _: Span, _: cmt<'tcx>, _: MutateMode) {}
200 }
201
202 impl<'a, 'tcx: 'a> EscapeDelegate<'a, 'tcx> {
203     fn is_large_box(&self, ty: ty::Ty<'tcx>) -> bool {
204         // Large types need to be boxed to avoid stack
205         // overflows.
206         if ty.is_box() {
207             let inner = ty.boxed_ty();
208             self.tcx.infer_ctxt((), Reveal::All).enter(|infcx| if let Ok(layout) = inner.layout(&infcx) {
209                 let size = layout.size(&self.target);
210                 size.bytes() > self.too_large_for_stack
211             } else {
212                 false
213             })
214         } else {
215             false
216         }
217     }
218 }