Skip to content

Commit 3d4d0cf

Browse files
committed
Auto merge of rust-lang#7643 - xFrednet:7569-splits-for-slices, r=camsteffen
New lint `index_refutable_slice` to avoid slice indexing A new lint to check for slices that could be deconstructed to avoid indexing. This lint should hopefully prevent some panics in other projects and ICEs for us. See rust-lang#7569 for an example The implementation specifically checks for immutable bindings in `if let` statements to slices and arrays. Then it checks if these bindings are only used for value access using indices and that these indices are lower than the configured limit. I did my best to keep the implementation small, however the check was sadly quite complex. Now it's around 300 lines for the implementation and the rest are test. --- Optional future improvements: * Check for these instances also in `match` statements * Check for mutable slice bindings that could also be destructed --- changelog: New lint [`index_refutable_slice`] I've already fixed a bunch of lint triggers in rust-lang#7638 to make this PR smaller Closes: rust-lang#7569
2 parents 3bfe98d + e444cbe commit 3d4d0cf

18 files changed

+729
-5
lines changed

CHANGELOG.md

Lines changed: 1 addition & 0 deletions
Original file line numberDiff line numberDiff line change
@@ -2904,6 +2904,7 @@ Released 2018-09-13
29042904
[`imprecise_flops`]: https://rust-lang.github.io/rust-clippy/master/index.html#imprecise_flops
29052905
[`inconsistent_digit_grouping`]: https://rust-lang.github.io/rust-clippy/master/index.html#inconsistent_digit_grouping
29062906
[`inconsistent_struct_constructor`]: https://rust-lang.github.io/rust-clippy/master/index.html#inconsistent_struct_constructor
2907+
[`index_refutable_slice`]: https://rust-lang.github.io/rust-clippy/master/index.html#index_refutable_slice
29072908
[`indexing_slicing`]: https://rust-lang.github.io/rust-clippy/master/index.html#indexing_slicing
29082909
[`ineffective_bit_mask`]: https://rust-lang.github.io/rust-clippy/master/index.html#ineffective_bit_mask
29092910
[`inefficient_to_string`]: https://rust-lang.github.io/rust-clippy/master/index.html#inefficient_to_string
Lines changed: 276 additions & 0 deletions
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,276 @@
1+
use clippy_utils::consts::{constant, Constant};
2+
use clippy_utils::diagnostics::span_lint_and_then;
3+
use clippy_utils::higher::IfLet;
4+
use clippy_utils::ty::is_copy;
5+
use clippy_utils::{is_expn_of, is_lint_allowed, meets_msrv, msrvs, path_to_local};
6+
use if_chain::if_chain;
7+
use rustc_data_structures::fx::{FxHashMap, FxHashSet};
8+
use rustc_errors::Applicability;
9+
use rustc_hir as hir;
10+
use rustc_hir::intravisit::{self, NestedVisitorMap, Visitor};
11+
use rustc_lint::{LateContext, LateLintPass, LintContext};
12+
use rustc_middle::hir::map::Map;
13+
use rustc_middle::ty;
14+
use rustc_semver::RustcVersion;
15+
use rustc_session::{declare_tool_lint, impl_lint_pass};
16+
use rustc_span::{symbol::Ident, Span};
17+
use std::convert::TryInto;
18+
19+
declare_clippy_lint! {
20+
/// ### What it does
21+
/// The lint checks for slice bindings in patterns that are only used to
22+
/// access individual slice values.
23+
///
24+
/// ### Why is this bad?
25+
/// Accessing slice values using indices can lead to panics. Using refutable
26+
/// patterns can avoid these. Binding to individual values also improves the
27+
/// readability as they can be named.
28+
///
29+
/// ### Limitations
30+
/// This lint currently only checks for immutable access inside `if let`
31+
/// patterns.
32+
///
33+
/// ### Example
34+
/// ```rust
35+
/// let slice: Option<&[u32]> = Some(&[1, 2, 3]);
36+
///
37+
/// if let Some(slice) = slice {
38+
/// println!("{}", slice[0]);
39+
/// }
40+
/// ```
41+
/// Use instead:
42+
/// ```rust
43+
/// let slice: Option<&[u32]> = Some(&[1, 2, 3]);
44+
///
45+
/// if let Some(&[first, ..]) = slice {
46+
/// println!("{}", first);
47+
/// }
48+
/// ```
49+
#[clippy::version = "1.58.0"]
50+
pub INDEX_REFUTABLE_SLICE,
51+
nursery,
52+
"avoid indexing on slices which could be destructed"
53+
}
54+
55+
#[derive(Copy, Clone)]
56+
pub struct IndexRefutableSlice {
57+
max_suggested_slice: u64,
58+
msrv: Option<RustcVersion>,
59+
}
60+
61+
impl IndexRefutableSlice {
62+
pub fn new(max_suggested_slice_pattern_length: u64, msrv: Option<RustcVersion>) -> Self {
63+
Self {
64+
max_suggested_slice: max_suggested_slice_pattern_length,
65+
msrv,
66+
}
67+
}
68+
}
69+
70+
impl_lint_pass!(IndexRefutableSlice => [INDEX_REFUTABLE_SLICE]);
71+
72+
impl LateLintPass<'_> for IndexRefutableSlice {
73+
fn check_expr(&mut self, cx: &LateContext<'tcx>, expr: &'tcx hir::Expr<'_>) {
74+
if_chain! {
75+
if !expr.span.from_expansion() || is_expn_of(expr.span, "if_chain").is_some();
76+
if let Some(IfLet {let_pat, if_then, ..}) = IfLet::hir(cx, expr);
77+
if !is_lint_allowed(cx, INDEX_REFUTABLE_SLICE, expr.hir_id);
78+
if meets_msrv(self.msrv.as_ref(), &msrvs::SLICE_PATTERNS);
79+
80+
let found_slices = find_slice_values(cx, let_pat);
81+
if !found_slices.is_empty();
82+
let filtered_slices = filter_lintable_slices(cx, found_slices, self.max_suggested_slice, if_then);
83+
if !filtered_slices.is_empty();
84+
then {
85+
for slice in filtered_slices.values() {
86+
lint_slice(cx, slice);
87+
}
88+
}
89+
}
90+
}
91+
92+
extract_msrv_attr!(LateContext);
93+
}
94+
95+
fn find_slice_values(cx: &LateContext<'_>, pat: &hir::Pat<'_>) -> FxHashMap<hir::HirId, SliceLintInformation> {
96+
let mut removed_pat: FxHashSet<hir::HirId> = FxHashSet::default();
97+
let mut slices: FxHashMap<hir::HirId, SliceLintInformation> = FxHashMap::default();
98+
pat.walk_always(|pat| {
99+
if let hir::PatKind::Binding(binding, value_hir_id, ident, sub_pat) = pat.kind {
100+
// We'll just ignore mut and ref mut for simplicity sake right now
101+
if let hir::BindingAnnotation::Mutable | hir::BindingAnnotation::RefMut = binding {
102+
return;
103+
}
104+
105+
// This block catches bindings with sub patterns. It would be hard to build a correct suggestion
106+
// for them and it's likely that the user knows what they are doing in such a case.
107+
if removed_pat.contains(&value_hir_id) {
108+
return;
109+
}
110+
if sub_pat.is_some() {
111+
removed_pat.insert(value_hir_id);
112+
slices.remove(&value_hir_id);
113+
return;
114+
}
115+
116+
let bound_ty = cx.typeck_results().node_type(pat.hir_id);
117+
if let ty::Slice(inner_ty) | ty::Array(inner_ty, _) = bound_ty.peel_refs().kind() {
118+
// The values need to use the `ref` keyword if they can't be copied.
119+
// This will need to be adjusted if the lint want to support multable access in the future
120+
let src_is_ref = bound_ty.is_ref() && binding != hir::BindingAnnotation::Ref;
121+
let needs_ref = !(src_is_ref || is_copy(cx, inner_ty));
122+
123+
let slice_info = slices
124+
.entry(value_hir_id)
125+
.or_insert_with(|| SliceLintInformation::new(ident, needs_ref));
126+
slice_info.pattern_spans.push(pat.span);
127+
}
128+
}
129+
});
130+
131+
slices
132+
}
133+
134+
fn lint_slice(cx: &LateContext<'_>, slice: &SliceLintInformation) {
135+
let used_indices = slice
136+
.index_use
137+
.iter()
138+
.map(|(index, _)| *index)
139+
.collect::<FxHashSet<_>>();
140+
141+
let value_name = |index| format!("{}_{}", slice.ident.name, index);
142+
143+
if let Some(max_index) = used_indices.iter().max() {
144+
let opt_ref = if slice.needs_ref { "ref " } else { "" };
145+
let pat_sugg_idents = (0..=*max_index)
146+
.map(|index| {
147+
if used_indices.contains(&index) {
148+
format!("{}{}", opt_ref, value_name(index))
149+
} else {
150+
"_".to_string()
151+
}
152+
})
153+
.collect::<Vec<_>>();
154+
let pat_sugg = format!("[{}, ..]", pat_sugg_idents.join(", "));
155+
156+
span_lint_and_then(
157+
cx,
158+
INDEX_REFUTABLE_SLICE,
159+
slice.ident.span,
160+
"this binding can be a slice pattern to avoid indexing",
161+
|diag| {
162+
diag.multipart_suggestion(
163+
"try using a slice pattern here",
164+
slice
165+
.pattern_spans
166+
.iter()
167+
.map(|span| (*span, pat_sugg.clone()))
168+
.collect(),
169+
Applicability::MaybeIncorrect,
170+
);
171+
172+
diag.multipart_suggestion(
173+
"and replace the index expressions here",
174+
slice
175+
.index_use
176+
.iter()
177+
.map(|(index, span)| (*span, value_name(*index)))
178+
.collect(),
179+
Applicability::MaybeIncorrect,
180+
);
181+
182+
// The lint message doesn't contain a warning about the removed index expression,
183+
// since `filter_lintable_slices` will only return slices where all access indices
184+
// are known at compile time. Therefore, they can be removed without side effects.
185+
},
186+
);
187+
}
188+
}
189+
190+
#[derive(Debug)]
191+
struct SliceLintInformation {
192+
ident: Ident,
193+
needs_ref: bool,
194+
pattern_spans: Vec<Span>,
195+
index_use: Vec<(u64, Span)>,
196+
}
197+
198+
impl SliceLintInformation {
199+
fn new(ident: Ident, needs_ref: bool) -> Self {
200+
Self {
201+
ident,
202+
needs_ref,
203+
pattern_spans: Vec::new(),
204+
index_use: Vec::new(),
205+
}
206+
}
207+
}
208+
209+
fn filter_lintable_slices<'a, 'tcx>(
210+
cx: &'a LateContext<'tcx>,
211+
slice_lint_info: FxHashMap<hir::HirId, SliceLintInformation>,
212+
max_suggested_slice: u64,
213+
scope: &'tcx hir::Expr<'tcx>,
214+
) -> FxHashMap<hir::HirId, SliceLintInformation> {
215+
let mut visitor = SliceIndexLintingVisitor {
216+
cx,
217+
slice_lint_info,
218+
max_suggested_slice,
219+
};
220+
221+
intravisit::walk_expr(&mut visitor, scope);
222+
223+
visitor.slice_lint_info
224+
}
225+
226+
struct SliceIndexLintingVisitor<'a, 'tcx> {
227+
cx: &'a LateContext<'tcx>,
228+
slice_lint_info: FxHashMap<hir::HirId, SliceLintInformation>,
229+
max_suggested_slice: u64,
230+
}
231+
232+
impl<'a, 'tcx> Visitor<'tcx> for SliceIndexLintingVisitor<'a, 'tcx> {
233+
type Map = Map<'tcx>;
234+
235+
fn nested_visit_map(&mut self) -> NestedVisitorMap<Self::Map> {
236+
NestedVisitorMap::OnlyBodies(self.cx.tcx.hir())
237+
}
238+
239+
fn visit_expr(&mut self, expr: &'tcx hir::Expr<'tcx>) {
240+
if let Some(local_id) = path_to_local(expr) {
241+
let Self {
242+
cx,
243+
ref mut slice_lint_info,
244+
max_suggested_slice,
245+
} = *self;
246+
247+
if_chain! {
248+
// Check if this is even a local we're interested in
249+
if let Some(use_info) = slice_lint_info.get_mut(&local_id);
250+
251+
let map = cx.tcx.hir();
252+
253+
// Checking for slice indexing
254+
let parent_id = map.get_parent_node(expr.hir_id);
255+
if let Some(hir::Node::Expr(parent_expr)) = map.find(parent_id);
256+
if let hir::ExprKind::Index(_, index_expr) = parent_expr.kind;
257+
if let Some((Constant::Int(index_value), _)) = constant(cx, cx.typeck_results(), index_expr);
258+
if let Ok(index_value) = index_value.try_into();
259+
if index_value < max_suggested_slice;
260+
261+
// Make sure that this slice index is read only
262+
let maybe_addrof_id = map.get_parent_node(parent_id);
263+
if let Some(hir::Node::Expr(maybe_addrof_expr)) = map.find(maybe_addrof_id);
264+
if let hir::ExprKind::AddrOf(_kind, hir::Mutability::Not, _inner_expr) = maybe_addrof_expr.kind;
265+
then {
266+
use_info.index_use.push((index_value, map.span(parent_expr.hir_id)));
267+
return;
268+
}
269+
}
270+
271+
// The slice was used for something other than indexing
272+
self.slice_lint_info.remove(&local_id);
273+
}
274+
intravisit::walk_expr(self, expr);
275+
}
276+
}

