Skip to content
This commit does not belong to any branch on this repository, and may belong to a fork outside of the repository.

Commit fd56381

Browse files
committedMay 20, 2019
Auto merge of #4088 - pJunger:check1, r=oli-obk
Added lint for TryFrom for checked integer conversion. works towards #3947 Added lint for try_from for checked integer conversion. Should recognize simple & straight-forward checked integer conversions.
2 parents cbae9ed + 565feb0 commit fd56381

9 files changed

+612
-2
lines changed
 

‎CHANGELOG.md

Lines changed: 1 addition & 0 deletions
Original file line numberDiff line numberDiff line change
@@ -872,6 +872,7 @@ All notable changes to this project will be documented in this file.
872872
[`char_lit_as_u8`]: https://rust-lang.github.io/rust-clippy/master/index.html#char_lit_as_u8
873873
[`chars_last_cmp`]: https://rust-lang.github.io/rust-clippy/master/index.html#chars_last_cmp
874874
[`chars_next_cmp`]: https://rust-lang.github.io/rust-clippy/master/index.html#chars_next_cmp
875+
[`checked_conversions`]: https://rust-lang.github.io/rust-clippy/master/index.html#checked_conversions
875876
[`clone_double_ref`]: https://rust-lang.github.io/rust-clippy/master/index.html#clone_double_ref
876877
[`clone_on_copy`]: https://rust-lang.github.io/rust-clippy/master/index.html#clone_on_copy
877878
[`clone_on_ref_ptr`]: https://rust-lang.github.io/rust-clippy/master/index.html#clone_on_ref_ptr

‎README.md

Lines changed: 1 addition & 1 deletion
Original file line numberDiff line numberDiff line change
@@ -7,7 +7,7 @@
77

