]> git.lizzy.rs Git - rust.git/blob - clippy_lints/src/indexing_slicing.rs
Merge pull request #3265 from mikerite/fix-export
[rust.git] / clippy_lints / src / indexing_slicing.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
11 //! lint on indexing and slicing operations
12
13 use crate::consts::{constant, Constant};
14 use crate::utils;
15 use crate::utils::higher;
16 use crate::utils::higher::Range;
17 use crate::rustc::hir::*;
18 use crate::rustc::lint::{LateContext, LateLintPass, LintArray, LintPass};
19 use crate::rustc::{declare_tool_lint, lint_array};
20 use crate::rustc::ty;
21 use crate::syntax::ast::RangeLimits;
22
23 /// **What it does:** Checks for out of bounds array indexing with a constant
24 /// index.
25 ///
26 /// **Why is this bad?** This will always panic at runtime.
27 ///
28 /// **Known problems:** Hopefully none.
29 ///
30 /// **Example:**
31 /// ```rust
32 /// let x = [1,2,3,4];
33 ///
34 /// // Bad
35 /// x[9];
36 /// &x[2..9];
37 ///
38 /// // Good
39 /// x[0];
40 /// x[3];
41 /// ```
42 declare_clippy_lint! {
43     pub OUT_OF_BOUNDS_INDEXING,
44     correctness,
45     "out of bounds constant indexing"
46 }
47
48 /// **What it does:** Checks for usage of indexing or slicing. Arrays are special cased, this lint
49 /// does report on arrays if we can tell that slicing operations are in bounds and does not
50 /// lint on constant `usize` indexing on arrays because that is handled by rustc's `const_err` lint.
51 ///
52 /// **Why is this bad?** Indexing and slicing can panic at runtime and there are
53 /// safe alternatives.
54 ///
55 /// **Known problems:** Hopefully none.
56 ///
57 /// **Example:**
58 /// ```rust
59 /// // Vector
60 /// let x = vec![0; 5];
61 ///
62 /// // Bad
63 /// x[2];
64 /// &x[2..100];
65 /// &x[2..];
66 /// &x[..100];
67 ///
68 /// // Good
69 /// x.get(2);
70 /// x.get(2..100);
71 /// x.get(2..);
72 /// x.get(..100);
73 ///
74 /// // Array
75 /// let y = [0, 1, 2, 3];
76 ///
77 /// // Bad
78 /// &y[10..100];
79 /// &y[10..];
80 /// &y[..100];
81 ///
82 /// // Good
83 /// &y[2..];
84 /// &y[..2];
85 /// &y[0..3];
86 /// y.get(10);
87 /// y.get(10..100);
88 /// y.get(10..);
89 /// y.get(..100);
90 /// ```
91 declare_clippy_lint! {
92     pub INDEXING_SLICING,
93     restriction,
94     "indexing/slicing usage"
95 }
96
97 #[derive(Copy, Clone)]
98 pub struct IndexingSlicing;
99
100 impl LintPass for IndexingSlicing {
101     fn get_lints(&self) -> LintArray {
102         lint_array!(INDEXING_SLICING, OUT_OF_BOUNDS_INDEXING)
103     }
104 }
105
106 impl<'a, 'tcx> LateLintPass<'a, 'tcx> for IndexingSlicing {
107     fn check_expr(&mut self, cx: &LateContext<'a, 'tcx>, expr: &'tcx Expr) {
108         if let ExprKind::Index(ref array, ref index) = &expr.node {
109             let ty = cx.tables.expr_ty(array);
110             if let Some(range) = higher::range(cx, index) {
111                 // Ranged indexes, i.e. &x[n..m], &x[n..], &x[..n] and &x[..]
112                 if let ty::Array(_, s) = ty.sty {
113                     let size: u128 = s.assert_usize(cx.tcx).unwrap().into();
114                     // Index is a constant range.
115                     if let Some((start, end)) = to_const_range(cx, range, size) {
116                         if start > size || end > size {
117                             utils::span_lint(
118                                 cx,
119                                 OUT_OF_BOUNDS_INDEXING,
120                                 expr.span,
121                                 "range is out of bounds",
122                             );
123                         }
124                         return;
125                     }
126                 }
127
128                 let help_msg = match (range.start, range.end) {
129                     (None, Some(_)) => "Consider using `.get(..n)`or `.get_mut(..n)` instead",
130                     (Some(_), None) => "Consider using `.get(n..)` or .get_mut(n..)` instead",
131                     (Some(_), Some(_)) => "Consider using `.get(n..m)` or `.get_mut(n..m)` instead",
132                     (None, None) => return, // [..] is ok.
133                 };
134
135                 utils::span_help_and_lint(
136                     cx,
137                     INDEXING_SLICING,
138                     expr.span,
139                     "slicing may panic.",
140                     help_msg,
141                 );
142             } else {
143                 // Catchall non-range index, i.e. [n] or [n << m]
144                 if let ty::Array(..) = ty.sty {
145                     // Index is a constant uint.
146                     if let Some(..) = constant(cx, cx.tables, index) {
147                         // Let rustc's `const_err` lint handle constant `usize` indexing on arrays.
148                         return;
149                     }
150                 }
151
152                 utils::span_help_and_lint(
153                     cx,
154                     INDEXING_SLICING,
155                     expr.span,
156                     "indexing may panic.",
157                     "Consider using `.get(n)` or `.get_mut(n)` instead",
158                 );
159             }
160         }
161     }
162 }
163
164 /// Returns an option containing a tuple with the start and end (exclusive) of
165 /// the range.
166 fn to_const_range<'a, 'tcx>(
167     cx: &LateContext<'a, 'tcx>,
168     range: Range<'_>,
169     array_size: u128,
170 ) -> Option<(u128, u128)> {
171     let s = range
172         .start
173         .map(|expr| constant(cx, cx.tables, expr).map(|(c, _)| c));
174     let start = match s {
175         Some(Some(Constant::Int(x))) => x,
176         Some(_) => return None,
177         None => 0,
178     };
179
180     let e = range
181         .end
182         .map(|expr| constant(cx, cx.tables, expr).map(|(c, _)| c));
183     let end = match e {
184         Some(Some(Constant::Int(x))) => if range.limits == RangeLimits::Closed {
185             x + 1
186         } else {
187             x
188         },
189         Some(_) => return None,
190         None => array_size,
191     };
192
193     Some((start, end))
194 }