clippy_lints/src/lib.register_lints.rs

Lines changed: 1 addition & 0 deletions
Original file line numberDiff line numberDiff line change
@@ -168,6 +168,7 @@ store.register_lints(&[
168168
implicit_return::IMPLICIT_RETURN,
169169
implicit_saturating_sub::IMPLICIT_SATURATING_SUB,
170170
inconsistent_struct_constructor::INCONSISTENT_STRUCT_CONSTRUCTOR,
171+
index_refutable_slice::INDEX_REFUTABLE_SLICE,
171172
indexing_slicing::INDEXING_SLICING,
172173
indexing_slicing::OUT_OF_BOUNDS_INDEXING,
173174
infinite_iter::INFINITE_ITER,

clippy_lints/src/lib.register_nursery.rs

Lines changed: 1 addition & 0 deletions
Original file line numberDiff line numberDiff line change
@@ -13,6 +13,7 @@ store.register_group(true, "clippy::nursery", Some("clippy_nursery"), vec![
1313
LintId::of(floating_point_arithmetic::IMPRECISE_FLOPS),
1414
LintId::of(floating_point_arithmetic::SUBOPTIMAL_FLOPS),
1515
LintId::of(future_not_send::FUTURE_NOT_SEND),
16+
LintId::of(index_refutable_slice::INDEX_REFUTABLE_SLICE),
1617
LintId::of(let_if_seq::USELESS_LET_IF_SEQ),
1718
LintId::of(missing_const_for_fn::MISSING_CONST_FOR_FN),
1819
LintId::of(mutable_debug_assertion::DEBUG_ASSERT_WITH_MUT_CALL),

clippy_lints/src/lib.rs

Lines changed: 8 additions & 0 deletions
Original file line numberDiff line numberDiff line change
@@ -238,6 +238,7 @@ mod implicit_hasher;
238238
mod implicit_return;
239239
mod implicit_saturating_sub;
240240
mod inconsistent_struct_constructor;
241+
mod index_refutable_slice;
241242
mod indexing_slicing;
242243
mod infinite_iter;
243244
mod inherent_impl;
@@ -580,6 +581,13 @@ pub fn register_plugins(store: &mut rustc_lint::LintStore, sess: &Session, conf:
580581

581582
store.register_late_pass(|| Box::new(size_of_in_element_count::SizeOfInElementCount));
582583
store.register_late_pass(|| Box::new(same_name_method::SameNameMethod));
584+
let max_suggested_slice_pattern_length = conf.max_suggested_slice_pattern_length;
585+
store.register_late_pass(move || {
586+
Box::new(index_refutable_slice::IndexRefutableSlice::new(
587+
max_suggested_slice_pattern_length,
588+
msrv,
589+
))
590+
});
583591
store.register_late_pass(|| Box::new(map_clone::MapClone));
584592
store.register_late_pass(|| Box::new(map_err_ignore::MapErrIgnore));
585593
store.register_late_pass(|| Box::new(shadow::Shadow::default()));

clippy_lints/src/unwrap.rs

Lines changed: 2 additions & 2 deletions
Original file line numberDiff line numberDiff line change
@@ -231,8 +231,8 @@ impl<'a, 'tcx> Visitor<'tcx> for UnwrappableVariablesVisitor<'a, 'tcx> {
231231
} else {
232232
// find `unwrap[_err]()` calls:
233233
if_chain! {
234-
if let ExprKind::MethodCall(method_name, _, args, _) = expr.kind;
235-
if let Some(id) = path_to_local(&args[0]);
234+
if let ExprKind::MethodCall(method_name, _, [self_arg, ..], _) = expr.kind;
235+
if let Some(id) = path_to_local(self_arg);
236236
if [sym::unwrap, sym::expect, sym!(unwrap_err)].contains(&method_name.ident.name);
237237
let call_to_unwrap = [sym::unwrap, sym::expect].contains(&method_name.ident.name);
238238
if let Some(unwrappable) = self.unwrappables.iter()

clippy_lints/src/utils/conf.rs

Lines changed: 7 additions & 1 deletion
Original file line numberDiff line numberDiff line change
@@ -148,7 +148,7 @@ define_Conf! {
148148
///
149149
/// Suppress lints whenever the suggested change would cause breakage for other crates.
150150
(avoid_breaking_exported_api: bool = true),
151-
/// Lint: MANUAL_SPLIT_ONCE, MANUAL_STR_REPEAT, CLONED_INSTEAD_OF_COPIED, REDUNDANT_FIELD_NAMES, REDUNDANT_STATIC_LIFETIMES, FILTER_MAP_NEXT, CHECKED_CONVERSIONS, MANUAL_RANGE_CONTAINS, USE_SELF, MEM_REPLACE_WITH_DEFAULT, MANUAL_NON_EXHAUSTIVE, OPTION_AS_REF_DEREF, MAP_UNWRAP_OR, MATCH_LIKE_MATCHES_MACRO, MANUAL_STRIP, MISSING_CONST_FOR_FN, UNNESTED_OR_PATTERNS, FROM_OVER_INTO, PTR_AS_PTR, IF_THEN_SOME_ELSE_NONE, APPROX_CONSTANT, DEPRECATED_CFG_ATTR.
151+
/// Lint: MANUAL_SPLIT_ONCE, MANUAL_STR_REPEAT, CLONED_INSTEAD_OF_COPIED, REDUNDANT_FIELD_NAMES, REDUNDANT_STATIC_LIFETIMES, FILTER_MAP_NEXT, CHECKED_CONVERSIONS, MANUAL_RANGE_CONTAINS, USE_SELF, MEM_REPLACE_WITH_DEFAULT, MANUAL_NON_EXHAUSTIVE, OPTION_AS_REF_DEREF, MAP_UNWRAP_OR, MATCH_LIKE_MATCHES_MACRO, MANUAL_STRIP, MISSING_CONST_FOR_FN, UNNESTED_OR_PATTERNS, FROM_OVER_INTO, PTR_AS_PTR, IF_THEN_SOME_ELSE_NONE, APPROX_CONSTANT, DEPRECATED_CFG_ATTR, INDEX_REFUTABLE_SLICE.
152152
///
153153
/// The minimum rust version that the project supports
154154
(msrv: Option<String> = None),
@@ -296,6 +296,12 @@ define_Conf! {
296296
///
297297
/// Whether to apply the raw pointer heuristic to determine if a type is `Send`.
298298
(enable_raw_pointer_heuristic_for_send: bool = true),
299+
/// Lint: INDEX_REFUTABLE_SLICE.
300+
///
301+
/// When Clippy suggests using a slice pattern, this is the maximum number of elements allowed in
302+
/// the slice pattern that is suggested. If more elements would be necessary, the lint is suppressed.
303+
/// For example, `[_, _, _, e, ..]` is a slice pattern with 4 elements.
304+
(max_suggested_slice_pattern_length: u64 = 3),
299305
}
300306

301307
/// Search for the configuration file.

clippy_utils/src/msrvs.rs

Lines changed: 1 addition & 1 deletion
Original file line numberDiff line numberDiff line change
@@ -19,7 +19,7 @@ msrv_aliases! {
1919
1,46,0 { CONST_IF_MATCH }
2020
1,45,0 { STR_STRIP_PREFIX }
2121
1,43,0 { LOG2_10, LOG10_2 }
22-
1,42,0 { MATCHES_MACRO }
22+
1,42,0 { MATCHES_MACRO, SLICE_PATTERNS }
2323
1,41,0 { RE_REBALANCING_COHERENCE, RESULT_MAP_OR_ELSE }
2424
1,40,0 { MEM_TAKE, NON_EXHAUSTIVE, OPTION_AS_DEREF }
2525
1,38,0 { POINTER_CAST }

clippy_utils/src/ty.rs

Lines changed: 1 addition & 0 deletions
Original file line numberDiff line numberDiff line change
@@ -19,6 +19,7 @@ use rustc_trait_selection::traits::query::normalize::AtExt;
1919

2020
use crate::{match_def_path, must_use_attr};
2121

22+
// Checks if the given type implements copy.
2223
pub fn is_copy<'tcx>(cx: &LateContext<'tcx>, ty: Ty<'tcx>) -> bool {
2324
ty.is_copy_modulo_regions(cx.tcx.at(DUMMY_SP), cx.param_env)
2425
}
Lines changed: 1 addition & 0 deletions
Original file line numberDiff line numberDiff line change
@@ -0,0 +1 @@
1+
max-suggested-slice-pattern-length = 8
Lines changed: 23 additions & 0 deletions
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,23 @@
1+
#![deny(clippy::index_refutable_slice)]
2+
3+
fn below_limit() {
4+
let slice: Option<&[u32]> = Some(&[1, 2, 3]);
5+
if let Some(slice) = slice {
6+
// This would usually not be linted but is included now due to the
7+
// index limit in the config file
8+
println!("{}", slice[7]);
9+
}
10+
}
11+
12+
fn above_limit() {
13+
let slice: Option<&[u32]> = Some(&[1, 2, 3]);
14+
if let Some(slice) = slice {
15+
// This will not be linted as 8 is above the limit
16+
println!("{}", slice[8]);
17+
}
18+
}
19+
20+
fn main() {
21+
below_limit();
22+
above_limit();
23+
}

0 commit comments

Comments
 (0)