88
A collection of lints to catch common mistakes and improve your [Rust](https://github.com/rust-lang/rust) code.
99

10-
[There are 302 lints included in this crate!](https://rust-lang.github.io/rust-clippy/master/index.html)
10+
[There are 303 lints included in this crate!](https://rust-lang.github.io/rust-clippy/master/index.html)
1111

1212
We have a bunch of lint categories to allow you to choose how much Clippy is supposed to ~~annoy~~ help you:
1313

Lines changed: 341 additions & 0 deletions
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,341 @@
1+
//! lint on manually implemented checked conversions that could be transformed into `try_from`
2+
3+
use if_chain::if_chain;
4+
use rustc::hir::*;
5+
use rustc::lint::{in_external_macro, LateContext, LateLintPass, LintArray, LintContext, LintPass};
6+
use rustc::{declare_lint_pass, declare_tool_lint};
7+
use rustc_errors::Applicability;
8+
use syntax::ast::LitKind;
9+
10+
use crate::utils::{snippet_with_applicability, span_lint_and_sugg, SpanlessEq};
11+
12+
declare_clippy_lint! {
13+
/// **What it does:** Checks for explicit bounds checking when casting.
14+
///
15+
/// **Why is this bad?** Reduces the readability of statements & is error prone.
16+
///
17+
/// **Known problems:** None.
18+
///
19+
/// **Example:**
20+
/// ```rust
21+
/// # let foo: u32 = 5;
22+
/// # let _ =
23+
/// foo <= i32::max_value() as u32
24+
/// # ;
25+
/// ```
26+
///
27+
/// Could be written:
28+
///
29+
/// ```rust
30+
/// # let _ =
31+
/// i32::try_from(foo).is_ok()
32+
/// # ;
33+
/// ```
34+
pub CHECKED_CONVERSIONS,
35+
pedantic,
36+
"`try_from` could replace manual bounds checking when casting"
37+
}
38+
39+
declare_lint_pass!(CheckedConversions => [CHECKED_CONVERSIONS]);
40+
41+
impl<'a, 'tcx> LateLintPass<'a, 'tcx> for CheckedConversions {
42+
fn check_expr(&mut self, cx: &LateContext<'_, '_>, item: &Expr) {
43+
let result = if_chain! {
44+
if !in_external_macro(cx.sess(), item.span);
45+
if let ExprKind::Binary(op, ref left, ref right) = &item.node;
46+
47+
then {
48+
match op.node {
49+
BinOpKind::Ge | BinOpKind::Le => single_check(item),
50+
BinOpKind::And => double_check(cx, left, right),
51+
_ => None,
52+
}
53+
} else {
54+
None
55+
}
56+
};
57+
58+
if_chain! {
59+
if let Some(cv) = result;
60+
if let Some(to_type) = cv.to_type;
61+
62+
then {
63+
let mut applicability = Applicability::MachineApplicable;
64+
let snippet = snippet_with_applicability(cx, cv.expr_to_cast.span, "_", &mut
65+
applicability);
66+
span_lint_and_sugg(
67+
cx,
68+
CHECKED_CONVERSIONS,
69+
item.span,
70+
"Checked cast can be simplified.",
71+
"try",
72+
format!("{}::try_from({}).is_ok()",
73+
to_type,
74+
snippet),
75+
applicability
76+
);
77+
}
78+
}
79+
}
80+
}
81+
82+
/// Searches for a single check from unsigned to _ is done
83+
/// todo: check for case signed -> larger unsigned == only x >= 0
84+
fn single_check(expr: &Expr) -> Option<Conversion<'_>> {
85+
check_upper_bound(expr).filter(|cv| cv.cvt == ConversionType::FromUnsigned)
86+
}
87+
88+
/// Searches for a combination of upper & lower bound checks
89+
fn double_check<'a>(cx: &LateContext<'_, '_>, left: &'a Expr, right: &'a Expr) -> Option<Conversion<'a>> {
90+
let upper_lower = |l, r| {
91+
let upper = check_upper_bound(l);
92+
let lower = check_lower_bound(r);
93+
94+
transpose(upper, lower).and_then(|(l, r)| l.combine(r, cx))
95+
};
96+
97+
upper_lower(left, right).or_else(|| upper_lower(right, left))
98+
}
99+
100+
/// Contains the result of a tried conversion check
101+
#[derive(Clone, Debug)]
102+
struct Conversion<'a> {
103+
cvt: ConversionType,
104+
expr_to_cast: &'a Expr,
105+
to_type: Option<&'a str>,
106+
}
107+
108+
/// The kind of conversion that is checked
109+
#[derive(Copy, Clone, Debug, PartialEq)]
110+
enum ConversionType {
111+
SignedToUnsigned,
112+
SignedToSigned,
113+
FromUnsigned,
114+
}
115+
116+
impl<'a> Conversion<'a> {
117+
/// Combine multiple conversions if the are compatible
118+
pub fn combine(self, other: Self, cx: &LateContext<'_, '_>) -> Option<Conversion<'a>> {
119+
if self.is_compatible(&other, cx) {
120+
// Prefer a Conversion that contains a type-constraint
121+
Some(if self.to_type.is_some() { self } else { other })
122+
} else {
123+
None
124+
}
125+
}
126+
127+
/// Checks if two conversions are compatible
128+
/// same type of conversion, same 'castee' and same 'to type'
129+
pub fn is_compatible(&self, other: &Self, cx: &LateContext<'_, '_>) -> bool {
130+
(self.cvt == other.cvt)
131+
&& (SpanlessEq::new(cx).eq_expr(self.expr_to_cast, other.expr_to_cast))
132+
&& (self.has_compatible_to_type(other))
133+
}
134+
135+
/// Checks if the to-type is the same (if there is a type constraint)
136+
fn has_compatible_to_type(&self, other: &Self) -> bool {
137+
transpose(self.to_type.as_ref(), other.to_type.as_ref()).map_or(true, |(l, r)| l == r)
138+
}
139+
140+
/// Try to construct a new conversion if the conversion type is valid
141+
fn try_new(expr_to_cast: &'a Expr, from_type: &str, to_type: &'a str) -> Option<Conversion<'a>> {
142+
ConversionType::try_new(from_type, to_type).map(|cvt| Conversion {
143+
cvt,
144+
expr_to_cast,
145+
to_type: Some(to_type),
146+
})
147+
}
148+
149+
/// Construct a new conversion without type constraint
150+
fn new_any(expr_to_cast: &'a Expr) -> Conversion<'a> {
151+
Conversion {
152+
cvt: ConversionType::SignedToUnsigned,
153+
expr_to_cast,
154+
to_type: None,
155+
}
156+
}
157+
}
158+
159+
impl ConversionType {
160+
/// Creates a conversion type if the type is allowed & conversion is valid
161+
fn try_new(from: &str, to: &str) -> Option<Self> {
162+
if UINTS.contains(&from) {
163+
Some(ConversionType::FromUnsigned)
164+
} else if SINTS.contains(&from) {
165+
if UINTS.contains(&to) {
166+
Some(ConversionType::SignedToUnsigned)
167+
} else if SINTS.contains(&to) {
168+
Some(ConversionType::SignedToSigned)
169+
} else {
170+
None
171+
}
172+
} else {
173+
None
174+
}
175+
}
176+
}
177+
178+
/// Check for `expr <= (to_type::max_value() as from_type)`
179+
fn check_upper_bound(expr: &Expr) -> Option<Conversion<'_>> {
180+
if_chain! {
181+
if let ExprKind::Binary(ref op, ref left, ref right) = &expr.node;
182+
if let Some((candidate, check)) = normalize_le_ge(op, left, right);
183+
if let Some((from, to)) = get_types_from_cast(check, MAX_VALUE, INTS);
184+
185+
then {
186+
Conversion::try_new(candidate, from, to)
187+
} else {
188+
None
189+
}
190+
}
191+
}
192+
193+
/// Check for `expr >= 0|(to_type::min_value() as from_type)`
194+
fn check_lower_bound(expr: &Expr) -> Option<Conversion<'_>> {
195+
fn check_function<'a>(candidate: &'a Expr, check: &'a Expr) -> Option<Conversion<'a>> {
196+
(check_lower_bound_zero(candidate, check)).or_else(|| (check_lower_bound_min(candidate, check)))
197+
}
198+
199+
// First of we need a binary containing the expression & the cast
200+
if let ExprKind::Binary(ref op, ref left, ref right) = &expr.node {
201+
normalize_le_ge(op, right, left).and_then(|(l, r)| check_function(l, r))
202+
} else {
203+
None
204+
}
205+
}
206+
207+
/// Check for `expr >= 0`
208+
fn check_lower_bound_zero<'a>(candidate: &'a Expr, check: &'a Expr) -> Option<Conversion<'a>> {
209+
if_chain! {
210+
if let ExprKind::Lit(ref lit) = &check.node;
211+
if let LitKind::Int(0, _) = &lit.node;
212+
213+
then {
214+
Some(Conversion::new_any(candidate))
215+
} else {
216+
None
217+
}
218+
}
219+
}
220+
221+
/// Check for `expr >= (to_type::min_value() as from_type)`
222+
fn check_lower_bound_min<'a>(candidate: &'a Expr, check: &'a Expr) -> Option<Conversion<'a>> {
223+
if let Some((from, to)) = get_types_from_cast(check, MIN_VALUE, SINTS) {
224+
Conversion::try_new(candidate, from, to)
225+
} else {
226+
None
227+
}
228+
}
229+
230+
/// Tries to extract the from- and to-type from a cast expression
231+
fn get_types_from_cast<'a>(expr: &'a Expr, func: &'a str, types: &'a [&str]) -> Option<(&'a str, &'a str)> {
232+
// `to_type::maxmin_value() as from_type`
233+
let call_from_cast: Option<(&Expr, &str)> = if_chain! {
234+
// to_type::maxmin_value(), from_type
235+
if let ExprKind::Cast(ref limit, ref from_type) = &expr.node;
236+
if let TyKind::Path(ref from_type_path) = &from_type.node;
237+
if let Some(from_sym) = int_ty_to_sym(from_type_path);
238+
239+
then {
240+
Some((limit, from_sym))
241+
} else {
242+
None
243+
}
244+
};
245+
246+
// `from_type::from(to_type::maxmin_value())`
247+
let limit_from: Option<(&Expr, &str)> = call_from_cast.or_else(|| {
248+
if_chain! {
249+
// `from_type::from, to_type::maxmin_value()`
250+
if let ExprKind::Call(ref from_func, ref args) = &expr.node;
251+
// `to_type::maxmin_value()`
252+
if args.len() == 1;
253+
if let limit = &args[0];
254+
// `from_type::from`
255+
if let ExprKind::Path(ref path) = &from_func.node;
256+
if let Some(from_sym) = get_implementing_type(path, INTS, FROM);
257+
258+
then {
259+
Some((limit, from_sym))
260+
} else {
261+
None
262+
}
263+
}
264+
});
265+
266+
if let Some((limit, from_type)) = limit_from {
267+
if_chain! {
268+
if let ExprKind::Call(ref fun_name, _) = &limit.node;
269+
// `to_type, maxmin_value`
270+
if let ExprKind::Path(ref path) = &fun_name.node;
271+
// `to_type`
272+
if let Some(to_type) = get_implementing_type(path, types, func);
273+
274+
then {
275+
Some((from_type, to_type))
276+
} else {
277+
None
278+
}
279+
}
280+
} else {
281+
None
282+
}
283+
}
284+
285+
/// Gets the type which implements the called function
286+
fn get_implementing_type<'a>(path: &QPath, candidates: &'a [&str], function: &str) -> Option<&'a str> {
287+
if_chain! {
288+
if let QPath::TypeRelative(ref ty, ref path) = &path;
289+
if path.ident.name.as_str() == function;
290+
if let TyKind::Path(QPath::Resolved(None, ref tp)) = &ty.node;
291+
if let [int] = &*tp.segments;
292+
let name = &int.ident.name.as_str();
293+
294+
then {
295+
candidates.iter().find(|c| name == *c).cloned()
296+
} else {
297+
None
298+
}
299+
}
300+
}
301+
302+
/// Gets the type as a string, if it is a supported integer
303+
fn int_ty_to_sym(path: &QPath) -> Option<&str> {
304+
if_chain! {
305+
if let QPath::Resolved(_, ref path) = *path;
306+
if let [ty] = &*path.segments;
307+
let name = &ty.ident.name.as_str();
308+
309+
then {
310+
INTS.iter().find(|c| name == *c).cloned()
311+
} else {
312+
None
313+
}
314+
}
315+
}
316+
317+
/// (Option<T>, Option<U>) -> Option<(T, U)>
318+
fn transpose<T, U>(lhs: Option<T>, rhs: Option<U>) -> Option<(T, U)> {
319+
match (lhs, rhs) {
320+
(Some(l), Some(r)) => Some((l, r)),
321+
_ => None,
322+
}
323+
}
324+
325+
/// Will return the expressions as if they were expr1 <= expr2
326+
fn normalize_le_ge<'a>(op: &BinOp, left: &'a Expr, right: &'a Expr) -> Option<(&'a Expr, &'a Expr)> {
327+
match op.node {
328+
BinOpKind::Le => Some((left, right)),
329+
BinOpKind::Ge => Some((right, left)),
330+
_ => None,
331+
}
332+
}
333+
334+
// Constants
335+
const FROM: &str = "from";
336+
const MAX_VALUE: &str = "max_value";
337+
const MIN_VALUE: &str = "min_value";
338+
339+
const UINTS: &[&str] = &["u8", "u16", "u32", "u64", "usize"];
340+
const SINTS: &[&str] = &["i8", "i16", "i32", "i64", "isize"];
341+
const INTS: &[&str] = &["u8", "u16", "u32", "u64", "usize", "i8", "i16", "i32", "i64", "isize"];

‎clippy_lints/src/enum_clike.rs

Lines changed: 2 additions & 1 deletion
Original file line numberDiff line numberDiff line change
@@ -10,6 +10,7 @@ use rustc::ty;
1010
use rustc::ty::subst::InternalSubsts;
1111
use rustc::ty::util::IntTypeExt;
1212
use rustc::{declare_lint_pass, declare_tool_lint};
13+
use std::convert::TryFrom;
1314
use syntax::ast::{IntTy, UintTy};
1415

1516
declare_clippy_lint! {
@@ -65,7 +66,7 @@ impl<'a, 'tcx> LateLintPass<'a, 'tcx> for UnportableVariant {
6566
match ty.sty {
6667
ty::Int(IntTy::Isize) => {
6768
let val = ((val as i128) << 64) >> 64;
68-
if val <= i128::from(i32::max_value()) && val >= i128::from(i32::min_value()) {
69+
if i32::try_from(val).is_ok() {
6970
continue;
7071
}
7172
},

‎clippy_lints/src/lib.rs

Lines changed: 3 additions & 0 deletions
Original file line numberDiff line numberDiff line change
@@ -154,6 +154,7 @@ pub mod block_in_if_condition;
154154
pub mod booleans;
155155
pub mod bytecount;
156156
pub mod cargo_common_metadata;
157+
pub mod checked_conversions;
157158
pub mod cognitive_complexity;
158159
pub mod collapsible_if;
159160
pub mod const_static_lifetime;
@@ -575,6 +576,7 @@ pub fn register_plugins(reg: &mut rustc_plugin::Registry<'_>, conf: &Conf) {
575576
reg.register_late_lint_pass(box missing_const_for_fn::MissingConstForFn);
576577
reg.register_late_lint_pass(box transmuting_null::TransmutingNull);
577578
reg.register_late_lint_pass(box path_buf_push_overwrite::PathBufPushOverwrite);
579+
reg.register_late_lint_pass(box checked_conversions::CheckedConversions);
578580

579581
reg.register_lint_group("clippy::restriction", Some("clippy_restriction"), vec![
580582
arithmetic::FLOAT_ARITHMETIC,
@@ -605,6 +607,7 @@ pub fn register_plugins(reg: &mut rustc_plugin::Registry<'_>, conf: &Conf) {
605607

606608
reg.register_lint_group("clippy::pedantic", Some("clippy_pedantic"), vec![
607609
attrs::INLINE_ALWAYS,
610+
checked_conversions::CHECKED_CONVERSIONS,
608611
copies::MATCH_SAME_ARMS,
609612
copy_iterator::COPY_ITERATOR,
610613
default_trait_access::DEFAULT_TRAIT_ACCESS,

‎tests/ui/checked_conversions.fixed

Lines changed: 106 additions & 0 deletions
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,106 @@
1+
// run-rustfix
2+
3+
#![warn(clippy::checked_conversions)]
4+
#![allow(clippy::cast_lossless)]
5+
#![allow(dead_code)]
6+
use std::convert::TryFrom;
7+
8+
// Positive tests
9+
10+
// Signed to unsigned
11+
12+
fn i64_to_u32(value: i64) -> Option<u32> {
13+
if u32::try_from(value).is_ok() {
14+
Some(value as u32)
15+
} else {
16+
None
17+
}
18+
}
19+
20+
fn i64_to_u16(value: i64) -> Option<u16> {
21+
if u16::try_from(value).is_ok() {
22+
Some(value as u16)
23+
} else {
24+
None
25+
}
26+
}
27+
28+
fn isize_to_u8(value: isize) -> Option<u8> {
29+
if u8::try_from(value).is_ok() {
30+
Some(value as u8)
31+
} else {
32+
None
33+
}
34+
}
35+
36+
// Signed to signed
37+
38+
fn i64_to_i32(value: i64) -> Option<i32> {
39+
if i32::try_from(value).is_ok() {
40+
Some(value as i32)
41+
} else {
42+
None
43+
}
44+
}
45+
46+
fn i64_to_i16(value: i64) -> Option<i16> {
47+
if i16::try_from(value).is_ok() {
48+
Some(value as i16)
49+
} else {
50+
None
51+
}
52+
}
53+
54+
// Unsigned to X
55+
56+
fn u32_to_i32(value: u32) -> Option<i32> {
57+
if i32::try_from(value).is_ok() {
58+
Some(value as i32)
59+
} else {
60+
None
61+
}
62+
}
63+
64+
fn usize_to_isize(value: usize) -> isize {
65+
if isize::try_from(value).is_ok() && value as i32 == 5 {
66+
5
67+
} else {
68+
1
69+
}
70+
}
71+
72+
fn u32_to_u16(value: u32) -> isize {
73+
if u16::try_from(value).is_ok() && value as i32 == 5 {
74+
5
75+
} else {
76+
1
77+
}
78+
}
79+
80+
// Negative tests
81+
82+
fn no_i64_to_i32(value: i64) -> Option<i32> {
83+
if value <= (i32::max_value() as i64) && value >= 0 {
84+
Some(value as i32)
85+
} else {
86+
None
87+
}
88+
}
89+
90+
fn no_isize_to_u8(value: isize) -> Option<u8> {
91+
if value <= (u8::max_value() as isize) && value >= (u8::min_value() as isize) {
92+
Some(value as u8)
93+
} else {
94+
None
95+
}
96+
}
97+
98+
fn i8_to_u8(value: i8) -> Option<u8> {
99+
if value >= 0 {
100+
Some(value as u8)
101+
} else {
102+
None
103+
}
104+
}
105+
106+
fn main() {}

‎tests/ui/checked_conversions.rs

Lines changed: 106 additions & 0 deletions
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,106 @@
1+
// run-rustfix
2+
3+
#![warn(clippy::checked_conversions)]
4+
#![allow(clippy::cast_lossless)]
5+
#![allow(dead_code)]
6+
use std::convert::TryFrom;
7+
8+
// Positive tests
9+
10+
// Signed to unsigned
11+
12+
fn i64_to_u32(value: i64) -> Option<u32> {
13+
if value <= (u32::max_value() as i64) && value >= 0 {
14+
Some(value as u32)
15+
} else {
16+
None
17+
}
18+
}
19+
20+
fn i64_to_u16(value: i64) -> Option<u16> {
21+
if value <= i64::from(u16::max_value()) && value >= 0 {
22+
Some(value as u16)
23+
} else {
24+
None
25+
}
26+
}
27+
28+
fn isize_to_u8(value: isize) -> Option<u8> {
29+
if value <= (u8::max_value() as isize) && value >= 0 {
30+
Some(value as u8)
31+
} else {
32+
None
33+
}
34+
}
35+
36+
// Signed to signed
37+
38+
fn i64_to_i32(value: i64) -> Option<i32> {
39+
if value <= (i32::max_value() as i64) && value >= (i32::min_value() as i64) {
40+
Some(value as i32)
41+
} else {
42+
None
43+
}
44+
}
45+
46+
fn i64_to_i16(value: i64) -> Option<i16> {
47+
if value <= i64::from(i16::max_value()) && value >= i64::from(i16::min_value()) {
48+
Some(value as i16)
49+
} else {
50+
None
51+
}
52+
}
53+
54+
// Unsigned to X
55+
56+
fn u32_to_i32(value: u32) -> Option<i32> {
57+
if value <= i32::max_value() as u32 {
58+
Some(value as i32)
59+
} else {
60+
None
61+
}
62+
}
63+
64+
fn usize_to_isize(value: usize) -> isize {
65+
if value <= isize::max_value() as usize && value as i32 == 5 {
66+
5
67+
} else {
68+
1
69+
}
70+
}
71+
72+
fn u32_to_u16(value: u32) -> isize {
73+
if value <= u16::max_value() as u32 && value as i32 == 5 {
74+
5
75+
} else {
76+
1
77+
}
78+
}
79+
80+
// Negative tests
81+
82+
fn no_i64_to_i32(value: i64) -> Option<i32> {
83+
if value <= (i32::max_value() as i64) && value >= 0 {
84+
Some(value as i32)
85+
} else {
86+
None
87+
}
88+
}
89+
90+
fn no_isize_to_u8(value: isize) -> Option<u8> {
91+
if value <= (u8::max_value() as isize) && value >= (u8::min_value() as isize) {
92+
Some(value as u8)
93+
} else {
94+
None
95+
}
96+
}
97+
98+
fn i8_to_u8(value: i8) -> Option<u8> {
99+
if value >= 0 {
100+
Some(value as u8)
101+
} else {
102+
None
103+
}
104+
}
105+
106+
fn main() {}

‎tests/ui/checked_conversions.stderr

Lines changed: 52 additions & 0 deletions
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,52 @@
1+
error: Checked cast can be simplified.
2+
--> $DIR/checked_conversions.rs:13:8
3+
|
4+
LL | if value <= (u32::max_value() as i64) && value >= 0 {
5+
| ^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^ help: try: `u32::try_from(value).is_ok()`
6+
|
7+
= note: `-D clippy::checked-conversions` implied by `-D warnings`
8+
9+
error: Checked cast can be simplified.
10+
--> $DIR/checked_conversions.rs:21:8
11+
|
12+
LL | if value <= i64::from(u16::max_value()) && value >= 0 {
13+
| ^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^ help: try: `u16::try_from(value).is_ok()`
14+
15+
error: Checked cast can be simplified.
16+
--> $DIR/checked_conversions.rs:29:8
17+
|
18+
LL | if value <= (u8::max_value() as isize) && value >= 0 {
19+
| ^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^ help: try: `u8::try_from(value).is_ok()`
20+
21+
error: Checked cast can be simplified.
22+
--> $DIR/checked_conversions.rs:39:8
23+
|
24+
LL | if value <= (i32::max_value() as i64) && value >= (i32::min_value() as i64) {
25+
| ^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^ help: try: `i32::try_from(value).is_ok()`
26+
27+
error: Checked cast can be simplified.
28+
--> $DIR/checked_conversions.rs:47:8
29+
|
30+
LL | if value <= i64::from(i16::max_value()) && value >= i64::from(i16::min_value()) {
31+
| ^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^ help: try: `i16::try_from(value).is_ok()`
32+
33+
error: Checked cast can be simplified.
34+
--> $DIR/checked_conversions.rs:57:8
35+
|
36+
LL | if value <= i32::max_value() as u32 {
37+
| ^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^ help: try: `i32::try_from(value).is_ok()`
38+
39+
error: Checked cast can be simplified.
40+
--> $DIR/checked_conversions.rs:65:8
41+
|
42+
LL | if value <= isize::max_value() as usize && value as i32 == 5 {
43+
| ^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^ help: try: `isize::try_from(value).is_ok()`
44+
45+
error: Checked cast can be simplified.
46+
--> $DIR/checked_conversions.rs:73:8
47+
|
48+
LL | if value <= u16::max_value() as u32 && value as i32 == 5 {
49+
| ^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^ help: try: `u16::try_from(value).is_ok()`
50+
51+
error: aborting due to 8 previous errors
52+

‎tests/ui/checked_conversions.stdout

Whitespace-only changes.

0 commit comments

Comments
 (0)
Please sign in to comment.