]> git.lizzy.rs Git - rust.git/blob - clippy_lints/src/methods/mod.rs
Auto merge of #73756 - Manishearth:rollup-aehswb2, r=Manishearth
[rust.git] / clippy_lints / src / methods / mod.rs
1 mod bind_instead_of_map;
2 mod inefficient_to_string;
3 mod manual_saturating_arithmetic;
4 mod option_map_unwrap_or;
5 mod unnecessary_filter_map;
6
7 use std::borrow::Cow;
8 use std::fmt;
9 use std::iter;
10
11 use bind_instead_of_map::BindInsteadOfMap;
12 use if_chain::if_chain;
13 use rustc_ast::ast;
14 use rustc_errors::Applicability;
15 use rustc_hir as hir;
16 use rustc_hir::intravisit::{self, Visitor};
17 use rustc_lint::{LateContext, LateLintPass, Lint, LintContext};
18 use rustc_middle::hir::map::Map;
19 use rustc_middle::lint::in_external_macro;
20 use rustc_middle::ty::subst::GenericArgKind;
21 use rustc_middle::ty::{self, Ty, TyS};
22 use rustc_session::{declare_lint_pass, declare_tool_lint};
23 use rustc_span::source_map::Span;
24 use rustc_span::symbol::{sym, SymbolStr};
25
26 use crate::consts::{constant, Constant};
27 use crate::utils::usage::mutated_variables;
28 use crate::utils::{
29     get_arg_name, get_parent_expr, get_trait_def_id, has_iter_method, higher, implements_trait, in_macro, is_copy,
30     is_ctor_or_promotable_const_function, is_expn_of, is_type_diagnostic_item, iter_input_pats, last_path_segment,
31     match_def_path, match_qpath, match_trait_method, match_type, match_var, method_calls, method_chain_args, paths,
32     remove_blocks, return_ty, single_segment_path, snippet, snippet_with_applicability, snippet_with_macro_callsite,
33     span_lint, span_lint_and_help, span_lint_and_note, span_lint_and_sugg, span_lint_and_then, sugg, walk_ptrs_ty,
34     walk_ptrs_ty_depth, SpanlessEq,
35 };
36
37 declare_clippy_lint! {
38     /// **What it does:** Checks for `.unwrap()` calls on `Option`s and on `Result`s.
39     ///
40     /// **Why is this bad?** It is better to handle the `None` or `Err` case,
41     /// or at least call `.expect(_)` with a more helpful message. Still, for a lot of
42     /// quick-and-dirty code, `unwrap` is a good choice, which is why this lint is
43     /// `Allow` by default.
44     ///
45     /// `result.unwrap()` will let the thread panic on `Err` values.
46     /// Normally, you want to implement more sophisticated error handling,
47     /// and propagate errors upwards with `?` operator.
48     ///
49     /// Even if you want to panic on errors, not all `Error`s implement good
50     /// messages on display. Therefore, it may be beneficial to look at the places
51     /// where they may get displayed. Activate this lint to do just that.
52     ///
53     /// **Known problems:** None.
54     ///
55     /// **Examples:**
56     /// ```rust
57     /// # let opt = Some(1);
58     ///
59     /// // Bad
60     /// opt.unwrap();
61     ///
62     /// // Good
63     /// opt.expect("more helpful message");
64     /// ```
65     ///
66     /// // or
67     ///
68     /// ```rust
69     /// # let res: Result<usize, ()> = Ok(1);
70     ///
71     /// // Bad
72     /// res.unwrap();
73     ///
74     /// // Good
75     /// res.expect("more helpful message");
76     /// ```
77     pub UNWRAP_USED,
78     restriction,
79     "using `.unwrap()` on `Result` or `Option`, which should at least get a better message using `expect()`"
80 }
81
82 declare_clippy_lint! {
83     /// **What it does:** Checks for `.expect()` calls on `Option`s and `Result`s.
84     ///
85     /// **Why is this bad?** Usually it is better to handle the `None` or `Err` case.
86     /// Still, for a lot of quick-and-dirty code, `expect` is a good choice, which is why
87     /// this lint is `Allow` by default.
88     ///
89     /// `result.expect()` will let the thread panic on `Err`
90     /// values. Normally, you want to implement more sophisticated error handling,
91     /// and propagate errors upwards with `?` operator.
92     ///
93     /// **Known problems:** None.
94     ///
95     /// **Examples:**
96     /// ```rust,ignore
97     /// # let opt = Some(1);
98     ///
99     /// // Bad
100     /// opt.expect("one");
101     ///
102     /// // Good
103     /// let opt = Some(1);
104     /// opt?;
105     /// ```
106     ///
107     /// // or
108     ///
109     /// ```rust
110     /// # let res: Result<usize, ()> = Ok(1);
111     ///
112     /// // Bad
113     /// res.expect("one");
114     ///
115     /// // Good
116     /// res?;
117     /// # Ok::<(), ()>(())
118     /// ```
119     pub EXPECT_USED,
120     restriction,
121     "using `.expect()` on `Result` or `Option`, which might be better handled"
122 }
123
124 declare_clippy_lint! {
125     /// **What it does:** Checks for methods that should live in a trait
126     /// implementation of a `std` trait (see [llogiq's blog
127     /// post](http://llogiq.github.io/2015/07/30/traits.html) for further
128     /// information) instead of an inherent implementation.
129     ///
130     /// **Why is this bad?** Implementing the traits improve ergonomics for users of
131     /// the code, often with very little cost. Also people seeing a `mul(...)`
132     /// method
133     /// may expect `*` to work equally, so you should have good reason to disappoint
134     /// them.
135     ///
136     /// **Known problems:** None.
137     ///
138     /// **Example:**
139     /// ```rust
140     /// struct X;
141     /// impl X {
142     ///     fn add(&self, other: &X) -> X {
143     ///         // ..
144     /// # X
145     ///     }
146     /// }
147     /// ```
148     pub SHOULD_IMPLEMENT_TRAIT,
149     style,
150     "defining a method that should be implementing a std trait"
151 }
152
153 declare_clippy_lint! {
154     /// **What it does:** Checks for methods with certain name prefixes and which
155     /// doesn't match how self is taken. The actual rules are:
156     ///
157     /// |Prefix |`self` taken          |
158     /// |-------|----------------------|
159     /// |`as_`  |`&self` or `&mut self`|
160     /// |`from_`| none                 |
161     /// |`into_`|`self`                |
162     /// |`is_`  |`&self` or none       |
163     /// |`to_`  |`&self`               |
164     ///
165     /// **Why is this bad?** Consistency breeds readability. If you follow the
166     /// conventions, your users won't be surprised that they, e.g., need to supply a
167     /// mutable reference to a `as_..` function.
168     ///
169     /// **Known problems:** None.
170     ///
171     /// **Example:**
172     /// ```rust
173     /// # struct X;
174     /// impl X {
175     ///     fn as_str(self) -> &'static str {
176     ///         // ..
177     /// # ""
178     ///     }
179     /// }
180     /// ```
181     pub WRONG_SELF_CONVENTION,
182     style,
183     "defining a method named with an established prefix (like \"into_\") that takes `self` with the wrong convention"
184 }
185
186 declare_clippy_lint! {
187     /// **What it does:** This is the same as
188     /// [`wrong_self_convention`](#wrong_self_convention), but for public items.
189     ///
190     /// **Why is this bad?** See [`wrong_self_convention`](#wrong_self_convention).
191     ///
192     /// **Known problems:** Actually *renaming* the function may break clients if
193     /// the function is part of the public interface. In that case, be mindful of
194     /// the stability guarantees you've given your users.
195     ///
196     /// **Example:**
197     /// ```rust
198     /// # struct X;
199     /// impl<'a> X {
200     ///     pub fn as_str(self) -> &'a str {
201     ///         "foo"
202     ///     }
203     /// }
204     /// ```
205     pub WRONG_PUB_SELF_CONVENTION,
206     restriction,
207     "defining a public method named with an established prefix (like \"into_\") that takes `self` with the wrong convention"
208 }
209
210 declare_clippy_lint! {
211     /// **What it does:** Checks for usage of `ok().expect(..)`.
212     ///
213     /// **Why is this bad?** Because you usually call `expect()` on the `Result`
214     /// directly to get a better error message.
215     ///
216     /// **Known problems:** The error type needs to implement `Debug`
217     ///
218     /// **Example:**
219     /// ```rust
220     /// # let x = Ok::<_, ()>(());
221     ///
222     /// // Bad
223     /// x.ok().expect("why did I do this again?");
224     ///
225     /// // Good
226     /// x.expect("why did I do this again?");
227     /// ```
228     pub OK_EXPECT,
229     style,
230     "using `ok().expect()`, which gives worse error messages than calling `expect` directly on the Result"
231 }
232
233 declare_clippy_lint! {
234     /// **What it does:** Checks for usage of `option.map(_).unwrap_or(_)` or `option.map(_).unwrap_or_else(_)` or
235     /// `result.map(_).unwrap_or_else(_)`.
236     ///
237     /// **Why is this bad?** Readability, these can be written more concisely (resp.) as
238     /// `option.map_or(_, _)`, `option.map_or_else(_, _)` and `result.map_or_else(_, _)`.
239     ///
240     /// **Known problems:** The order of the arguments is not in execution order
241     ///
242     /// **Examples:**
243     /// ```rust
244     /// # let x = Some(1);
245     ///
246     /// // Bad
247     /// x.map(|a| a + 1).unwrap_or(0);
248     ///
249     /// // Good
250     /// x.map_or(0, |a| a + 1);
251     /// ```
252     ///
253     /// // or
254     ///
255     /// ```rust
256     /// # let x: Result<usize, ()> = Ok(1);
257     /// # fn some_function(foo: ()) -> usize { 1 }
258     ///
259     /// // Bad
260     /// x.map(|a| a + 1).unwrap_or_else(some_function);
261     ///
262     /// // Good
263     /// x.map_or_else(some_function, |a| a + 1);
264     /// ```
265     pub MAP_UNWRAP_OR,
266     pedantic,
267     "using `.map(f).unwrap_or(a)` or `.map(f).unwrap_or_else(func)`, which are more succinctly expressed as `map_or(a, f)` or `map_or_else(a, f)`"
268 }
269
270 declare_clippy_lint! {
271     /// **What it does:** Checks for usage of `_.map_or(None, _)`.
272     ///
273     /// **Why is this bad?** Readability, this can be written more concisely as
274     /// `_.and_then(_)`.
275     ///
276     /// **Known problems:** The order of the arguments is not in execution order.
277     ///
278     /// **Example:**
279     /// ```rust
280     /// # let opt = Some(1);
281     ///
282     /// // Bad
283     /// opt.map_or(None, |a| Some(a + 1));
284     ///
285     /// // Good
286     /// opt.and_then(|a| Some(a + 1));
287     /// ```
288     pub OPTION_MAP_OR_NONE,
289     style,
290     "using `Option.map_or(None, f)`, which is more succinctly expressed as `and_then(f)`"
291 }
292
293 declare_clippy_lint! {
294     /// **What it does:** Checks for usage of `_.map_or(None, Some)`.
295     ///
296     /// **Why is this bad?** Readability, this can be written more concisely as
297     /// `_.ok()`.
298     ///
299     /// **Known problems:** None.
300     ///
301     /// **Example:**
302     ///
303     /// Bad:
304     /// ```rust
305     /// # let r: Result<u32, &str> = Ok(1);
306     /// assert_eq!(Some(1), r.map_or(None, Some));
307     /// ```
308     ///
309     /// Good:
310     /// ```rust
311     /// # let r: Result<u32, &str> = Ok(1);
312     /// assert_eq!(Some(1), r.ok());
313     /// ```
314     pub RESULT_MAP_OR_INTO_OPTION,
315     style,
316     "using `Result.map_or(None, Some)`, which is more succinctly expressed as `ok()`"
317 }
318
319 declare_clippy_lint! {
320     /// **What it does:** Checks for usage of `_.and_then(|x| Some(y))`, `_.and_then(|x| Ok(y))` or
321     /// `_.or_else(|x| Err(y))`.
322     ///
323     /// **Why is this bad?** Readability, this can be written more concisely as
324     /// `_.map(|x| y)` or `_.map_err(|x| y)`.
325     ///
326     /// **Known problems:** None
327     ///
328     /// **Example:**
329     ///
330     /// ```rust
331     /// # fn opt() -> Option<&'static str> { Some("42") }
332     /// # fn res() -> Result<&'static str, &'static str> { Ok("42") }
333     /// let _ = opt().and_then(|s| Some(s.len()));
334     /// let _ = res().and_then(|s| if s.len() == 42 { Ok(10) } else { Ok(20) });
335     /// let _ = res().or_else(|s| if s.len() == 42 { Err(10) } else { Err(20) });
336     /// ```
337     ///
338     /// The correct use would be:
339     ///
340     /// ```rust
341     /// # fn opt() -> Option<&'static str> { Some("42") }
342     /// # fn res() -> Result<&'static str, &'static str> { Ok("42") }
343     /// let _ = opt().map(|s| s.len());
344     /// let _ = res().map(|s| if s.len() == 42 { 10 } else { 20 });
345     /// let _ = res().map_err(|s| if s.len() == 42 { 10 } else { 20 });
346     /// ```
347     pub BIND_INSTEAD_OF_MAP,
348     complexity,
349     "using `Option.and_then(|x| Some(y))`, which is more succinctly expressed as `map(|x| y)`"
350 }
351
352 declare_clippy_lint! {
353     /// **What it does:** Checks for usage of `_.filter(_).next()`.
354     ///
355     /// **Why is this bad?** Readability, this can be written more concisely as
356     /// `_.find(_)`.
357     ///
358     /// **Known problems:** None.
359     ///
360     /// **Example:**
361     /// ```rust
362     /// # let vec = vec![1];
363     /// vec.iter().filter(|x| **x == 0).next();
364     /// ```
365     /// Could be written as
366     /// ```rust
367     /// # let vec = vec![1];
368     /// vec.iter().find(|x| **x == 0);
369     /// ```
370     pub FILTER_NEXT,
371     complexity,
372     "using `filter(p).next()`, which is more succinctly expressed as `.find(p)`"
373 }
374
375 declare_clippy_lint! {
376     /// **What it does:** Checks for usage of `_.skip_while(condition).next()`.
377     ///
378     /// **Why is this bad?** Readability, this can be written more concisely as
379     /// `_.find(!condition)`.
380     ///
381     /// **Known problems:** None.
382     ///
383     /// **Example:**
384     /// ```rust
385     /// # let vec = vec![1];
386     /// vec.iter().skip_while(|x| **x == 0).next();
387     /// ```
388     /// Could be written as
389     /// ```rust
390     /// # let vec = vec![1];
391     /// vec.iter().find(|x| **x != 0);
392     /// ```
393     pub SKIP_WHILE_NEXT,
394     complexity,
395     "using `skip_while(p).next()`, which is more succinctly expressed as `.find(!p)`"
396 }
397
398 declare_clippy_lint! {
399     /// **What it does:** Checks for usage of `_.map(_).flatten(_)`,
400     ///
401     /// **Why is this bad?** Readability, this can be written more concisely as a
402     /// single method call using `_.flat_map(_)`
403     ///
404     /// **Known problems:**
405     ///
406     /// **Example:**
407     /// ```rust
408     /// let vec = vec![vec![1]];
409     ///
410     /// // Bad
411     /// vec.iter().map(|x| x.iter()).flatten();
412     ///
413     /// // Good
414     /// vec.iter().flat_map(|x| x.iter());
415     /// ```
416     pub MAP_FLATTEN,
417     pedantic,
418     "using combinations of `flatten` and `map` which can usually be written as a single method call"
419 }
420
421 declare_clippy_lint! {
422     /// **What it does:** Checks for usage of `_.filter(_).map(_)`,
423     /// `_.filter(_).flat_map(_)`, `_.filter_map(_).flat_map(_)` and similar.
424     ///
425     /// **Why is this bad?** Readability, this can be written more concisely as a
426     /// single method call.
427     ///
428     /// **Known problems:** Often requires a condition + Option/Iterator creation
429     /// inside the closure.
430     ///
431     /// **Example:**
432     /// ```rust
433     /// let vec = vec![1];
434     ///
435     /// // Bad
436     /// vec.iter().filter(|x| **x == 0).map(|x| *x * 2);
437     ///
438     /// // Good
439     /// vec.iter().filter_map(|x| if *x == 0 {
440     ///     Some(*x * 2)
441     /// } else {
442     ///     None
443     /// });
444     /// ```
445     pub FILTER_MAP,
446     pedantic,
447     "using combinations of `filter`, `map`, `filter_map` and `flat_map` which can usually be written as a single method call"
448 }
449
450 declare_clippy_lint! {
451     /// **What it does:** Checks for usage of `_.filter_map(_).next()`.
452     ///
453     /// **Why is this bad?** Readability, this can be written more concisely as a
454     /// single method call.
455     ///
456     /// **Known problems:** None
457     ///
458     /// **Example:**
459     /// ```rust
460     ///  (0..3).filter_map(|x| if x == 2 { Some(x) } else { None }).next();
461     /// ```
462     /// Can be written as
463     ///
464     /// ```rust
465     ///  (0..3).find_map(|x| if x == 2 { Some(x) } else { None });
466     /// ```
467     pub FILTER_MAP_NEXT,
468     pedantic,
469     "using combination of `filter_map` and `next` which can usually be written as a single method call"
470 }
471
472 declare_clippy_lint! {
473     /// **What it does:** Checks for usage of `flat_map(|x| x)`.
474     ///
475     /// **Why is this bad?** Readability, this can be written more concisely by using `flatten`.
476     ///
477     /// **Known problems:** None
478     ///
479     /// **Example:**
480     /// ```rust
481     /// # let iter = vec![vec![0]].into_iter();
482     /// iter.flat_map(|x| x);
483     /// ```
484     /// Can be written as
485     /// ```rust
486     /// # let iter = vec![vec![0]].into_iter();
487     /// iter.flatten();
488     /// ```
489     pub FLAT_MAP_IDENTITY,
490     complexity,
491     "call to `flat_map` where `flatten` is sufficient"
492 }
493
494 declare_clippy_lint! {
495     /// **What it does:** Checks for usage of `_.find(_).map(_)`.
496     ///
497     /// **Why is this bad?** Readability, this can be written more concisely as a
498     /// single method call.
499     ///
500     /// **Known problems:** Often requires a condition + Option/Iterator creation
501     /// inside the closure.
502     ///
503     /// **Example:**
504     /// ```rust
505     ///  (0..3).find(|x| *x == 2).map(|x| x * 2);
506     /// ```
507     /// Can be written as
508     /// ```rust
509     ///  (0..3).find_map(|x| if x == 2 { Some(x * 2) } else { None });
510     /// ```
511     pub FIND_MAP,
512     pedantic,
513     "using a combination of `find` and `map` can usually be written as a single method call"
514 }
515
516 declare_clippy_lint! {
517     /// **What it does:** Checks for an iterator search (such as `find()`,
518     /// `position()`, or `rposition()`) followed by a call to `is_some()`.
519     ///
520     /// **Why is this bad?** Readability, this can be written more concisely as
521     /// `_.any(_)`.
522     ///
523     /// **Known problems:** None.
524     ///
525     /// **Example:**
526     /// ```rust
527     /// # let vec = vec![1];
528     /// vec.iter().find(|x| **x == 0).is_some();
529     /// ```
530     /// Could be written as
531     /// ```rust
532     /// # let vec = vec![1];
533     /// vec.iter().any(|x| *x == 0);
534     /// ```
535     pub SEARCH_IS_SOME,
536     complexity,
537     "using an iterator search followed by `is_some()`, which is more succinctly expressed as a call to `any()`"
538 }
539
540 declare_clippy_lint! {
541     /// **What it does:** Checks for usage of `.chars().next()` on a `str` to check
542     /// if it starts with a given char.
543     ///
544     /// **Why is this bad?** Readability, this can be written more concisely as
545     /// `_.starts_with(_)`.
546     ///
547     /// **Known problems:** None.
548     ///
549     /// **Example:**
550     /// ```rust
551     /// let name = "foo";
552     /// if name.chars().next() == Some('_') {};
553     /// ```
554     /// Could be written as
555     /// ```rust
556     /// let name = "foo";
557     /// if name.starts_with('_') {};
558     /// ```
559     pub CHARS_NEXT_CMP,
560     style,
561     "using `.chars().next()` to check if a string starts with a char"
562 }
563
564 declare_clippy_lint! {
565     /// **What it does:** Checks for calls to `.or(foo(..))`, `.unwrap_or(foo(..))`,
566     /// etc., and suggests to use `or_else`, `unwrap_or_else`, etc., or
567     /// `unwrap_or_default` instead.
568     ///
569     /// **Why is this bad?** The function will always be called and potentially
570     /// allocate an object acting as the default.
571     ///
572     /// **Known problems:** If the function has side-effects, not calling it will
573     /// change the semantic of the program, but you shouldn't rely on that anyway.
574     ///
575     /// **Example:**
576     /// ```rust
577     /// # let foo = Some(String::new());
578     /// foo.unwrap_or(String::new());
579     /// ```
580     /// this can instead be written:
581     /// ```rust
582     /// # let foo = Some(String::new());
583     /// foo.unwrap_or_else(String::new);
584     /// ```
585     /// or
586     /// ```rust
587     /// # let foo = Some(String::new());
588     /// foo.unwrap_or_default();
589     /// ```
590     pub OR_FUN_CALL,
591     perf,
592     "using any `*or` method with a function call, which suggests `*or_else`"
593 }
594
595 declare_clippy_lint! {
596     /// **What it does:** Checks for calls to `.expect(&format!(...))`, `.expect(foo(..))`,
597     /// etc., and suggests to use `unwrap_or_else` instead
598     ///
599     /// **Why is this bad?** The function will always be called.
600     ///
601     /// **Known problems:** If the function has side-effects, not calling it will
602     /// change the semantics of the program, but you shouldn't rely on that anyway.
603     ///
604     /// **Example:**
605     /// ```rust
606     /// # let foo = Some(String::new());
607     /// # let err_code = "418";
608     /// # let err_msg = "I'm a teapot";
609     /// foo.expect(&format!("Err {}: {}", err_code, err_msg));
610     /// ```
611     /// or
612     /// ```rust
613     /// # let foo = Some(String::new());
614     /// # let err_code = "418";
615     /// # let err_msg = "I'm a teapot";
616     /// foo.expect(format!("Err {}: {}", err_code, err_msg).as_str());
617     /// ```
618     /// this can instead be written:
619     /// ```rust
620     /// # let foo = Some(String::new());
621     /// # let err_code = "418";
622     /// # let err_msg = "I'm a teapot";
623     /// foo.unwrap_or_else(|| panic!("Err {}: {}", err_code, err_msg));
624     /// ```
625     pub EXPECT_FUN_CALL,
626     perf,
627     "using any `expect` method with a function call"
628 }
629
630 declare_clippy_lint! {
631     /// **What it does:** Checks for usage of `.clone()` on a `Copy` type.
632     ///
633     /// **Why is this bad?** The only reason `Copy` types implement `Clone` is for
634     /// generics, not for using the `clone` method on a concrete type.
635     ///
636     /// **Known problems:** None.
637     ///
638     /// **Example:**
639     /// ```rust
640     /// 42u64.clone();
641     /// ```
642     pub CLONE_ON_COPY,
643     complexity,
644     "using `clone` on a `Copy` type"
645 }
646
647 declare_clippy_lint! {
648     /// **What it does:** Checks for usage of `.clone()` on a ref-counted pointer,
649     /// (`Rc`, `Arc`, `rc::Weak`, or `sync::Weak`), and suggests calling Clone via unified
650     /// function syntax instead (e.g., `Rc::clone(foo)`).
651     ///
652     /// **Why is this bad?** Calling '.clone()' on an Rc, Arc, or Weak
653     /// can obscure the fact that only the pointer is being cloned, not the underlying
654     /// data.
655     ///
656     /// **Example:**
657     /// ```rust
658     /// # use std::rc::Rc;
659     /// let x = Rc::new(1);
660     ///
661     /// // Bad
662     /// x.clone();
663     ///
664     /// // Good
665     /// Rc::clone(&x);
666     /// ```
667     pub CLONE_ON_REF_PTR,
668     restriction,
669     "using 'clone' on a ref-counted pointer"
670 }
671
672 declare_clippy_lint! {
673     /// **What it does:** Checks for usage of `.clone()` on an `&&T`.
674     ///
675     /// **Why is this bad?** Cloning an `&&T` copies the inner `&T`, instead of
676     /// cloning the underlying `T`.
677     ///
678     /// **Known problems:** None.
679     ///
680     /// **Example:**
681     /// ```rust
682     /// fn main() {
683     ///     let x = vec![1];
684     ///     let y = &&x;
685     ///     let z = y.clone();
686     ///     println!("{:p} {:p}", *y, z); // prints out the same pointer
687     /// }
688     /// ```
689     pub CLONE_DOUBLE_REF,
690     correctness,
691     "using `clone` on `&&T`"
692 }
693
694 declare_clippy_lint! {
695     /// **What it does:** Checks for usage of `.to_string()` on an `&&T` where
696     /// `T` implements `ToString` directly (like `&&str` or `&&String`).
697     ///
698     /// **Why is this bad?** This bypasses the specialized implementation of
699     /// `ToString` and instead goes through the more expensive string formatting
700     /// facilities.
701     ///
702     /// **Known problems:** None.
703     ///
704     /// **Example:**
705     /// ```rust
706     /// // Generic implementation for `T: Display` is used (slow)
707     /// ["foo", "bar"].iter().map(|s| s.to_string());
708     ///
709     /// // OK, the specialized impl is used
710     /// ["foo", "bar"].iter().map(|&s| s.to_string());
711     /// ```
712     pub INEFFICIENT_TO_STRING,
713     pedantic,
714     "using `to_string` on `&&T` where `T: ToString`"
715 }
716
717 declare_clippy_lint! {
718     /// **What it does:** Checks for `new` not returning a type that contains `Self`.
719     ///
720     /// **Why is this bad?** As a convention, `new` methods are used to make a new
721     /// instance of a type.
722     ///
723     /// **Known problems:** None.
724     ///
725     /// **Example:**
726     /// ```rust
727     /// # struct Foo;
728     /// # struct NotAFoo;
729     /// impl Foo {
730     ///     fn new() -> NotAFoo {
731     /// # NotAFoo
732     ///     }
733     /// }
734     /// ```
735     ///
736     /// ```rust
737     /// # struct Foo;
738     /// # struct FooError;
739     /// impl Foo {
740     ///     // Good. Return type contains `Self`
741     ///     fn new() -> Result<Foo, FooError> {
742     ///         # Ok(Foo)
743     ///     }
744     /// }
745     /// ```
746     ///
747     /// ```rust
748     /// # struct Foo;
749     /// struct Bar(Foo);
750     /// impl Foo {
751     ///     // Bad. The type name must contain `Self`.
752     ///     fn new() -> Bar {
753     ///         # Bar(Foo)
754     ///     }
755     /// }
756     /// ```
757     pub NEW_RET_NO_SELF,
758     style,
759     "not returning type containing `Self` in a `new` method"
760 }
761
762 declare_clippy_lint! {
763     /// **What it does:** Checks for string methods that receive a single-character
764     /// `str` as an argument, e.g., `_.split("x")`.
765     ///
766     /// **Why is this bad?** Performing these methods using a `char` is faster than
767     /// using a `str`.
768     ///
769     /// **Known problems:** Does not catch multi-byte unicode characters.
770     ///
771     /// **Example:**
772     /// ```rust,ignore
773     /// // Bad
774     /// _.split("x");
775     ///
776     /// // Good
777     /// _.split('x');
778     pub SINGLE_CHAR_PATTERN,
779     perf,
780     "using a single-character str where a char could be used, e.g., `_.split(\"x\")`"
781 }
782
783 declare_clippy_lint! {
784     /// **What it does:** Checks for getting the inner pointer of a temporary
785     /// `CString`.
786     ///
787     /// **Why is this bad?** The inner pointer of a `CString` is only valid as long
788     /// as the `CString` is alive.
789     ///
790     /// **Known problems:** None.
791     ///
792     /// **Example:**
793     /// ```rust
794     /// # use std::ffi::CString;
795     /// # fn call_some_ffi_func(_: *const i8) {}
796     /// #
797     /// let c_str = CString::new("foo").unwrap().as_ptr();
798     /// unsafe {
799     ///     call_some_ffi_func(c_str);
800     /// }
801     /// ```
802     /// Here `c_str` point to a freed address. The correct use would be:
803     /// ```rust
804     /// # use std::ffi::CString;
805     /// # fn call_some_ffi_func(_: *const i8) {}
806     /// #
807     /// let c_str = CString::new("foo").unwrap();
808     /// unsafe {
809     ///     call_some_ffi_func(c_str.as_ptr());
810     /// }
811     /// ```
812     pub TEMPORARY_CSTRING_AS_PTR,
813     correctness,
814     "getting the inner pointer of a temporary `CString`"
815 }
816
817 declare_clippy_lint! {
818     /// **What it does:** Checks for calling `.step_by(0)` on iterators which panics.
819     ///
820     /// **Why is this bad?** This very much looks like an oversight. Use `panic!()` instead if you
821     /// actually intend to panic.
822     ///
823     /// **Known problems:** None.
824     ///
825     /// **Example:**
826     /// ```rust,should_panic
827     /// for x in (0..100).step_by(0) {
828     ///     //..
829     /// }
830     /// ```
831     pub ITERATOR_STEP_BY_ZERO,
832     correctness,
833     "using `Iterator::step_by(0)`, which will panic at runtime"
834 }
835
836 declare_clippy_lint! {
837     /// **What it does:** Checks for the use of `iter.nth(0)`.
838     ///
839     /// **Why is this bad?** `iter.next()` is equivalent to
840     /// `iter.nth(0)`, as they both consume the next element,
841     ///  but is more readable.
842     ///
843     /// **Known problems:** None.
844     ///
845     /// **Example:**
846     ///
847     /// ```rust
848     /// # use std::collections::HashSet;
849     /// // Bad
850     /// # let mut s = HashSet::new();
851     /// # s.insert(1);
852     /// let x = s.iter().nth(0);
853     ///
854     /// // Good
855     /// # let mut s = HashSet::new();
856     /// # s.insert(1);
857     /// let x = s.iter().next();
858     /// ```
859     pub ITER_NTH_ZERO,
860     style,
861     "replace `iter.nth(0)` with `iter.next()`"
862 }
863
864 declare_clippy_lint! {
865     /// **What it does:** Checks for use of `.iter().nth()` (and the related
866     /// `.iter_mut().nth()`) on standard library types with O(1) element access.
867     ///
868     /// **Why is this bad?** `.get()` and `.get_mut()` are more efficient and more
869     /// readable.
870     ///
871     /// **Known problems:** None.
872     ///
873     /// **Example:**
874     /// ```rust
875     /// let some_vec = vec![0, 1, 2, 3];
876     /// let bad_vec = some_vec.iter().nth(3);
877     /// let bad_slice = &some_vec[..].iter().nth(3);
878     /// ```
879     /// The correct use would be:
880     /// ```rust
881     /// let some_vec = vec![0, 1, 2, 3];
882     /// let bad_vec = some_vec.get(3);
883     /// let bad_slice = &some_vec[..].get(3);
884     /// ```
885     pub ITER_NTH,
886     perf,
887     "using `.iter().nth()` on a standard library type with O(1) element access"
888 }
889
890 declare_clippy_lint! {
891     /// **What it does:** Checks for use of `.skip(x).next()` on iterators.
892     ///
893     /// **Why is this bad?** `.nth(x)` is cleaner
894     ///
895     /// **Known problems:** None.
896     ///
897     /// **Example:**
898     /// ```rust
899     /// let some_vec = vec![0, 1, 2, 3];
900     /// let bad_vec = some_vec.iter().skip(3).next();
901     /// let bad_slice = &some_vec[..].iter().skip(3).next();
902     /// ```
903     /// The correct use would be:
904     /// ```rust
905     /// let some_vec = vec![0, 1, 2, 3];
906     /// let bad_vec = some_vec.iter().nth(3);
907     /// let bad_slice = &some_vec[..].iter().nth(3);
908     /// ```
909     pub ITER_SKIP_NEXT,
910     style,
911     "using `.skip(x).next()` on an iterator"
912 }
913
914 declare_clippy_lint! {
915     /// **What it does:** Checks for use of `.get().unwrap()` (or
916     /// `.get_mut().unwrap`) on a standard library type which implements `Index`
917     ///
918     /// **Why is this bad?** Using the Index trait (`[]`) is more clear and more
919     /// concise.
920     ///
921     /// **Known problems:** Not a replacement for error handling: Using either
922     /// `.unwrap()` or the Index trait (`[]`) carries the risk of causing a `panic`
923     /// if the value being accessed is `None`. If the use of `.get().unwrap()` is a
924     /// temporary placeholder for dealing with the `Option` type, then this does
925     /// not mitigate the need for error handling. If there is a chance that `.get()`
926     /// will be `None` in your program, then it is advisable that the `None` case
927     /// is handled in a future refactor instead of using `.unwrap()` or the Index
928     /// trait.
929     ///
930     /// **Example:**
931     /// ```rust
932     /// let mut some_vec = vec![0, 1, 2, 3];
933     /// let last = some_vec.get(3).unwrap();
934     /// *some_vec.get_mut(0).unwrap() = 1;
935     /// ```
936     /// The correct use would be:
937     /// ```rust
938     /// let mut some_vec = vec![0, 1, 2, 3];
939     /// let last = some_vec[3];
940     /// some_vec[0] = 1;
941     /// ```
942     pub GET_UNWRAP,
943     restriction,
944     "using `.get().unwrap()` or `.get_mut().unwrap()` when using `[]` would work instead"
945 }
946
947 declare_clippy_lint! {
948     /// **What it does:** Checks for the use of `.extend(s.chars())` where s is a
949     /// `&str` or `String`.
950     ///
951     /// **Why is this bad?** `.push_str(s)` is clearer
952     ///
953     /// **Known problems:** None.
954     ///
955     /// **Example:**
956     /// ```rust
957     /// let abc = "abc";
958     /// let def = String::from("def");
959     /// let mut s = String::new();
960     /// s.extend(abc.chars());
961     /// s.extend(def.chars());
962     /// ```
963     /// The correct use would be:
964     /// ```rust
965     /// let abc = "abc";
966     /// let def = String::from("def");
967     /// let mut s = String::new();
968     /// s.push_str(abc);
969     /// s.push_str(&def);
970     /// ```
971     pub STRING_EXTEND_CHARS,
972     style,
973     "using `x.extend(s.chars())` where s is a `&str` or `String`"
974 }
975
976 declare_clippy_lint! {
977     /// **What it does:** Checks for the use of `.cloned().collect()` on slice to
978     /// create a `Vec`.
979     ///
980     /// **Why is this bad?** `.to_vec()` is clearer
981     ///
982     /// **Known problems:** None.
983     ///
984     /// **Example:**
985     /// ```rust
986     /// let s = [1, 2, 3, 4, 5];
987     /// let s2: Vec<isize> = s[..].iter().cloned().collect();
988     /// ```
989     /// The better use would be:
990     /// ```rust
991     /// let s = [1, 2, 3, 4, 5];
992     /// let s2: Vec<isize> = s.to_vec();
993     /// ```
994     pub ITER_CLONED_COLLECT,
995     style,
996     "using `.cloned().collect()` on slice to create a `Vec`"
997 }
998
999 declare_clippy_lint! {
1000     /// **What it does:** Checks for usage of `_.chars().last()` or
1001     /// `_.chars().next_back()` on a `str` to check if it ends with a given char.
1002     ///
1003     /// **Why is this bad?** Readability, this can be written more concisely as
1004     /// `_.ends_with(_)`.
1005     ///
1006     /// **Known problems:** None.
1007     ///
1008     /// **Example:**
1009     /// ```rust
1010     /// # let name = "_";
1011     ///
1012     /// // Bad
1013     /// name.chars().last() == Some('_') || name.chars().next_back() == Some('-');
1014     ///
1015     /// // Good
1016     /// name.ends_with('_') || name.ends_with('-');
1017     /// ```
1018     pub CHARS_LAST_CMP,
1019     style,
1020     "using `.chars().last()` or `.chars().next_back()` to check if a string ends with a char"
1021 }
1022
1023 declare_clippy_lint! {
1024     /// **What it does:** Checks for usage of `.as_ref()` or `.as_mut()` where the
1025     /// types before and after the call are the same.
1026     ///
1027     /// **Why is this bad?** The call is unnecessary.
1028     ///
1029     /// **Known problems:** None.
1030     ///
1031     /// **Example:**
1032     /// ```rust
1033     /// # fn do_stuff(x: &[i32]) {}
1034     /// let x: &[i32] = &[1, 2, 3, 4, 5];
1035     /// do_stuff(x.as_ref());
1036     /// ```
1037     /// The correct use would be:
1038     /// ```rust
1039     /// # fn do_stuff(x: &[i32]) {}
1040     /// let x: &[i32] = &[1, 2, 3, 4, 5];
1041     /// do_stuff(x);
1042     /// ```
1043     pub USELESS_ASREF,
1044     complexity,
1045     "using `as_ref` where the types before and after the call are the same"
1046 }
1047
1048 declare_clippy_lint! {
1049     /// **What it does:** Checks for using `fold` when a more succinct alternative exists.
1050     /// Specifically, this checks for `fold`s which could be replaced by `any`, `all`,
1051     /// `sum` or `product`.
1052     ///
1053     /// **Why is this bad?** Readability.
1054     ///
1055     /// **Known problems:** False positive in pattern guards. Will be resolved once
1056     /// non-lexical lifetimes are stable.
1057     ///
1058     /// **Example:**
1059     /// ```rust
1060     /// let _ = (0..3).fold(false, |acc, x| acc || x > 2);
1061     /// ```
1062     /// This could be written as:
1063     /// ```rust
1064     /// let _ = (0..3).any(|x| x > 2);
1065     /// ```
1066     pub UNNECESSARY_FOLD,
1067     style,
1068     "using `fold` when a more succinct alternative exists"
1069 }
1070
1071 declare_clippy_lint! {
1072     /// **What it does:** Checks for `filter_map` calls which could be replaced by `filter` or `map`.
1073     /// More specifically it checks if the closure provided is only performing one of the
1074     /// filter or map operations and suggests the appropriate option.
1075     ///
1076     /// **Why is this bad?** Complexity. The intent is also clearer if only a single
1077     /// operation is being performed.
1078     ///
1079     /// **Known problems:** None
1080     ///
1081     /// **Example:**
1082     /// ```rust
1083     /// let _ = (0..3).filter_map(|x| if x > 2 { Some(x) } else { None });
1084     ///
1085     /// // As there is no transformation of the argument this could be written as:
1086     /// let _ = (0..3).filter(|&x| x > 2);
1087     /// ```
1088     ///
1089     /// ```rust
1090     /// let _ = (0..4).filter_map(|x| Some(x + 1));
1091     ///
1092     /// // As there is no conditional check on the argument this could be written as:
1093     /// let _ = (0..4).map(|x| x + 1);
1094     /// ```
1095     pub UNNECESSARY_FILTER_MAP,
1096     complexity,
1097     "using `filter_map` when a more succinct alternative exists"
1098 }
1099
1100 declare_clippy_lint! {
1101     /// **What it does:** Checks for `into_iter` calls on references which should be replaced by `iter`
1102     /// or `iter_mut`.
1103     ///
1104     /// **Why is this bad?** Readability. Calling `into_iter` on a reference will not move out its
1105     /// content into the resulting iterator, which is confusing. It is better just call `iter` or
1106     /// `iter_mut` directly.
1107     ///
1108     /// **Known problems:** None
1109     ///
1110     /// **Example:**
1111     ///
1112     /// ```rust
1113     /// // Bad
1114     /// let _ = (&vec![3, 4, 5]).into_iter();
1115     ///
1116     /// // Good
1117     /// let _ = (&vec![3, 4, 5]).iter();
1118     /// ```
1119     pub INTO_ITER_ON_REF,
1120     style,
1121     "using `.into_iter()` on a reference"
1122 }
1123
1124 declare_clippy_lint! {
1125     /// **What it does:** Checks for calls to `map` followed by a `count`.
1126     ///
1127     /// **Why is this bad?** It looks suspicious. Maybe `map` was confused with `filter`.
1128     /// If the `map` call is intentional, this should be rewritten. Or, if you intend to
1129     /// drive the iterator to completion, you can just use `for_each` instead.
1130     ///
1131     /// **Known problems:** None
1132     ///
1133     /// **Example:**
1134     ///
1135     /// ```rust
1136     /// let _ = (0..3).map(|x| x + 2).count();
1137     /// ```
1138     pub SUSPICIOUS_MAP,
1139     complexity,
1140     "suspicious usage of map"
1141 }
1142
1143 declare_clippy_lint! {
1144     /// **What it does:** Checks for `MaybeUninit::uninit().assume_init()`.
1145     ///
1146     /// **Why is this bad?** For most types, this is undefined behavior.
1147     ///
1148     /// **Known problems:** For now, we accept empty tuples and tuples / arrays
1149     /// of `MaybeUninit`. There may be other types that allow uninitialized
1150     /// data, but those are not yet rigorously defined.
1151     ///
1152     /// **Example:**
1153     ///
1154     /// ```rust
1155     /// // Beware the UB
1156     /// use std::mem::MaybeUninit;
1157     ///
1158     /// let _: usize = unsafe { MaybeUninit::uninit().assume_init() };
1159     /// ```
1160     ///
1161     /// Note that the following is OK:
1162     ///
1163     /// ```rust
1164     /// use std::mem::MaybeUninit;
1165     ///
1166     /// let _: [MaybeUninit<bool>; 5] = unsafe {
1167     ///     MaybeUninit::uninit().assume_init()
1168     /// };
1169     /// ```
1170     pub UNINIT_ASSUMED_INIT,
1171     correctness,
1172     "`MaybeUninit::uninit().assume_init()`"
1173 }
1174
1175 declare_clippy_lint! {
1176     /// **What it does:** Checks for `.checked_add/sub(x).unwrap_or(MAX/MIN)`.
1177     ///
1178     /// **Why is this bad?** These can be written simply with `saturating_add/sub` methods.
1179     ///
1180     /// **Example:**
1181     ///
1182     /// ```rust
1183     /// # let y: u32 = 0;
1184     /// # let x: u32 = 100;
1185     /// let add = x.checked_add(y).unwrap_or(u32::MAX);
1186     /// let sub = x.checked_sub(y).unwrap_or(u32::MIN);
1187     /// ```
1188     ///
1189     /// can be written using dedicated methods for saturating addition/subtraction as:
1190     ///
1191     /// ```rust
1192     /// # let y: u32 = 0;
1193     /// # let x: u32 = 100;
1194     /// let add = x.saturating_add(y);
1195     /// let sub = x.saturating_sub(y);
1196     /// ```
1197     pub MANUAL_SATURATING_ARITHMETIC,
1198     style,
1199     "`.chcked_add/sub(x).unwrap_or(MAX/MIN)`"
1200 }
1201
1202 declare_clippy_lint! {
1203     /// **What it does:** Checks for `offset(_)`, `wrapping_`{`add`, `sub`}, etc. on raw pointers to
1204     /// zero-sized types
1205     ///
1206     /// **Why is this bad?** This is a no-op, and likely unintended
1207     ///
1208     /// **Known problems:** None
1209     ///
1210     /// **Example:**
1211     /// ```rust
1212     /// unsafe { (&() as *const ()).offset(1) };
1213     /// ```
1214     pub ZST_OFFSET,
1215     correctness,
1216     "Check for offset calculations on raw pointers to zero-sized types"
1217 }
1218
1219 declare_clippy_lint! {
1220     /// **What it does:** Checks for `FileType::is_file()`.
1221     ///
1222     /// **Why is this bad?** When people testing a file type with `FileType::is_file`
1223     /// they are testing whether a path is something they can get bytes from. But
1224     /// `is_file` doesn't cover special file types in unix-like systems, and doesn't cover
1225     /// symlink in windows. Using `!FileType::is_dir()` is a better way to that intention.
1226     ///
1227     /// **Example:**
1228     ///
1229     /// ```rust
1230     /// # || {
1231     /// let metadata = std::fs::metadata("foo.txt")?;
1232     /// let filetype = metadata.file_type();
1233     ///
1234     /// if filetype.is_file() {
1235     ///     // read file
1236     /// }
1237     /// # Ok::<_, std::io::Error>(())
1238     /// # };
1239     /// ```
1240     ///
1241     /// should be written as:
1242     ///
1243     /// ```rust
1244     /// # || {
1245     /// let metadata = std::fs::metadata("foo.txt")?;
1246     /// let filetype = metadata.file_type();
1247     ///
1248     /// if !filetype.is_dir() {
1249     ///     // read file
1250     /// }
1251     /// # Ok::<_, std::io::Error>(())
1252     /// # };
1253     /// ```
1254     pub FILETYPE_IS_FILE,
1255     restriction,
1256     "`FileType::is_file` is not recommended to test for readable file type"
1257 }
1258
1259 declare_clippy_lint! {
1260     /// **What it does:** Checks for usage of `_.as_ref().map(Deref::deref)` or it's aliases (such as String::as_str).
1261     ///
1262     /// **Why is this bad?** Readability, this can be written more concisely as a
1263     /// single method call.
1264     ///
1265     /// **Known problems:** None.
1266     ///
1267     /// **Example:**
1268     /// ```rust
1269     /// # let opt = Some("".to_string());
1270     /// opt.as_ref().map(String::as_str)
1271     /// # ;
1272     /// ```
1273     /// Can be written as
1274     /// ```rust
1275     /// # let opt = Some("".to_string());
1276     /// opt.as_deref()
1277     /// # ;
1278     /// ```
1279     pub OPTION_AS_REF_DEREF,
1280     complexity,
1281     "using `as_ref().map(Deref::deref)`, which is more succinctly expressed as `as_deref()`"
1282 }
1283
1284 declare_clippy_lint! {
1285     /// **What it does:** Checks for usage of `iter().next()` on a Slice or an Array
1286     ///
1287     /// **Why is this bad?** These can be shortened into `.get()`
1288     ///
1289     /// **Known problems:** None.
1290     ///
1291     /// **Example:**
1292     /// ```rust
1293     /// # let a = [1, 2, 3];
1294     /// # let b = vec![1, 2, 3];
1295     /// a[2..].iter().next();
1296     /// b.iter().next();
1297     /// ```
1298     /// should be written as:
1299     /// ```rust
1300     /// # let a = [1, 2, 3];
1301     /// # let b = vec![1, 2, 3];
1302     /// a.get(2);
1303     /// b.get(0);
1304     /// ```
1305     pub ITER_NEXT_SLICE,
1306     style,
1307     "using `.iter().next()` on a sliced array, which can be shortened to just `.get()`"
1308 }
1309
1310 declare_lint_pass!(Methods => [
1311     UNWRAP_USED,
1312     EXPECT_USED,
1313     SHOULD_IMPLEMENT_TRAIT,
1314     WRONG_SELF_CONVENTION,
1315     WRONG_PUB_SELF_CONVENTION,
1316     OK_EXPECT,
1317     MAP_UNWRAP_OR,
1318     RESULT_MAP_OR_INTO_OPTION,
1319     OPTION_MAP_OR_NONE,
1320     BIND_INSTEAD_OF_MAP,
1321     OR_FUN_CALL,
1322     EXPECT_FUN_CALL,
1323     CHARS_NEXT_CMP,
1324     CHARS_LAST_CMP,
1325     CLONE_ON_COPY,
1326     CLONE_ON_REF_PTR,
1327     CLONE_DOUBLE_REF,
1328     INEFFICIENT_TO_STRING,
1329     NEW_RET_NO_SELF,
1330     SINGLE_CHAR_PATTERN,
1331     SEARCH_IS_SOME,
1332     TEMPORARY_CSTRING_AS_PTR,
1333     FILTER_NEXT,
1334     SKIP_WHILE_NEXT,
1335     FILTER_MAP,
1336     FILTER_MAP_NEXT,
1337     FLAT_MAP_IDENTITY,
1338     FIND_MAP,
1339     MAP_FLATTEN,
1340     ITERATOR_STEP_BY_ZERO,
1341     ITER_NEXT_SLICE,
1342     ITER_NTH,
1343     ITER_NTH_ZERO,
1344     ITER_SKIP_NEXT,
1345     GET_UNWRAP,
1346     STRING_EXTEND_CHARS,
1347     ITER_CLONED_COLLECT,
1348     USELESS_ASREF,
1349     UNNECESSARY_FOLD,
1350     UNNECESSARY_FILTER_MAP,
1351     INTO_ITER_ON_REF,
1352     SUSPICIOUS_MAP,
1353     UNINIT_ASSUMED_INIT,
1354     MANUAL_SATURATING_ARITHMETIC,
1355     ZST_OFFSET,
1356     FILETYPE_IS_FILE,
1357     OPTION_AS_REF_DEREF,
1358 ]);
1359
1360 impl<'a, 'tcx> LateLintPass<'a, 'tcx> for Methods {
1361     #[allow(clippy::too_many_lines)]
1362     fn check_expr(&mut self, cx: &LateContext<'a, 'tcx>, expr: &'tcx hir::Expr<'_>) {
1363         if in_macro(expr.span) {
1364             return;
1365         }
1366
1367         let (method_names, arg_lists, method_spans) = method_calls(expr, 2);
1368         let method_names: Vec<SymbolStr> = method_names.iter().map(|s| s.as_str()).collect();
1369         let method_names: Vec<&str> = method_names.iter().map(|s| &**s).collect();
1370
1371         match method_names.as_slice() {
1372             ["unwrap", "get"] => lint_get_unwrap(cx, expr, arg_lists[1], false),
1373             ["unwrap", "get_mut"] => lint_get_unwrap(cx, expr, arg_lists[1], true),
1374             ["unwrap", ..] => lint_unwrap(cx, expr, arg_lists[0]),
1375             ["expect", "ok"] => lint_ok_expect(cx, expr, arg_lists[1]),
1376             ["expect", ..] => lint_expect(cx, expr, arg_lists[0]),
1377             ["unwrap_or", "map"] => option_map_unwrap_or::lint(cx, expr, arg_lists[1], arg_lists[0], method_spans[1]),
1378             ["unwrap_or_else", "map"] => lint_map_unwrap_or_else(cx, expr, arg_lists[1], arg_lists[0]),
1379             ["map_or", ..] => lint_map_or_none(cx, expr, arg_lists[0]),
1380             ["and_then", ..] => {
1381                 bind_instead_of_map::OptionAndThenSome::lint(cx, expr, arg_lists[0]);
1382                 bind_instead_of_map::ResultAndThenOk::lint(cx, expr, arg_lists[0]);
1383             },
1384             ["or_else", ..] => {
1385                 bind_instead_of_map::ResultOrElseErrInfo::lint(cx, expr, arg_lists[0]);
1386             },
1387             ["next", "filter"] => lint_filter_next(cx, expr, arg_lists[1]),
1388             ["next", "skip_while"] => lint_skip_while_next(cx, expr, arg_lists[1]),
1389             ["next", "iter"] => lint_iter_next(cx, expr, arg_lists[1]),
1390             ["map", "filter"] => lint_filter_map(cx, expr, arg_lists[1], arg_lists[0]),
1391             ["map", "filter_map"] => lint_filter_map_map(cx, expr, arg_lists[1], arg_lists[0]),
1392             ["next", "filter_map"] => lint_filter_map_next(cx, expr, arg_lists[1]),
1393             ["map", "find"] => lint_find_map(cx, expr, arg_lists[1], arg_lists[0]),
1394             ["flat_map", "filter"] => lint_filter_flat_map(cx, expr, arg_lists[1], arg_lists[0]),
1395             ["flat_map", "filter_map"] => lint_filter_map_flat_map(cx, expr, arg_lists[1], arg_lists[0]),
1396             ["flat_map", ..] => lint_flat_map_identity(cx, expr, arg_lists[0], method_spans[0]),
1397             ["flatten", "map"] => lint_map_flatten(cx, expr, arg_lists[1]),
1398             ["is_some", "find"] => lint_search_is_some(cx, expr, "find", arg_lists[1], arg_lists[0], method_spans[1]),
1399             ["is_some", "position"] => {
1400                 lint_search_is_some(cx, expr, "position", arg_lists[1], arg_lists[0], method_spans[1])
1401             },
1402             ["is_some", "rposition"] => {
1403                 lint_search_is_some(cx, expr, "rposition", arg_lists[1], arg_lists[0], method_spans[1])
1404             },
1405             ["extend", ..] => lint_extend(cx, expr, arg_lists[0]),
1406             ["as_ptr", "unwrap" | "expect"] => lint_cstring_as_ptr(cx, expr, &arg_lists[1][0], &arg_lists[0][0]),
1407             ["nth", "iter"] => lint_iter_nth(cx, expr, &arg_lists, false),
1408             ["nth", "iter_mut"] => lint_iter_nth(cx, expr, &arg_lists, true),
1409             ["nth", ..] => lint_iter_nth_zero(cx, expr, arg_lists[0]),
1410             ["step_by", ..] => lint_step_by(cx, expr, arg_lists[0]),
1411             ["next", "skip"] => lint_iter_skip_next(cx, expr),
1412             ["collect", "cloned"] => lint_iter_cloned_collect(cx, expr, arg_lists[1]),
1413             ["as_ref"] => lint_asref(cx, expr, "as_ref", arg_lists[0]),
1414             ["as_mut"] => lint_asref(cx, expr, "as_mut", arg_lists[0]),
1415             ["fold", ..] => lint_unnecessary_fold(cx, expr, arg_lists[0], method_spans[0]),
1416             ["filter_map", ..] => unnecessary_filter_map::lint(cx, expr, arg_lists[0]),
1417             ["count", "map"] => lint_suspicious_map(cx, expr),
1418             ["assume_init"] => lint_maybe_uninit(cx, &arg_lists[0][0], expr),
1419             ["unwrap_or", arith @ ("checked_add" | "checked_sub" | "checked_mul")] => {
1420                 manual_saturating_arithmetic::lint(cx, expr, &arg_lists, &arith["checked_".len()..])
1421             },
1422             ["add" | "offset" | "sub" | "wrapping_offset" | "wrapping_add" | "wrapping_sub"] => {
1423                 check_pointer_offset(cx, expr, arg_lists[0])
1424             },
1425             ["is_file", ..] => lint_filetype_is_file(cx, expr, arg_lists[0]),
1426             ["map", "as_ref"] => lint_option_as_ref_deref(cx, expr, arg_lists[1], arg_lists[0], false),
1427             ["map", "as_mut"] => lint_option_as_ref_deref(cx, expr, arg_lists[1], arg_lists[0], true),
1428             _ => {},
1429         }
1430
1431         match expr.kind {
1432             hir::ExprKind::MethodCall(ref method_call, ref method_span, ref args, _) => {
1433                 lint_or_fun_call(cx, expr, *method_span, &method_call.ident.as_str(), args);
1434                 lint_expect_fun_call(cx, expr, *method_span, &method_call.ident.as_str(), args);
1435
1436                 let self_ty = cx.tables().expr_ty_adjusted(&args[0]);
1437                 if args.len() == 1 && method_call.ident.name == sym!(clone) {
1438                     lint_clone_on_copy(cx, expr, &args[0], self_ty);
1439                     lint_clone_on_ref_ptr(cx, expr, &args[0]);
1440                 }
1441                 if args.len() == 1 && method_call.ident.name == sym!(to_string) {
1442                     inefficient_to_string::lint(cx, expr, &args[0], self_ty);
1443                 }
1444
1445                 match self_ty.kind {
1446                     ty::Ref(_, ty, _) if ty.kind == ty::Str => {
1447                         for &(method, pos) in &PATTERN_METHODS {
1448                             if method_call.ident.name.as_str() == method && args.len() > pos {
1449                                 lint_single_char_pattern(cx, expr, &args[pos]);
1450                             }
1451                         }
1452                     },
1453                     ty::Ref(..) if method_call.ident.name == sym!(into_iter) => {
1454                         lint_into_iter(cx, expr, self_ty, *method_span);
1455                     },
1456                     _ => (),
1457                 }
1458             },
1459             hir::ExprKind::Binary(op, ref lhs, ref rhs)
1460                 if op.node == hir::BinOpKind::Eq || op.node == hir::BinOpKind::Ne =>
1461             {
1462                 let mut info = BinaryExprInfo {
1463                     expr,
1464                     chain: lhs,
1465                     other: rhs,
1466                     eq: op.node == hir::BinOpKind::Eq,
1467                 };
1468                 lint_binary_expr_with_method_call(cx, &mut info);
1469             }
1470             _ => (),
1471         }
1472     }
1473
1474     fn check_impl_item(&mut self, cx: &LateContext<'a, 'tcx>, impl_item: &'tcx hir::ImplItem<'_>) {
1475         if in_external_macro(cx.sess(), impl_item.span) {
1476             return;
1477         }
1478         let name = impl_item.ident.name.as_str();
1479         let parent = cx.tcx.hir().get_parent_item(impl_item.hir_id);
1480         let item = cx.tcx.hir().expect_item(parent);
1481         let def_id = cx.tcx.hir().local_def_id(item.hir_id);
1482         let self_ty = cx.tcx.type_of(def_id);
1483         if_chain! {
1484             if let hir::ImplItemKind::Fn(ref sig, id) = impl_item.kind;
1485             if let Some(first_arg) = iter_input_pats(&sig.decl, cx.tcx.hir().body(id)).next();
1486             if let hir::ItemKind::Impl{ of_trait: None, .. } = item.kind;
1487
1488             let method_def_id = cx.tcx.hir().local_def_id(impl_item.hir_id);
1489             let method_sig = cx.tcx.fn_sig(method_def_id);
1490             let method_sig = cx.tcx.erase_late_bound_regions(&method_sig);
1491
1492             let first_arg_ty = &method_sig.inputs().iter().next();
1493
1494             // check conventions w.r.t. conversion method names and predicates
1495             if let Some(first_arg_ty) = first_arg_ty;
1496
1497             then {
1498                 if cx.access_levels.is_exported(impl_item.hir_id) {
1499                 // check missing trait implementations
1500                     for &(method_name, n_args, fn_header, self_kind, out_type, trait_name) in &TRAIT_METHODS {
1501                         if name == method_name &&
1502                             sig.decl.inputs.len() == n_args &&
1503                             out_type.matches(cx, &sig.decl.output) &&
1504                             self_kind.matches(cx, self_ty, first_arg_ty) &&
1505                             fn_header_equals(*fn_header, sig.header) {
1506                             span_lint(cx, SHOULD_IMPLEMENT_TRAIT, impl_item.span, &format!(
1507                                 "defining a method called `{}` on this type; consider implementing \
1508                                 the `{}` trait or choosing a less ambiguous name", name, trait_name));
1509                         }
1510                     }
1511                 }
1512
1513                 if let Some((ref conv, self_kinds)) = &CONVENTIONS
1514                     .iter()
1515                     .find(|(ref conv, _)| conv.check(&name))
1516                 {
1517                     if !self_kinds.iter().any(|k| k.matches(cx, self_ty, first_arg_ty)) {
1518                         let lint = if item.vis.node.is_pub() {
1519                             WRONG_PUB_SELF_CONVENTION
1520                         } else {
1521                             WRONG_SELF_CONVENTION
1522                         };
1523
1524                         span_lint(
1525                             cx,
1526                             lint,
1527                             first_arg.pat.span,
1528                             &format!("methods called `{}` usually take {}; consider choosing a less ambiguous name",
1529                                 conv,
1530                                 &self_kinds
1531                                     .iter()
1532                                     .map(|k| k.description())
1533                                     .collect::<Vec<_>>()
1534                                     .join(" or ")
1535                             ),
1536                         );
1537                     }
1538                 }
1539             }
1540         }
1541
1542         if let hir::ImplItemKind::Fn(_, _) = impl_item.kind {
1543             let ret_ty = return_ty(cx, impl_item.hir_id);
1544
1545             let contains_self_ty = |ty: Ty<'tcx>| {
1546                 ty.walk().any(|inner| match inner.unpack() {
1547                     GenericArgKind::Type(inner_ty) => TyS::same_type(self_ty, inner_ty),
1548
1549                     GenericArgKind::Lifetime(_) | GenericArgKind::Const(_) => false,
1550                 })
1551             };
1552
1553             // walk the return type and check for Self (this does not check associated types)
1554             if contains_self_ty(ret_ty) {
1555                 return;
1556             }
1557
1558             // if return type is impl trait, check the associated types
1559             if let ty::Opaque(def_id, _) = ret_ty.kind {
1560                 // one of the associated types must be Self
1561                 for predicate in cx.tcx.predicates_of(def_id).predicates {
1562                     if let ty::PredicateKind::Projection(poly_projection_predicate) = predicate.0.kind() {
1563                         let binder = poly_projection_predicate.ty();
1564                         let associated_type = binder.skip_binder();
1565
1566                         // walk the associated type and check for Self
1567                         if contains_self_ty(associated_type) {
1568                             return;
1569                         }
1570                     }
1571                 }
1572             }
1573
1574             if name == "new" && !TyS::same_type(ret_ty, self_ty) {
1575                 span_lint(
1576                     cx,
1577                     NEW_RET_NO_SELF,
1578                     impl_item.span,
1579                     "methods called `new` usually return `Self`",
1580                 );
1581             }
1582         }
1583     }
1584 }
1585
1586 /// Checks for the `OR_FUN_CALL` lint.
1587 #[allow(clippy::too_many_lines)]
1588 fn lint_or_fun_call<'a, 'tcx>(
1589     cx: &LateContext<'a, 'tcx>,
1590     expr: &hir::Expr<'_>,
1591     method_span: Span,
1592     name: &str,
1593     args: &'tcx [hir::Expr<'_>],
1594 ) {
1595     // Searches an expression for method calls or function calls that aren't ctors
1596     struct FunCallFinder<'a, 'tcx> {
1597         cx: &'a LateContext<'a, 'tcx>,
1598         found: bool,
1599     }
1600
1601     impl<'a, 'tcx> intravisit::Visitor<'tcx> for FunCallFinder<'a, 'tcx> {
1602         type Map = Map<'tcx>;
1603
1604         fn visit_expr(&mut self, expr: &'tcx hir::Expr<'_>) {
1605             let call_found = match &expr.kind {
1606                 // ignore enum and struct constructors
1607                 hir::ExprKind::Call(..) => !is_ctor_or_promotable_const_function(self.cx, expr),
1608                 hir::ExprKind::MethodCall(..) => true,
1609                 _ => false,
1610             };
1611
1612             if call_found {
1613                 self.found |= true;
1614             }
1615
1616             if !self.found {
1617                 intravisit::walk_expr(self, expr);
1618             }
1619         }
1620
1621         fn nested_visit_map(&mut self) -> intravisit::NestedVisitorMap<Self::Map> {
1622             intravisit::NestedVisitorMap::None
1623         }
1624     }
1625
1626     /// Checks for `unwrap_or(T::new())` or `unwrap_or(T::default())`.
1627     fn check_unwrap_or_default(
1628         cx: &LateContext<'_, '_>,
1629         name: &str,
1630         fun: &hir::Expr<'_>,
1631         self_expr: &hir::Expr<'_>,
1632         arg: &hir::Expr<'_>,
1633         or_has_args: bool,
1634         span: Span,
1635     ) -> bool {
1636         if_chain! {
1637             if !or_has_args;
1638             if name == "unwrap_or";
1639             if let hir::ExprKind::Path(ref qpath) = fun.kind;
1640             let path = &*last_path_segment(qpath).ident.as_str();
1641             if ["default", "new"].contains(&path);
1642             let arg_ty = cx.tables().expr_ty(arg);
1643             if let Some(default_trait_id) = get_trait_def_id(cx, &paths::DEFAULT_TRAIT);
1644             if implements_trait(cx, arg_ty, default_trait_id, &[]);
1645
1646             then {
1647                 let mut applicability = Applicability::MachineApplicable;
1648                 span_lint_and_sugg(
1649                     cx,
1650                     OR_FUN_CALL,
1651                     span,
1652                     &format!("use of `{}` followed by a call to `{}`", name, path),
1653                     "try this",
1654                     format!(
1655                         "{}.unwrap_or_default()",
1656                         snippet_with_applicability(cx, self_expr.span, "_", &mut applicability)
1657                     ),
1658                     applicability,
1659                 );
1660
1661                 true
1662             } else {
1663                 false
1664             }
1665         }
1666     }
1667
1668     /// Checks for `*or(foo())`.
1669     #[allow(clippy::too_many_arguments)]
1670     fn check_general_case<'a, 'tcx>(
1671         cx: &LateContext<'a, 'tcx>,
1672         name: &str,
1673         method_span: Span,
1674         fun_span: Span,
1675         self_expr: &hir::Expr<'_>,
1676         arg: &'tcx hir::Expr<'_>,
1677         or_has_args: bool,
1678         span: Span,
1679     ) {
1680         if let hir::ExprKind::MethodCall(ref path, _, ref args, _) = &arg.kind {
1681             if path.ident.as_str() == "len" {
1682                 let ty = walk_ptrs_ty(cx.tables().expr_ty(&args[0]));
1683
1684                 match ty.kind {
1685                     ty::Slice(_) | ty::Array(_, _) => return,
1686                     _ => (),
1687                 }
1688
1689                 if match_type(cx, ty, &paths::VEC) {
1690                     return;
1691                 }
1692             }
1693         }
1694
1695         // (path, fn_has_argument, methods, suffix)
1696         let know_types: &[(&[_], _, &[_], _)] = &[
1697             (&paths::BTREEMAP_ENTRY, false, &["or_insert"], "with"),
1698             (&paths::HASHMAP_ENTRY, false, &["or_insert"], "with"),
1699             (&paths::OPTION, false, &["map_or", "ok_or", "or", "unwrap_or"], "else"),
1700             (&paths::RESULT, true, &["or", "unwrap_or"], "else"),
1701         ];
1702
1703         if_chain! {
1704             if know_types.iter().any(|k| k.2.contains(&name));
1705
1706             let mut finder = FunCallFinder { cx: &cx, found: false };
1707             if { finder.visit_expr(&arg); finder.found };
1708             if !contains_return(&arg);
1709
1710             let self_ty = cx.tables().expr_ty(self_expr);
1711
1712             if let Some(&(_, fn_has_arguments, poss, suffix)) =
1713                 know_types.iter().find(|&&i| match_type(cx, self_ty, i.0));
1714
1715             if poss.contains(&name);
1716
1717             then {
1718                 let sugg: Cow<'_, _> = match (fn_has_arguments, !or_has_args) {
1719                     (true, _) => format!("|_| {}", snippet_with_macro_callsite(cx, arg.span, "..")).into(),
1720                     (false, false) => format!("|| {}", snippet_with_macro_callsite(cx, arg.span, "..")).into(),
1721                     (false, true) => snippet_with_macro_callsite(cx, fun_span, ".."),
1722                 };
1723                 let span_replace_word = method_span.with_hi(span.hi());
1724                 span_lint_and_sugg(
1725                     cx,
1726                     OR_FUN_CALL,
1727                     span_replace_word,
1728                     &format!("use of `{}` followed by a function call", name),
1729                     "try this",
1730                     format!("{}_{}({})", name, suffix, sugg),
1731                     Applicability::HasPlaceholders,
1732                 );
1733             }
1734         }
1735     }
1736
1737     if args.len() == 2 {
1738         match args[1].kind {
1739             hir::ExprKind::Call(ref fun, ref or_args) => {
1740                 let or_has_args = !or_args.is_empty();
1741                 if !check_unwrap_or_default(cx, name, fun, &args[0], &args[1], or_has_args, expr.span) {
1742                     check_general_case(
1743                         cx,
1744                         name,
1745                         method_span,
1746                         fun.span,
1747                         &args[0],
1748                         &args[1],
1749                         or_has_args,
1750                         expr.span,
1751                     );
1752                 }
1753             },
1754             hir::ExprKind::MethodCall(_, span, ref or_args, _) => check_general_case(
1755                 cx,
1756                 name,
1757                 method_span,
1758                 span,
1759                 &args[0],
1760                 &args[1],
1761                 !or_args.is_empty(),
1762                 expr.span,
1763             ),
1764             _ => {},
1765         }
1766     }
1767 }
1768
1769 /// Checks for the `EXPECT_FUN_CALL` lint.
1770 #[allow(clippy::too_many_lines)]
1771 fn lint_expect_fun_call(
1772     cx: &LateContext<'_, '_>,
1773     expr: &hir::Expr<'_>,
1774     method_span: Span,
1775     name: &str,
1776     args: &[hir::Expr<'_>],
1777 ) {
1778     // Strip `&`, `as_ref()` and `as_str()` off `arg` until we're left with either a `String` or
1779     // `&str`
1780     fn get_arg_root<'a>(cx: &LateContext<'_, '_>, arg: &'a hir::Expr<'a>) -> &'a hir::Expr<'a> {
1781         let mut arg_root = arg;
1782         loop {
1783             arg_root = match &arg_root.kind {
1784                 hir::ExprKind::AddrOf(hir::BorrowKind::Ref, _, expr) => expr,
1785                 hir::ExprKind::MethodCall(method_name, _, call_args, _) => {
1786                     if call_args.len() == 1
1787                         && (method_name.ident.name == sym!(as_str) || method_name.ident.name == sym!(as_ref))
1788                         && {
1789                             let arg_type = cx.tables().expr_ty(&call_args[0]);
1790                             let base_type = walk_ptrs_ty(arg_type);
1791                             base_type.kind == ty::Str || is_type_diagnostic_item(cx, base_type, sym!(string_type))
1792                         }
1793                     {
1794                         &call_args[0]
1795                     } else {
1796                         break;
1797                     }
1798                 },
1799                 _ => break,
1800             };
1801         }
1802         arg_root
1803     }
1804
1805     // Only `&'static str` or `String` can be used directly in the `panic!`. Other types should be
1806     // converted to string.
1807     fn requires_to_string(cx: &LateContext<'_, '_>, arg: &hir::Expr<'_>) -> bool {
1808         let arg_ty = cx.tables().expr_ty(arg);
1809         if is_type_diagnostic_item(cx, arg_ty, sym!(string_type)) {
1810             return false;
1811         }
1812         if let ty::Ref(_, ty, ..) = arg_ty.kind {
1813             if ty.kind == ty::Str && can_be_static_str(cx, arg) {
1814                 return false;
1815             }
1816         };
1817         true
1818     }
1819
1820     // Check if an expression could have type `&'static str`, knowing that it
1821     // has type `&str` for some lifetime.
1822     fn can_be_static_str(cx: &LateContext<'_, '_>, arg: &hir::Expr<'_>) -> bool {
1823         match arg.kind {
1824             hir::ExprKind::Lit(_) => true,
1825             hir::ExprKind::Call(fun, _) => {
1826                 if let hir::ExprKind::Path(ref p) = fun.kind {
1827                     match cx.tables().qpath_res(p, fun.hir_id) {
1828                         hir::def::Res::Def(hir::def::DefKind::Fn | hir::def::DefKind::AssocFn, def_id) => matches!(
1829                             cx.tcx.fn_sig(def_id).output().skip_binder().kind,
1830                             ty::Ref(ty::ReStatic, ..)
1831                         ),
1832                         _ => false,
1833                     }
1834                 } else {
1835                     false
1836                 }
1837             },
1838             hir::ExprKind::MethodCall(..) => cx
1839                 .tables()
1840                 .type_dependent_def_id(arg.hir_id)
1841                 .map_or(false, |method_id| {
1842                     matches!(
1843                         cx.tcx.fn_sig(method_id).output().skip_binder().kind,
1844                         ty::Ref(ty::ReStatic, ..)
1845                     )
1846                 }),
1847             hir::ExprKind::Path(ref p) => match cx.tables().qpath_res(p, arg.hir_id) {
1848                 hir::def::Res::Def(hir::def::DefKind::Const | hir::def::DefKind::Static, _) => true,
1849                 _ => false,
1850             },
1851             _ => false,
1852         }
1853     }
1854
1855     fn generate_format_arg_snippet(
1856         cx: &LateContext<'_, '_>,
1857         a: &hir::Expr<'_>,
1858         applicability: &mut Applicability,
1859     ) -> Vec<String> {
1860         if_chain! {
1861             if let hir::ExprKind::AddrOf(hir::BorrowKind::Ref, _, ref format_arg) = a.kind;
1862             if let hir::ExprKind::Match(ref format_arg_expr, _, _) = format_arg.kind;
1863             if let hir::ExprKind::Tup(ref format_arg_expr_tup) = format_arg_expr.kind;
1864
1865             then {
1866                 format_arg_expr_tup
1867                     .iter()
1868                     .map(|a| snippet_with_applicability(cx, a.span, "..", applicability).into_owned())
1869                     .collect()
1870             } else {
1871                 unreachable!()
1872             }
1873         }
1874     }
1875
1876     fn is_call(node: &hir::ExprKind<'_>) -> bool {
1877         match node {
1878             hir::ExprKind::AddrOf(hir::BorrowKind::Ref, _, expr) => {
1879                 is_call(&expr.kind)
1880             },
1881             hir::ExprKind::Call(..)
1882             | hir::ExprKind::MethodCall(..)
1883             // These variants are debatable or require further examination
1884             | hir::ExprKind::Match(..)
1885             | hir::ExprKind::Block{ .. } => true,
1886             _ => false,
1887         }
1888     }
1889
1890     if args.len() != 2 || name != "expect" || !is_call(&args[1].kind) {
1891         return;
1892     }
1893
1894     let receiver_type = cx.tables().expr_ty_adjusted(&args[0]);
1895     let closure_args = if is_type_diagnostic_item(cx, receiver_type, sym!(option_type)) {
1896         "||"
1897     } else if is_type_diagnostic_item(cx, receiver_type, sym!(result_type)) {
1898         "|_|"
1899     } else {
1900         return;
1901     };
1902
1903     let arg_root = get_arg_root(cx, &args[1]);
1904
1905     let span_replace_word = method_span.with_hi(expr.span.hi());
1906
1907     let mut applicability = Applicability::MachineApplicable;
1908
1909     //Special handling for `format!` as arg_root
1910     if_chain! {
1911         if let hir::ExprKind::Block(block, None) = &arg_root.kind;
1912         if block.stmts.len() == 1;
1913         if let hir::StmtKind::Local(local) = &block.stmts[0].kind;
1914         if let Some(arg_root) = &local.init;
1915         if let hir::ExprKind::Call(ref inner_fun, ref inner_args) = arg_root.kind;
1916         if is_expn_of(inner_fun.span, "format").is_some() && inner_args.len() == 1;
1917         if let hir::ExprKind::Call(_, format_args) = &inner_args[0].kind;
1918         then {
1919             let fmt_spec = &format_args[0];
1920             let fmt_args = &format_args[1];
1921
1922             let mut args = vec![snippet(cx, fmt_spec.span, "..").into_owned()];
1923
1924             args.extend(generate_format_arg_snippet(cx, fmt_args, &mut applicability));
1925
1926             let sugg = args.join(", ");
1927
1928             span_lint_and_sugg(
1929                 cx,
1930                 EXPECT_FUN_CALL,
1931                 span_replace_word,
1932                 &format!("use of `{}` followed by a function call", name),
1933                 "try this",
1934                 format!("unwrap_or_else({} panic!({}))", closure_args, sugg),
1935                 applicability,
1936             );
1937
1938             return;
1939         }
1940     }
1941
1942     let mut arg_root_snippet: Cow<'_, _> = snippet_with_applicability(cx, arg_root.span, "..", &mut applicability);
1943     if requires_to_string(cx, arg_root) {
1944         arg_root_snippet.to_mut().push_str(".to_string()");
1945     }
1946
1947     span_lint_and_sugg(
1948         cx,
1949         EXPECT_FUN_CALL,
1950         span_replace_word,
1951         &format!("use of `{}` followed by a function call", name),
1952         "try this",
1953         format!("unwrap_or_else({} {{ panic!({}) }})", closure_args, arg_root_snippet),
1954         applicability,
1955     );
1956 }
1957
1958 /// Checks for the `CLONE_ON_COPY` lint.
1959 fn lint_clone_on_copy(cx: &LateContext<'_, '_>, expr: &hir::Expr<'_>, arg: &hir::Expr<'_>, arg_ty: Ty<'_>) {
1960     let ty = cx.tables().expr_ty(expr);
1961     if let ty::Ref(_, inner, _) = arg_ty.kind {
1962         if let ty::Ref(_, innermost, _) = inner.kind {
1963             span_lint_and_then(
1964                 cx,
1965                 CLONE_DOUBLE_REF,
1966                 expr.span,
1967                 "using `clone` on a double-reference; \
1968                 this will copy the reference instead of cloning the inner type",
1969                 |diag| {
1970                     if let Some(snip) = sugg::Sugg::hir_opt(cx, arg) {
1971                         let mut ty = innermost;
1972                         let mut n = 0;
1973                         while let ty::Ref(_, inner, _) = ty.kind {
1974                             ty = inner;
1975                             n += 1;
1976                         }
1977                         let refs: String = iter::repeat('&').take(n + 1).collect();
1978                         let derefs: String = iter::repeat('*').take(n).collect();
1979                         let explicit = format!("<{}{}>::clone({})", refs, ty, snip);
1980                         diag.span_suggestion(
1981                             expr.span,
1982                             "try dereferencing it",
1983                             format!("{}({}{}).clone()", refs, derefs, snip.deref()),
1984                             Applicability::MaybeIncorrect,
1985                         );
1986                         diag.span_suggestion(
1987                             expr.span,
1988                             "or try being explicit if you are sure, that you want to clone a reference",
1989                             explicit,
1990                             Applicability::MaybeIncorrect,
1991                         );
1992                     }
1993                 },
1994             );
1995             return; // don't report clone_on_copy
1996         }
1997     }
1998
1999     if is_copy(cx, ty) {
2000         let snip;
2001         if let Some(snippet) = sugg::Sugg::hir_opt(cx, arg) {
2002             let parent = cx.tcx.hir().get_parent_node(expr.hir_id);
2003             match &cx.tcx.hir().get(parent) {
2004                 hir::Node::Expr(parent) => match parent.kind {
2005                     // &*x is a nop, &x.clone() is not
2006                     hir::ExprKind::AddrOf(..) => return,
2007                     // (*x).func() is useless, x.clone().func() can work in case func borrows mutably
2008                     hir::ExprKind::MethodCall(_, _, parent_args, _) if expr.hir_id == parent_args[0].hir_id => return,
2009
2010                     _ => {},
2011                 },
2012                 hir::Node::Stmt(stmt) => {
2013                     if let hir::StmtKind::Local(ref loc) = stmt.kind {
2014                         if let hir::PatKind::Ref(..) = loc.pat.kind {
2015                             // let ref y = *x borrows x, let ref y = x.clone() does not
2016                             return;
2017                         }
2018                     }
2019                 },
2020                 _ => {},
2021             }
2022
2023             // x.clone() might have dereferenced x, possibly through Deref impls
2024             if cx.tables().expr_ty(arg) == ty {
2025                 snip = Some(("try removing the `clone` call", format!("{}", snippet)));
2026             } else {
2027                 let deref_count = cx
2028                     .tables()
2029                     .expr_adjustments(arg)
2030                     .iter()
2031                     .filter(|adj| {
2032                         if let ty::adjustment::Adjust::Deref(_) = adj.kind {
2033                             true
2034                         } else {
2035                             false
2036                         }
2037                     })
2038                     .count();
2039                 let derefs: String = iter::repeat('*').take(deref_count).collect();
2040                 snip = Some(("try dereferencing it", format!("{}{}", derefs, snippet)));
2041             }
2042         } else {
2043             snip = None;
2044         }
2045         span_lint_and_then(cx, CLONE_ON_COPY, expr.span, "using `clone` on a `Copy` type", |diag| {
2046             if let Some((text, snip)) = snip {
2047                 diag.span_suggestion(expr.span, text, snip, Applicability::Unspecified);
2048             }
2049         });
2050     }
2051 }
2052
2053 fn lint_clone_on_ref_ptr(cx: &LateContext<'_, '_>, expr: &hir::Expr<'_>, arg: &hir::Expr<'_>) {
2054     let obj_ty = walk_ptrs_ty(cx.tables().expr_ty(arg));
2055
2056     if let ty::Adt(_, subst) = obj_ty.kind {
2057         let caller_type = if is_type_diagnostic_item(cx, obj_ty, sym::Rc) {
2058             "Rc"
2059         } else if is_type_diagnostic_item(cx, obj_ty, sym::Arc) {
2060             "Arc"
2061         } else if match_type(cx, obj_ty, &paths::WEAK_RC) || match_type(cx, obj_ty, &paths::WEAK_ARC) {
2062             "Weak"
2063         } else {
2064             return;
2065         };
2066
2067         span_lint_and_sugg(
2068             cx,
2069             CLONE_ON_REF_PTR,
2070             expr.span,
2071             "using `.clone()` on a ref-counted pointer",
2072             "try this",
2073             format!(
2074                 "{}::<{}>::clone(&{})",
2075                 caller_type,
2076                 subst.type_at(0),
2077                 snippet(cx, arg.span, "_")
2078             ),
2079             Applicability::Unspecified, // Sometimes unnecessary ::<_> after Rc/Arc/Weak
2080         );
2081     }
2082 }
2083
2084 fn lint_string_extend(cx: &LateContext<'_, '_>, expr: &hir::Expr<'_>, args: &[hir::Expr<'_>]) {
2085     let arg = &args[1];
2086     if let Some(arglists) = method_chain_args(arg, &["chars"]) {
2087         let target = &arglists[0][0];
2088         let self_ty = walk_ptrs_ty(cx.tables().expr_ty(target));
2089         let ref_str = if self_ty.kind == ty::Str {
2090             ""
2091         } else if is_type_diagnostic_item(cx, self_ty, sym!(string_type)) {
2092             "&"
2093         } else {
2094             return;
2095         };
2096
2097         let mut applicability = Applicability::MachineApplicable;
2098         span_lint_and_sugg(
2099             cx,
2100             STRING_EXTEND_CHARS,
2101             expr.span,
2102             "calling `.extend(_.chars())`",
2103             "try this",
2104             format!(
2105                 "{}.push_str({}{})",
2106                 snippet_with_applicability(cx, args[0].span, "_", &mut applicability),
2107                 ref_str,
2108                 snippet_with_applicability(cx, target.span, "_", &mut applicability)
2109             ),
2110             applicability,
2111         );
2112     }
2113 }
2114
2115 fn lint_extend(cx: &LateContext<'_, '_>, expr: &hir::Expr<'_>, args: &[hir::Expr<'_>]) {
2116     let obj_ty = walk_ptrs_ty(cx.tables().expr_ty(&args[0]));
2117     if is_type_diagnostic_item(cx, obj_ty, sym!(string_type)) {
2118         lint_string_extend(cx, expr, args);
2119     }
2120 }
2121
2122 fn lint_cstring_as_ptr(cx: &LateContext<'_, '_>, expr: &hir::Expr<'_>, source: &hir::Expr<'_>, unwrap: &hir::Expr<'_>) {
2123     if_chain! {
2124         let source_type = cx.tables().expr_ty(source);
2125         if let ty::Adt(def, substs) = source_type.kind;
2126         if cx.tcx.is_diagnostic_item(sym!(result_type), def.did);
2127         if match_type(cx, substs.type_at(0), &paths::CSTRING);
2128         then {
2129             span_lint_and_then(
2130                 cx,
2131                 TEMPORARY_CSTRING_AS_PTR,
2132                 expr.span,
2133                 "you are getting the inner pointer of a temporary `CString`",
2134                 |diag| {
2135                     diag.note("that pointer will be invalid outside this expression");
2136                     diag.span_help(unwrap.span, "assign the `CString` to a variable to extend its lifetime");
2137                 });
2138         }
2139     }
2140 }
2141
2142 fn lint_iter_cloned_collect<'a, 'tcx>(
2143     cx: &LateContext<'a, 'tcx>,
2144     expr: &hir::Expr<'_>,
2145     iter_args: &'tcx [hir::Expr<'_>],
2146 ) {
2147     if_chain! {
2148         if is_type_diagnostic_item(cx, cx.tables().expr_ty(expr), sym!(vec_type));
2149         if let Some(slice) = derefs_to_slice(cx, &iter_args[0], cx.tables().expr_ty(&iter_args[0]));
2150         if let Some(to_replace) = expr.span.trim_start(slice.span.source_callsite());
2151
2152         then {
2153             span_lint_and_sugg(
2154                 cx,
2155                 ITER_CLONED_COLLECT,
2156                 to_replace,
2157                 "called `iter().cloned().collect()` on a slice to create a `Vec`. Calling `to_vec()` is both faster and \
2158                 more readable",
2159                 "try",
2160                 ".to_vec()".to_string(),
2161                 Applicability::MachineApplicable,
2162             );
2163         }
2164     }
2165 }
2166
2167 fn lint_unnecessary_fold(cx: &LateContext<'_, '_>, expr: &hir::Expr<'_>, fold_args: &[hir::Expr<'_>], fold_span: Span) {
2168     fn check_fold_with_op(
2169         cx: &LateContext<'_, '_>,
2170         expr: &hir::Expr<'_>,
2171         fold_args: &[hir::Expr<'_>],
2172         fold_span: Span,
2173         op: hir::BinOpKind,
2174         replacement_method_name: &str,
2175         replacement_has_args: bool,
2176     ) {
2177         if_chain! {
2178             // Extract the body of the closure passed to fold
2179             if let hir::ExprKind::Closure(_, _, body_id, _, _) = fold_args[2].kind;
2180             let closure_body = cx.tcx.hir().body(body_id);
2181             let closure_expr = remove_blocks(&closure_body.value);
2182
2183             // Check if the closure body is of the form `acc <op> some_expr(x)`
2184             if let hir::ExprKind::Binary(ref bin_op, ref left_expr, ref right_expr) = closure_expr.kind;
2185             if bin_op.node == op;
2186
2187             // Extract the names of the two arguments to the closure
2188             if let Some(first_arg_ident) = get_arg_name(&closure_body.params[0].pat);
2189             if let Some(second_arg_ident) = get_arg_name(&closure_body.params[1].pat);
2190
2191             if match_var(&*left_expr, first_arg_ident);
2192             if replacement_has_args || match_var(&*right_expr, second_arg_ident);
2193
2194             then {
2195                 let mut applicability = Applicability::MachineApplicable;
2196                 let sugg = if replacement_has_args {
2197                     format!(
2198                         "{replacement}(|{s}| {r})",
2199                         replacement = replacement_method_name,
2200                         s = second_arg_ident,
2201                         r = snippet_with_applicability(cx, right_expr.span, "EXPR", &mut applicability),
2202                     )
2203                 } else {
2204                     format!(
2205                         "{replacement}()",
2206                         replacement = replacement_method_name,
2207                     )
2208                 };
2209
2210                 span_lint_and_sugg(
2211                     cx,
2212                     UNNECESSARY_FOLD,
2213                     fold_span.with_hi(expr.span.hi()),
2214                     // TODO #2371 don't suggest e.g., .any(|x| f(x)) if we can suggest .any(f)
2215                     "this `.fold` can be written more succinctly using another method",
2216                     "try",
2217                     sugg,
2218                     applicability,
2219                 );
2220             }
2221         }
2222     }
2223
2224     // Check that this is a call to Iterator::fold rather than just some function called fold
2225     if !match_trait_method(cx, expr, &paths::ITERATOR) {
2226         return;
2227     }
2228
2229     assert!(
2230         fold_args.len() == 3,
2231         "Expected fold_args to have three entries - the receiver, the initial value and the closure"
2232     );
2233
2234     // Check if the first argument to .fold is a suitable literal
2235     if let hir::ExprKind::Lit(ref lit) = fold_args[1].kind {
2236         match lit.node {
2237             ast::LitKind::Bool(false) => {
2238                 check_fold_with_op(cx, expr, fold_args, fold_span, hir::BinOpKind::Or, "any", true)
2239             },
2240             ast::LitKind::Bool(true) => {
2241                 check_fold_with_op(cx, expr, fold_args, fold_span, hir::BinOpKind::And, "all", true)
2242             },
2243             ast::LitKind::Int(0, _) => {
2244                 check_fold_with_op(cx, expr, fold_args, fold_span, hir::BinOpKind::Add, "sum", false)
2245             },
2246             ast::LitKind::Int(1, _) => {
2247                 check_fold_with_op(cx, expr, fold_args, fold_span, hir::BinOpKind::Mul, "product", false)
2248             },
2249             _ => (),
2250         }
2251     }
2252 }
2253
2254 fn lint_step_by<'a, 'tcx>(cx: &LateContext<'a, 'tcx>, expr: &hir::Expr<'_>, args: &'tcx [hir::Expr<'_>]) {
2255     if match_trait_method(cx, expr, &paths::ITERATOR) {
2256         if let Some((Constant::Int(0), _)) = constant(cx, cx.tables(), &args[1]) {
2257             span_lint(
2258                 cx,
2259                 ITERATOR_STEP_BY_ZERO,
2260                 expr.span,
2261                 "Iterator::step_by(0) will panic at runtime",
2262             );
2263         }
2264     }
2265 }
2266
2267 fn lint_iter_next<'a, 'tcx>(cx: &LateContext<'a, 'tcx>, expr: &'tcx hir::Expr<'_>, iter_args: &'tcx [hir::Expr<'_>]) {
2268     let caller_expr = &iter_args[0];
2269
2270     // Skip lint if the `iter().next()` expression is a for loop argument,
2271     // since it is already covered by `&loops::ITER_NEXT_LOOP`
2272     let mut parent_expr_opt = get_parent_expr(cx, expr);
2273     while let Some(parent_expr) = parent_expr_opt {
2274         if higher::for_loop(parent_expr).is_some() {
2275             return;
2276         }
2277         parent_expr_opt = get_parent_expr(cx, parent_expr);
2278     }
2279
2280     if derefs_to_slice(cx, caller_expr, cx.tables().expr_ty(caller_expr)).is_some() {
2281         // caller is a Slice
2282         if_chain! {
2283             if let hir::ExprKind::Index(ref caller_var, ref index_expr) = &caller_expr.kind;
2284             if let Some(higher::Range { start: Some(start_expr), end: None, limits: ast::RangeLimits::HalfOpen })
2285                 = higher::range(cx, index_expr);
2286             if let hir::ExprKind::Lit(ref start_lit) = &start_expr.kind;
2287             if let ast::LitKind::Int(start_idx, _) = start_lit.node;
2288             then {
2289                 let mut applicability = Applicability::MachineApplicable;
2290                 span_lint_and_sugg(
2291                     cx,
2292                     ITER_NEXT_SLICE,
2293                     expr.span,
2294                     "Using `.iter().next()` on a Slice without end index.",
2295                     "try calling",
2296                     format!("{}.get({})", snippet_with_applicability(cx, caller_var.span, "..", &mut applicability), start_idx),
2297                     applicability,
2298                 );
2299             }
2300         }
2301     } else if is_type_diagnostic_item(cx, cx.tables().expr_ty(caller_expr), sym!(vec_type))
2302         || matches!(&walk_ptrs_ty(cx.tables().expr_ty(caller_expr)).kind, ty::Array(_, _))
2303     {
2304         // caller is a Vec or an Array
2305         let mut applicability = Applicability::MachineApplicable;
2306         span_lint_and_sugg(
2307             cx,
2308             ITER_NEXT_SLICE,
2309             expr.span,
2310             "Using `.iter().next()` on an array",
2311             "try calling",
2312             format!(
2313                 "{}.get(0)",
2314                 snippet_with_applicability(cx, caller_expr.span, "..", &mut applicability)
2315             ),
2316             applicability,
2317         );
2318     }
2319 }
2320
2321 fn lint_iter_nth<'a, 'tcx>(
2322     cx: &LateContext<'a, 'tcx>,
2323     expr: &hir::Expr<'_>,
2324     nth_and_iter_args: &[&'tcx [hir::Expr<'tcx>]],
2325     is_mut: bool,
2326 ) {
2327     let iter_args = nth_and_iter_args[1];
2328     let mut_str = if is_mut { "_mut" } else { "" };
2329     let caller_type = if derefs_to_slice(cx, &iter_args[0], cx.tables().expr_ty(&iter_args[0])).is_some() {
2330         "slice"
2331     } else if is_type_diagnostic_item(cx, cx.tables().expr_ty(&iter_args[0]), sym!(vec_type)) {
2332         "Vec"
2333     } else if is_type_diagnostic_item(cx, cx.tables().expr_ty(&iter_args[0]), sym!(vecdeque_type)) {
2334         "VecDeque"
2335     } else {
2336         let nth_args = nth_and_iter_args[0];
2337         lint_iter_nth_zero(cx, expr, &nth_args);
2338         return; // caller is not a type that we want to lint
2339     };
2340
2341     span_lint_and_help(
2342         cx,
2343         ITER_NTH,
2344         expr.span,
2345         &format!("called `.iter{0}().nth()` on a {1}", mut_str, caller_type),
2346         None,
2347         &format!("calling `.get{}()` is both faster and more readable", mut_str),
2348     );
2349 }
2350
2351 fn lint_iter_nth_zero<'a, 'tcx>(cx: &LateContext<'a, 'tcx>, expr: &hir::Expr<'_>, nth_args: &'tcx [hir::Expr<'_>]) {
2352     if_chain! {
2353         if match_trait_method(cx, expr, &paths::ITERATOR);
2354         if let Some((Constant::Int(0), _)) = constant(cx, cx.tables(), &nth_args[1]);
2355         then {
2356             let mut applicability = Applicability::MachineApplicable;
2357             span_lint_and_sugg(
2358                 cx,
2359                 ITER_NTH_ZERO,
2360                 expr.span,
2361                 "called `.nth(0)` on a `std::iter::Iterator`",
2362                 "try calling",
2363                 format!("{}.next()", snippet_with_applicability(cx, nth_args[0].span, "..", &mut applicability)),
2364                 applicability,
2365             );
2366         }
2367     }
2368 }
2369
2370 fn lint_get_unwrap<'a, 'tcx>(
2371     cx: &LateContext<'a, 'tcx>,
2372     expr: &hir::Expr<'_>,
2373     get_args: &'tcx [hir::Expr<'_>],
2374     is_mut: bool,
2375 ) {
2376     // Note: we don't want to lint `get_mut().unwrap` for `HashMap` or `BTreeMap`,
2377     // because they do not implement `IndexMut`
2378     let mut applicability = Applicability::MachineApplicable;
2379     let expr_ty = cx.tables().expr_ty(&get_args[0]);
2380     let get_args_str = if get_args.len() > 1 {
2381         snippet_with_applicability(cx, get_args[1].span, "_", &mut applicability)
2382     } else {
2383         return; // not linting on a .get().unwrap() chain or variant
2384     };
2385     let mut needs_ref;
2386     let caller_type = if derefs_to_slice(cx, &get_args[0], expr_ty).is_some() {
2387         needs_ref = get_args_str.parse::<usize>().is_ok();
2388         "slice"
2389     } else if is_type_diagnostic_item(cx, expr_ty, sym!(vec_type)) {
2390         needs_ref = get_args_str.parse::<usize>().is_ok();
2391         "Vec"
2392     } else if is_type_diagnostic_item(cx, expr_ty, sym!(vecdeque_type)) {
2393         needs_ref = get_args_str.parse::<usize>().is_ok();
2394         "VecDeque"
2395     } else if !is_mut && is_type_diagnostic_item(cx, expr_ty, sym!(hashmap_type)) {
2396         needs_ref = true;
2397         "HashMap"
2398     } else if !is_mut && match_type(cx, expr_ty, &paths::BTREEMAP) {
2399         needs_ref = true;
2400         "BTreeMap"
2401     } else {
2402         return; // caller is not a type that we want to lint
2403     };
2404
2405     let mut span = expr.span;
2406
2407     // Handle the case where the result is immediately dereferenced
2408     // by not requiring ref and pulling the dereference into the
2409     // suggestion.
2410     if_chain! {
2411         if needs_ref;
2412         if let Some(parent) = get_parent_expr(cx, expr);
2413         if let hir::ExprKind::Unary(hir::UnOp::UnDeref, _) = parent.kind;
2414         then {
2415             needs_ref = false;
2416             span = parent.span;
2417         }
2418     }
2419
2420     let mut_str = if is_mut { "_mut" } else { "" };
2421     let borrow_str = if !needs_ref {
2422         ""
2423     } else if is_mut {
2424         "&mut "
2425     } else {
2426         "&"
2427     };
2428
2429     span_lint_and_sugg(
2430         cx,
2431         GET_UNWRAP,
2432         span,
2433         &format!(
2434             "called `.get{0}().unwrap()` on a {1}. Using `[]` is more clear and more concise",
2435             mut_str, caller_type
2436         ),
2437         "try this",
2438         format!(
2439             "{}{}[{}]",
2440             borrow_str,
2441             snippet_with_applicability(cx, get_args[0].span, "_", &mut applicability),
2442             get_args_str
2443         ),
2444         applicability,
2445     );
2446 }
2447
2448 fn lint_iter_skip_next(cx: &LateContext<'_, '_>, expr: &hir::Expr<'_>) {
2449     // lint if caller of skip is an Iterator
2450     if match_trait_method(cx, expr, &paths::ITERATOR) {
2451         span_lint_and_help(
2452             cx,
2453             ITER_SKIP_NEXT,
2454             expr.span,
2455             "called `skip(x).next()` on an iterator",
2456             None,
2457             "this is more succinctly expressed by calling `nth(x)`",
2458         );
2459     }
2460 }
2461
2462 fn derefs_to_slice<'a, 'tcx>(
2463     cx: &LateContext<'a, 'tcx>,
2464     expr: &'tcx hir::Expr<'tcx>,
2465     ty: Ty<'tcx>,
2466 ) -> Option<&'tcx hir::Expr<'tcx>> {
2467     fn may_slice<'a>(cx: &LateContext<'_, 'a>, ty: Ty<'a>) -> bool {
2468         match ty.kind {
2469             ty::Slice(_) => true,
2470             ty::Adt(def, _) if def.is_box() => may_slice(cx, ty.boxed_ty()),
2471             ty::Adt(..) => is_type_diagnostic_item(cx, ty, sym!(vec_type)),
2472             ty::Array(_, size) => {
2473                 if let Some(size) = size.try_eval_usize(cx.tcx, cx.param_env) {
2474                     size < 32
2475                 } else {
2476                     false
2477                 }
2478             },
2479             ty::Ref(_, inner, _) => may_slice(cx, inner),
2480             _ => false,
2481         }
2482     }
2483
2484     if let hir::ExprKind::MethodCall(ref path, _, ref args, _) = expr.kind {
2485         if path.ident.name == sym!(iter) && may_slice(cx, cx.tables().expr_ty(&args[0])) {
2486             Some(&args[0])
2487         } else {
2488             None
2489         }
2490     } else {
2491         match ty.kind {
2492             ty::Slice(_) => Some(expr),
2493             ty::Adt(def, _) if def.is_box() && may_slice(cx, ty.boxed_ty()) => Some(expr),
2494             ty::Ref(_, inner, _) => {
2495                 if may_slice(cx, inner) {
2496                     Some(expr)
2497                 } else {
2498                     None
2499                 }
2500             },
2501             _ => None,
2502         }
2503     }
2504 }
2505
2506 /// lint use of `unwrap()` for `Option`s and `Result`s
2507 fn lint_unwrap(cx: &LateContext<'_, '_>, expr: &hir::Expr<'_>, unwrap_args: &[hir::Expr<'_>]) {
2508     let obj_ty = walk_ptrs_ty(cx.tables().expr_ty(&unwrap_args[0]));
2509
2510     let mess = if is_type_diagnostic_item(cx, obj_ty, sym!(option_type)) {
2511         Some((UNWRAP_USED, "an Option", "None"))
2512     } else if is_type_diagnostic_item(cx, obj_ty, sym!(result_type)) {
2513         Some((UNWRAP_USED, "a Result", "Err"))
2514     } else {
2515         None
2516     };
2517
2518     if let Some((lint, kind, none_value)) = mess {
2519         span_lint_and_help(
2520             cx,
2521             lint,
2522             expr.span,
2523             &format!("used `unwrap()` on `{}` value", kind,),
2524             None,
2525             &format!(
2526                 "if you don't want to handle the `{}` case gracefully, consider \
2527                 using `expect()` to provide a better panic message",
2528                 none_value,
2529             ),
2530         );
2531     }
2532 }
2533
2534 /// lint use of `expect()` for `Option`s and `Result`s
2535 fn lint_expect(cx: &LateContext<'_, '_>, expr: &hir::Expr<'_>, expect_args: &[hir::Expr<'_>]) {
2536     let obj_ty = walk_ptrs_ty(cx.tables().expr_ty(&expect_args[0]));
2537
2538     let mess = if is_type_diagnostic_item(cx, obj_ty, sym!(option_type)) {
2539         Some((EXPECT_USED, "an Option", "None"))
2540     } else if is_type_diagnostic_item(cx, obj_ty, sym!(result_type)) {
2541         Some((EXPECT_USED, "a Result", "Err"))
2542     } else {
2543         None
2544     };
2545
2546     if let Some((lint, kind, none_value)) = mess {
2547         span_lint_and_help(
2548             cx,
2549             lint,
2550             expr.span,
2551             &format!("used `expect()` on `{}` value", kind,),
2552             None,
2553             &format!("if this value is an `{}`, it will panic", none_value,),
2554         );
2555     }
2556 }
2557
2558 /// lint use of `ok().expect()` for `Result`s
2559 fn lint_ok_expect(cx: &LateContext<'_, '_>, expr: &hir::Expr<'_>, ok_args: &[hir::Expr<'_>]) {
2560     if_chain! {
2561         // lint if the caller of `ok()` is a `Result`
2562         if is_type_diagnostic_item(cx, cx.tables().expr_ty(&ok_args[0]), sym!(result_type));
2563         let result_type = cx.tables().expr_ty(&ok_args[0]);
2564         if let Some(error_type) = get_error_type(cx, result_type);
2565         if has_debug_impl(error_type, cx);
2566
2567         then {
2568             span_lint_and_help(
2569                 cx,
2570                 OK_EXPECT,
2571                 expr.span,
2572                 "called `ok().expect()` on a `Result` value",
2573                 None,
2574                 "you can call `expect()` directly on the `Result`",
2575             );
2576         }
2577     }
2578 }
2579
2580 /// lint use of `map().flatten()` for `Iterators` and 'Options'
2581 fn lint_map_flatten<'a, 'tcx>(cx: &LateContext<'a, 'tcx>, expr: &'tcx hir::Expr<'_>, map_args: &'tcx [hir::Expr<'_>]) {
2582     // lint if caller of `.map().flatten()` is an Iterator
2583     if match_trait_method(cx, expr, &paths::ITERATOR) {
2584         let msg = "called `map(..).flatten()` on an `Iterator`. \
2585                     This is more succinctly expressed by calling `.flat_map(..)`";
2586         let self_snippet = snippet(cx, map_args[0].span, "..");
2587         let func_snippet = snippet(cx, map_args[1].span, "..");
2588         let hint = format!("{0}.flat_map({1})", self_snippet, func_snippet);
2589         span_lint_and_sugg(
2590             cx,
2591             MAP_FLATTEN,
2592             expr.span,
2593             msg,
2594             "try using `flat_map` instead",
2595             hint,
2596             Applicability::MachineApplicable,
2597         );
2598     }
2599
2600     // lint if caller of `.map().flatten()` is an Option
2601     if is_type_diagnostic_item(cx, cx.tables().expr_ty(&map_args[0]), sym!(option_type)) {
2602         let msg = "called `map(..).flatten()` on an `Option`. \
2603                     This is more succinctly expressed by calling `.and_then(..)`";
2604         let self_snippet = snippet(cx, map_args[0].span, "..");
2605         let func_snippet = snippet(cx, map_args[1].span, "..");
2606         let hint = format!("{0}.and_then({1})", self_snippet, func_snippet);
2607         span_lint_and_sugg(
2608             cx,
2609             MAP_FLATTEN,
2610             expr.span,
2611             msg,
2612             "try using `and_then` instead",
2613             hint,
2614             Applicability::MachineApplicable,
2615         );
2616     }
2617 }
2618
2619 /// lint use of `map().unwrap_or_else()` for `Option`s and `Result`s
2620 fn lint_map_unwrap_or_else<'a, 'tcx>(
2621     cx: &LateContext<'a, 'tcx>,
2622     expr: &'tcx hir::Expr<'_>,
2623     map_args: &'tcx [hir::Expr<'_>],
2624     unwrap_args: &'tcx [hir::Expr<'_>],
2625 ) {
2626     // lint if the caller of `map()` is an `Option`
2627     let is_option = is_type_diagnostic_item(cx, cx.tables().expr_ty(&map_args[0]), sym!(option_type));
2628     let is_result = is_type_diagnostic_item(cx, cx.tables().expr_ty(&map_args[0]), sym!(result_type));
2629
2630     if is_option || is_result {
2631         // Don't make a suggestion that may fail to compile due to mutably borrowing
2632         // the same variable twice.
2633         let map_mutated_vars = mutated_variables(&map_args[0], cx);
2634         let unwrap_mutated_vars = mutated_variables(&unwrap_args[1], cx);
2635         if let (Some(map_mutated_vars), Some(unwrap_mutated_vars)) = (map_mutated_vars, unwrap_mutated_vars) {
2636             if map_mutated_vars.intersection(&unwrap_mutated_vars).next().is_some() {
2637                 return;
2638             }
2639         } else {
2640             return;
2641         }
2642
2643         // lint message
2644         let msg = if is_option {
2645             "called `map(f).unwrap_or_else(g)` on an `Option` value. This can be done more directly by calling \
2646             `map_or_else(g, f)` instead"
2647         } else {
2648             "called `map(f).unwrap_or_else(g)` on a `Result` value. This can be done more directly by calling \
2649             `.map_or_else(g, f)` instead"
2650         };
2651         // get snippets for args to map() and unwrap_or_else()
2652         let map_snippet = snippet(cx, map_args[1].span, "..");
2653         let unwrap_snippet = snippet(cx, unwrap_args[1].span, "..");
2654         // lint, with note if neither arg is > 1 line and both map() and
2655         // unwrap_or_else() have the same span
2656         let multiline = map_snippet.lines().count() > 1 || unwrap_snippet.lines().count() > 1;
2657         let same_span = map_args[1].span.ctxt() == unwrap_args[1].span.ctxt();
2658         if same_span && !multiline {
2659             span_lint_and_note(
2660                 cx,
2661                 MAP_UNWRAP_OR,
2662                 expr.span,
2663                 msg,
2664                 None,
2665                 &format!(
2666                     "replace `map({0}).unwrap_or_else({1})` with `map_or_else({1}, {0})`",
2667                     map_snippet, unwrap_snippet,
2668                 ),
2669             );
2670         } else if same_span && multiline {
2671             span_lint(cx, MAP_UNWRAP_OR, expr.span, msg);
2672         };
2673     }
2674 }
2675
2676 /// lint use of `_.map_or(None, _)` for `Option`s and `Result`s
2677 fn lint_map_or_none<'a, 'tcx>(
2678     cx: &LateContext<'a, 'tcx>,
2679     expr: &'tcx hir::Expr<'_>,
2680     map_or_args: &'tcx [hir::Expr<'_>],
2681 ) {
2682     let is_option = is_type_diagnostic_item(cx, cx.tables().expr_ty(&map_or_args[0]), sym!(option_type));
2683     let is_result = is_type_diagnostic_item(cx, cx.tables().expr_ty(&map_or_args[0]), sym!(result_type));
2684
2685     // There are two variants of this `map_or` lint:
2686     // (1) using `map_or` as an adapter from `Result<T,E>` to `Option<T>`
2687     // (2) using `map_or` as a combinator instead of `and_then`
2688     //
2689     // (For this lint) we don't care if any other type calls `map_or`
2690     if !is_option && !is_result {
2691         return;
2692     }
2693
2694     let (lint_name, msg, instead, hint) = {
2695         let default_arg_is_none = if let hir::ExprKind::Path(ref qpath) = map_or_args[1].kind {
2696             match_qpath(qpath, &paths::OPTION_NONE)
2697         } else {
2698             return;
2699         };
2700
2701         if !default_arg_is_none {
2702             // nothing to lint!
2703             return;
2704         }
2705
2706         let f_arg_is_some = if let hir::ExprKind::Path(ref qpath) = map_or_args[2].kind {
2707             match_qpath(qpath, &paths::OPTION_SOME)
2708         } else {
2709             false
2710         };
2711
2712         if is_option {
2713             let self_snippet = snippet(cx, map_or_args[0].span, "..");
2714             let func_snippet = snippet(cx, map_or_args[2].span, "..");
2715             let msg = "called `map_or(None, f)` on an `Option` value. This can be done more directly by calling \
2716                        `and_then(f)` instead";
2717             (
2718                 OPTION_MAP_OR_NONE,
2719                 msg,
2720                 "try using `and_then` instead",
2721                 format!("{0}.and_then({1})", self_snippet, func_snippet),
2722             )
2723         } else if f_arg_is_some {
2724             let msg = "called `map_or(None, Some)` on a `Result` value. This can be done more directly by calling \
2725                        `ok()` instead";
2726             let self_snippet = snippet(cx, map_or_args[0].span, "..");
2727             (
2728                 RESULT_MAP_OR_INTO_OPTION,
2729                 msg,
2730                 "try using `ok` instead",
2731                 format!("{0}.ok()", self_snippet),
2732             )
2733         } else {
2734             // nothing to lint!
2735             return;
2736         }
2737     };
2738
2739     span_lint_and_sugg(
2740         cx,
2741         lint_name,
2742         expr.span,
2743         msg,
2744         instead,
2745         hint,
2746         Applicability::MachineApplicable,
2747     );
2748 }
2749
2750 /// lint use of `filter().next()` for `Iterators`
2751 fn lint_filter_next<'a, 'tcx>(
2752     cx: &LateContext<'a, 'tcx>,
2753     expr: &'tcx hir::Expr<'_>,
2754     filter_args: &'tcx [hir::Expr<'_>],
2755 ) {
2756     // lint if caller of `.filter().next()` is an Iterator
2757     if match_trait_method(cx, expr, &paths::ITERATOR) {
2758         let msg = "called `filter(p).next()` on an `Iterator`. This is more succinctly expressed by calling \
2759                    `.find(p)` instead.";
2760         let filter_snippet = snippet(cx, filter_args[1].span, "..");
2761         if filter_snippet.lines().count() <= 1 {
2762             // add note if not multi-line
2763             span_lint_and_note(
2764                 cx,
2765                 FILTER_NEXT,
2766                 expr.span,
2767                 msg,
2768                 None,
2769                 &format!("replace `filter({0}).next()` with `find({0})`", filter_snippet),
2770             );
2771         } else {
2772             span_lint(cx, FILTER_NEXT, expr.span, msg);
2773         }
2774     }
2775 }
2776
2777 /// lint use of `skip_while().next()` for `Iterators`
2778 fn lint_skip_while_next<'a, 'tcx>(
2779     cx: &LateContext<'a, 'tcx>,
2780     expr: &'tcx hir::Expr<'_>,
2781     _skip_while_args: &'tcx [hir::Expr<'_>],
2782 ) {
2783     // lint if caller of `.skip_while().next()` is an Iterator
2784     if match_trait_method(cx, expr, &paths::ITERATOR) {
2785         span_lint_and_help(
2786             cx,
2787             SKIP_WHILE_NEXT,
2788             expr.span,
2789             "called `skip_while(p).next()` on an `Iterator`",
2790             None,
2791             "this is more succinctly expressed by calling `.find(!p)` instead",
2792         );
2793     }
2794 }
2795
2796 /// lint use of `filter().map()` for `Iterators`
2797 fn lint_filter_map<'a, 'tcx>(
2798     cx: &LateContext<'a, 'tcx>,
2799     expr: &'tcx hir::Expr<'_>,
2800     _filter_args: &'tcx [hir::Expr<'_>],
2801     _map_args: &'tcx [hir::Expr<'_>],
2802 ) {
2803     // lint if caller of `.filter().map()` is an Iterator
2804     if match_trait_method(cx, expr, &paths::ITERATOR) {
2805         let msg = "called `filter(p).map(q)` on an `Iterator`";
2806         let hint = "this is more succinctly expressed by calling `.filter_map(..)` instead";
2807         span_lint_and_help(cx, FILTER_MAP, expr.span, msg, None, hint);
2808     }
2809 }
2810
2811 /// lint use of `filter_map().next()` for `Iterators`
2812 fn lint_filter_map_next<'a, 'tcx>(
2813     cx: &LateContext<'a, 'tcx>,
2814     expr: &'tcx hir::Expr<'_>,
2815     filter_args: &'tcx [hir::Expr<'_>],
2816 ) {
2817     if match_trait_method(cx, expr, &paths::ITERATOR) {
2818         let msg = "called `filter_map(p).next()` on an `Iterator`. This is more succinctly expressed by calling \
2819                    `.find_map(p)` instead.";
2820         let filter_snippet = snippet(cx, filter_args[1].span, "..");
2821         if filter_snippet.lines().count() <= 1 {
2822             span_lint_and_note(
2823                 cx,
2824                 FILTER_MAP_NEXT,
2825                 expr.span,
2826                 msg,
2827                 None,
2828                 &format!("replace `filter_map({0}).next()` with `find_map({0})`", filter_snippet),
2829             );
2830         } else {
2831             span_lint(cx, FILTER_MAP_NEXT, expr.span, msg);
2832         }
2833     }
2834 }
2835
2836 /// lint use of `find().map()` for `Iterators`
2837 fn lint_find_map<'a, 'tcx>(
2838     cx: &LateContext<'a, 'tcx>,
2839     expr: &'tcx hir::Expr<'_>,
2840     _find_args: &'tcx [hir::Expr<'_>],
2841     map_args: &'tcx [hir::Expr<'_>],
2842 ) {
2843     // lint if caller of `.filter().map()` is an Iterator
2844     if match_trait_method(cx, &map_args[0], &paths::ITERATOR) {
2845         let msg = "called `find(p).map(q)` on an `Iterator`";
2846         let hint = "this is more succinctly expressed by calling `.find_map(..)` instead";
2847         span_lint_and_help(cx, FIND_MAP, expr.span, msg, None, hint);
2848     }
2849 }
2850
2851 /// lint use of `filter_map().map()` for `Iterators`
2852 fn lint_filter_map_map<'a, 'tcx>(
2853     cx: &LateContext<'a, 'tcx>,
2854     expr: &'tcx hir::Expr<'_>,
2855     _filter_args: &'tcx [hir::Expr<'_>],
2856     _map_args: &'tcx [hir::Expr<'_>],
2857 ) {
2858     // lint if caller of `.filter().map()` is an Iterator
2859     if match_trait_method(cx, expr, &paths::ITERATOR) {
2860         let msg = "called `filter_map(p).map(q)` on an `Iterator`";
2861         let hint = "this is more succinctly expressed by only calling `.filter_map(..)` instead";
2862         span_lint_and_help(cx, FILTER_MAP, expr.span, msg, None, hint);
2863     }
2864 }
2865
2866 /// lint use of `filter().flat_map()` for `Iterators`
2867 fn lint_filter_flat_map<'a, 'tcx>(
2868     cx: &LateContext<'a, 'tcx>,
2869     expr: &'tcx hir::Expr<'_>,
2870     _filter_args: &'tcx [hir::Expr<'_>],
2871     _map_args: &'tcx [hir::Expr<'_>],
2872 ) {
2873     // lint if caller of `.filter().flat_map()` is an Iterator
2874     if match_trait_method(cx, expr, &paths::ITERATOR) {
2875         let msg = "called `filter(p).flat_map(q)` on an `Iterator`";
2876         let hint = "this is more succinctly expressed by calling `.flat_map(..)` \
2877                     and filtering by returning `iter::empty()`";
2878         span_lint_and_help(cx, FILTER_MAP, expr.span, msg, None, hint);
2879     }
2880 }
2881
2882 /// lint use of `filter_map().flat_map()` for `Iterators`
2883 fn lint_filter_map_flat_map<'a, 'tcx>(
2884     cx: &LateContext<'a, 'tcx>,
2885     expr: &'tcx hir::Expr<'_>,
2886     _filter_args: &'tcx [hir::Expr<'_>],
2887     _map_args: &'tcx [hir::Expr<'_>],
2888 ) {
2889     // lint if caller of `.filter_map().flat_map()` is an Iterator
2890     if match_trait_method(cx, expr, &paths::ITERATOR) {
2891         let msg = "called `filter_map(p).flat_map(q)` on an `Iterator`";
2892         let hint = "this is more succinctly expressed by calling `.flat_map(..)` \
2893                     and filtering by returning `iter::empty()`";
2894         span_lint_and_help(cx, FILTER_MAP, expr.span, msg, None, hint);
2895     }
2896 }
2897
2898 /// lint use of `flat_map` for `Iterators` where `flatten` would be sufficient
2899 fn lint_flat_map_identity<'a, 'tcx>(
2900     cx: &LateContext<'a, 'tcx>,
2901     expr: &'tcx hir::Expr<'_>,
2902     flat_map_args: &'tcx [hir::Expr<'_>],
2903     flat_map_span: Span,
2904 ) {
2905     if match_trait_method(cx, expr, &paths::ITERATOR) {
2906         let arg_node = &flat_map_args[1].kind;
2907
2908         let apply_lint = |message: &str| {
2909             span_lint_and_sugg(
2910                 cx,
2911                 FLAT_MAP_IDENTITY,
2912                 flat_map_span.with_hi(expr.span.hi()),
2913                 message,
2914                 "try",
2915                 "flatten()".to_string(),
2916                 Applicability::MachineApplicable,
2917             );
2918         };
2919
2920         if_chain! {
2921             if let hir::ExprKind::Closure(_, _, body_id, _, _) = arg_node;
2922             let body = cx.tcx.hir().body(*body_id);
2923
2924             if let hir::PatKind::Binding(_, _, binding_ident, _) = body.params[0].pat.kind;
2925             if let hir::ExprKind::Path(hir::QPath::Resolved(_, ref path)) = body.value.kind;
2926
2927             if path.segments.len() == 1;
2928             if path.segments[0].ident.as_str() == binding_ident.as_str();
2929
2930             then {
2931                 apply_lint("called `flat_map(|x| x)` on an `Iterator`");
2932             }
2933         }
2934
2935         if_chain! {
2936             if let hir::ExprKind::Path(ref qpath) = arg_node;
2937
2938             if match_qpath(qpath, &paths::STD_CONVERT_IDENTITY);
2939
2940             then {
2941                 apply_lint("called `flat_map(std::convert::identity)` on an `Iterator`");
2942             }
2943         }
2944     }
2945 }
2946
2947 /// lint searching an Iterator followed by `is_some()`
2948 fn lint_search_is_some<'a, 'tcx>(
2949     cx: &LateContext<'a, 'tcx>,
2950     expr: &'tcx hir::Expr<'_>,
2951     search_method: &str,
2952     search_args: &'tcx [hir::Expr<'_>],
2953     is_some_args: &'tcx [hir::Expr<'_>],
2954     method_span: Span,
2955 ) {
2956     // lint if caller of search is an Iterator
2957     if match_trait_method(cx, &is_some_args[0], &paths::ITERATOR) {
2958         let msg = format!(
2959             "called `is_some()` after searching an `Iterator` with {}. This is more succinctly \
2960              expressed by calling `any()`.",
2961             search_method
2962         );
2963         let search_snippet = snippet(cx, search_args[1].span, "..");
2964         if search_snippet.lines().count() <= 1 {
2965             // suggest `any(|x| ..)` instead of `any(|&x| ..)` for `find(|&x| ..).is_some()`
2966             // suggest `any(|..| *..)` instead of `any(|..| **..)` for `find(|..| **..).is_some()`
2967             let any_search_snippet = if_chain! {
2968                 if search_method == "find";
2969                 if let hir::ExprKind::Closure(_, _, body_id, ..) = search_args[1].kind;
2970                 let closure_body = cx.tcx.hir().body(body_id);
2971                 if let Some(closure_arg) = closure_body.params.get(0);
2972                 then {
2973                     if let hir::PatKind::Ref(..) = closure_arg.pat.kind {
2974                         Some(search_snippet.replacen('&', "", 1))
2975                     } else if let Some(name) = get_arg_name(&closure_arg.pat) {
2976                         Some(search_snippet.replace(&format!("*{}", name), &name.as_str()))
2977                     } else {
2978                         None
2979                     }
2980                 } else {
2981                     None
2982                 }
2983             };
2984             // add note if not multi-line
2985             span_lint_and_sugg(
2986                 cx,
2987                 SEARCH_IS_SOME,
2988                 method_span.with_hi(expr.span.hi()),
2989                 &msg,
2990                 "try this",
2991                 format!(
2992                     "any({})",
2993                     any_search_snippet.as_ref().map_or(&*search_snippet, String::as_str)
2994                 ),
2995                 Applicability::MachineApplicable,
2996             );
2997         } else {
2998             span_lint(cx, SEARCH_IS_SOME, expr.span, &msg);
2999         }
3000     }
3001 }
3002
3003 /// Used for `lint_binary_expr_with_method_call`.
3004 #[derive(Copy, Clone)]
3005 struct BinaryExprInfo<'a> {
3006     expr: &'a hir::Expr<'a>,
3007     chain: &'a hir::Expr<'a>,
3008     other: &'a hir::Expr<'a>,
3009     eq: bool,
3010 }
3011
3012 /// Checks for the `CHARS_NEXT_CMP` and `CHARS_LAST_CMP` lints.
3013 fn lint_binary_expr_with_method_call(cx: &LateContext<'_, '_>, info: &mut BinaryExprInfo<'_>) {
3014     macro_rules! lint_with_both_lhs_and_rhs {
3015         ($func:ident, $cx:expr, $info:ident) => {
3016             if !$func($cx, $info) {
3017                 ::std::mem::swap(&mut $info.chain, &mut $info.other);
3018                 if $func($cx, $info) {
3019                     return;
3020                 }
3021             }
3022         };
3023     }
3024
3025     lint_with_both_lhs_and_rhs!(lint_chars_next_cmp, cx, info);
3026     lint_with_both_lhs_and_rhs!(lint_chars_last_cmp, cx, info);
3027     lint_with_both_lhs_and_rhs!(lint_chars_next_cmp_with_unwrap, cx, info);
3028     lint_with_both_lhs_and_rhs!(lint_chars_last_cmp_with_unwrap, cx, info);
3029 }
3030
3031 /// Wrapper fn for `CHARS_NEXT_CMP` and `CHARS_LAST_CMP` lints.
3032 fn lint_chars_cmp(
3033     cx: &LateContext<'_, '_>,
3034     info: &BinaryExprInfo<'_>,
3035     chain_methods: &[&str],
3036     lint: &'static Lint,
3037     suggest: &str,
3038 ) -> bool {
3039     if_chain! {
3040         if let Some(args) = method_chain_args(info.chain, chain_methods);
3041         if let hir::ExprKind::Call(ref fun, ref arg_char) = info.other.kind;
3042         if arg_char.len() == 1;
3043         if let hir::ExprKind::Path(ref qpath) = fun.kind;
3044         if let Some(segment) = single_segment_path(qpath);
3045         if segment.ident.name == sym!(Some);
3046         then {
3047             let mut applicability = Applicability::MachineApplicable;
3048             let self_ty = walk_ptrs_ty(cx.tables().expr_ty_adjusted(&args[0][0]));
3049
3050             if self_ty.kind != ty::Str {
3051                 return false;
3052             }
3053
3054             span_lint_and_sugg(
3055                 cx,
3056                 lint,
3057                 info.expr.span,
3058                 &format!("you should use the `{}` method", suggest),
3059                 "like this",
3060                 format!("{}{}.{}({})",
3061                         if info.eq { "" } else { "!" },
3062                         snippet_with_applicability(cx, args[0][0].span, "_", &mut applicability),
3063                         suggest,
3064                         snippet_with_applicability(cx, arg_char[0].span, "_", &mut applicability)),
3065                 applicability,
3066             );
3067
3068             return true;
3069         }
3070     }
3071
3072     false
3073 }
3074
3075 /// Checks for the `CHARS_NEXT_CMP` lint.
3076 fn lint_chars_next_cmp<'a, 'tcx>(cx: &LateContext<'a, 'tcx>, info: &BinaryExprInfo<'_>) -> bool {
3077     lint_chars_cmp(cx, info, &["chars", "next"], CHARS_NEXT_CMP, "starts_with")
3078 }
3079
3080 /// Checks for the `CHARS_LAST_CMP` lint.
3081 fn lint_chars_last_cmp<'a, 'tcx>(cx: &LateContext<'a, 'tcx>, info: &BinaryExprInfo<'_>) -> bool {
3082     if lint_chars_cmp(cx, info, &["chars", "last"], CHARS_LAST_CMP, "ends_with") {
3083         true
3084     } else {
3085         lint_chars_cmp(cx, info, &["chars", "next_back"], CHARS_LAST_CMP, "ends_with")
3086     }
3087 }
3088
3089 /// Wrapper fn for `CHARS_NEXT_CMP` and `CHARS_LAST_CMP` lints with `unwrap()`.
3090 fn lint_chars_cmp_with_unwrap<'a, 'tcx>(
3091     cx: &LateContext<'a, 'tcx>,
3092     info: &BinaryExprInfo<'_>,
3093     chain_methods: &[&str],
3094     lint: &'static Lint,
3095     suggest: &str,
3096 ) -> bool {
3097     if_chain! {
3098         if let Some(args) = method_chain_args(info.chain, chain_methods);
3099         if let hir::ExprKind::Lit(ref lit) = info.other.kind;
3100         if let ast::LitKind::Char(c) = lit.node;
3101         then {
3102             let mut applicability = Applicability::MachineApplicable;
3103             span_lint_and_sugg(
3104                 cx,
3105                 lint,
3106                 info.expr.span,
3107                 &format!("you should use the `{}` method", suggest),
3108                 "like this",
3109                 format!("{}{}.{}('{}')",
3110                         if info.eq { "" } else { "!" },
3111                         snippet_with_applicability(cx, args[0][0].span, "_", &mut applicability),
3112                         suggest,
3113                         c),
3114                 applicability,
3115             );
3116
3117             true
3118         } else {
3119             false
3120         }
3121     }
3122 }
3123
3124 /// Checks for the `CHARS_NEXT_CMP` lint with `unwrap()`.
3125 fn lint_chars_next_cmp_with_unwrap<'a, 'tcx>(cx: &LateContext<'a, 'tcx>, info: &BinaryExprInfo<'_>) -> bool {
3126     lint_chars_cmp_with_unwrap(cx, info, &["chars", "next", "unwrap"], CHARS_NEXT_CMP, "starts_with")
3127 }
3128
3129 /// Checks for the `CHARS_LAST_CMP` lint with `unwrap()`.
3130 fn lint_chars_last_cmp_with_unwrap<'a, 'tcx>(cx: &LateContext<'a, 'tcx>, info: &BinaryExprInfo<'_>) -> bool {
3131     if lint_chars_cmp_with_unwrap(cx, info, &["chars", "last", "unwrap"], CHARS_LAST_CMP, "ends_with") {
3132         true
3133     } else {
3134         lint_chars_cmp_with_unwrap(cx, info, &["chars", "next_back", "unwrap"], CHARS_LAST_CMP, "ends_with")
3135     }
3136 }
3137
3138 /// lint for length-1 `str`s for methods in `PATTERN_METHODS`
3139 fn lint_single_char_pattern<'a, 'tcx>(
3140     cx: &LateContext<'a, 'tcx>,
3141     _expr: &'tcx hir::Expr<'_>,
3142     arg: &'tcx hir::Expr<'_>,
3143 ) {
3144     if_chain! {
3145         if let hir::ExprKind::Lit(lit) = &arg.kind;
3146         if let ast::LitKind::Str(r, style) = lit.node;
3147         if r.as_str().len() == 1;
3148         then {
3149             let mut applicability = Applicability::MachineApplicable;
3150             let snip = snippet_with_applicability(cx, arg.span, "..", &mut applicability);
3151             let ch = if let ast::StrStyle::Raw(nhash) = style {
3152                 let nhash = nhash as usize;
3153                 // for raw string: r##"a"##
3154                 &snip[(nhash + 2)..(snip.len() - 1 - nhash)]
3155             } else {
3156                 // for regular string: "a"
3157                 &snip[1..(snip.len() - 1)]
3158             };
3159             let hint = format!("'{}'", if ch == "'" { "\\'" } else { ch });
3160             span_lint_and_sugg(
3161                 cx,
3162                 SINGLE_CHAR_PATTERN,
3163                 arg.span,
3164                 "single-character string constant used as pattern",
3165                 "try using a `char` instead",
3166                 hint,
3167                 applicability,
3168             );
3169         }
3170     }
3171 }
3172
3173 /// Checks for the `USELESS_ASREF` lint.
3174 fn lint_asref(cx: &LateContext<'_, '_>, expr: &hir::Expr<'_>, call_name: &str, as_ref_args: &[hir::Expr<'_>]) {
3175     // when we get here, we've already checked that the call name is "as_ref" or "as_mut"
3176     // check if the call is to the actual `AsRef` or `AsMut` trait
3177     if match_trait_method(cx, expr, &paths::ASREF_TRAIT) || match_trait_method(cx, expr, &paths::ASMUT_TRAIT) {
3178         // check if the type after `as_ref` or `as_mut` is the same as before
3179         let recvr = &as_ref_args[0];
3180         let rcv_ty = cx.tables().expr_ty(recvr);
3181         let res_ty = cx.tables().expr_ty(expr);
3182         let (base_res_ty, res_depth) = walk_ptrs_ty_depth(res_ty);
3183         let (base_rcv_ty, rcv_depth) = walk_ptrs_ty_depth(rcv_ty);
3184         if base_rcv_ty == base_res_ty && rcv_depth >= res_depth {
3185             // allow the `as_ref` or `as_mut` if it is followed by another method call
3186             if_chain! {
3187                 if let Some(parent) = get_parent_expr(cx, expr);
3188                 if let hir::ExprKind::MethodCall(_, ref span, _, _) = parent.kind;
3189                 if span != &expr.span;
3190                 then {
3191                     return;
3192                 }
3193             }
3194
3195             let mut applicability = Applicability::MachineApplicable;
3196             span_lint_and_sugg(
3197                 cx,
3198                 USELESS_ASREF,
3199                 expr.span,
3200                 &format!("this call to `{}` does nothing", call_name),
3201                 "try this",
3202                 snippet_with_applicability(cx, recvr.span, "_", &mut applicability).to_string(),
3203                 applicability,
3204             );
3205         }
3206     }
3207 }
3208
3209 fn ty_has_iter_method(cx: &LateContext<'_, '_>, self_ref_ty: Ty<'_>) -> Option<(&'static str, &'static str)> {
3210     has_iter_method(cx, self_ref_ty).map(|ty_name| {
3211         let mutbl = match self_ref_ty.kind {
3212             ty::Ref(_, _, mutbl) => mutbl,
3213             _ => unreachable!(),
3214         };
3215         let method_name = match mutbl {
3216             hir::Mutability::Not => "iter",
3217             hir::Mutability::Mut => "iter_mut",
3218         };
3219         (ty_name, method_name)
3220     })
3221 }
3222
3223 fn lint_into_iter(cx: &LateContext<'_, '_>, expr: &hir::Expr<'_>, self_ref_ty: Ty<'_>, method_span: Span) {
3224     if !match_trait_method(cx, expr, &paths::INTO_ITERATOR) {
3225         return;
3226     }
3227     if let Some((kind, method_name)) = ty_has_iter_method(cx, self_ref_ty) {
3228         span_lint_and_sugg(
3229             cx,
3230             INTO_ITER_ON_REF,
3231             method_span,
3232             &format!(
3233                 "this `.into_iter()` call is equivalent to `.{}()` and will not move the `{}`",
3234                 method_name, kind,
3235             ),
3236             "call directly",
3237             method_name.to_string(),
3238             Applicability::MachineApplicable,
3239         );
3240     }
3241 }
3242
3243 /// lint for `MaybeUninit::uninit().assume_init()` (we already have the latter)
3244 fn lint_maybe_uninit(cx: &LateContext<'_, '_>, expr: &hir::Expr<'_>, outer: &hir::Expr<'_>) {
3245     if_chain! {
3246         if let hir::ExprKind::Call(ref callee, ref args) = expr.kind;
3247         if args.is_empty();
3248         if let hir::ExprKind::Path(ref path) = callee.kind;
3249         if match_qpath(path, &paths::MEM_MAYBEUNINIT_UNINIT);
3250         if !is_maybe_uninit_ty_valid(cx, cx.tables().expr_ty_adjusted(outer));
3251         then {
3252             span_lint(
3253                 cx,
3254                 UNINIT_ASSUMED_INIT,
3255                 outer.span,
3256                 "this call for this type may be undefined behavior"
3257             );
3258         }
3259     }
3260 }
3261
3262 fn is_maybe_uninit_ty_valid(cx: &LateContext<'_, '_>, ty: Ty<'_>) -> bool {
3263     match ty.kind {
3264         ty::Array(ref component, _) => is_maybe_uninit_ty_valid(cx, component),
3265         ty::Tuple(ref types) => types.types().all(|ty| is_maybe_uninit_ty_valid(cx, ty)),
3266         ty::Adt(ref adt, _) => match_def_path(cx, adt.did, &paths::MEM_MAYBEUNINIT),
3267         _ => false,
3268     }
3269 }
3270
3271 fn lint_suspicious_map(cx: &LateContext<'_, '_>, expr: &hir::Expr<'_>) {
3272     span_lint_and_help(
3273         cx,
3274         SUSPICIOUS_MAP,
3275         expr.span,
3276         "this call to `map()` won't have an effect on the call to `count()`",
3277         None,
3278         "make sure you did not confuse `map` with `filter` or `for_each`",
3279     );
3280 }
3281
3282 /// lint use of `_.as_ref().map(Deref::deref)` for `Option`s
3283 fn lint_option_as_ref_deref<'a, 'tcx>(
3284     cx: &LateContext<'a, 'tcx>,
3285     expr: &hir::Expr<'_>,
3286     as_ref_args: &[hir::Expr<'_>],
3287     map_args: &[hir::Expr<'_>],
3288     is_mut: bool,
3289 ) {
3290     let same_mutability = |m| (is_mut && m == &hir::Mutability::Mut) || (!is_mut && m == &hir::Mutability::Not);
3291
3292     let option_ty = cx.tables().expr_ty(&as_ref_args[0]);
3293     if !is_type_diagnostic_item(cx, option_ty, sym!(option_type)) {
3294         return;
3295     }
3296
3297     let deref_aliases: [&[&str]; 9] = [
3298         &paths::DEREF_TRAIT_METHOD,
3299         &paths::DEREF_MUT_TRAIT_METHOD,
3300         &paths::CSTRING_AS_C_STR,
3301         &paths::OS_STRING_AS_OS_STR,
3302         &paths::PATH_BUF_AS_PATH,
3303         &paths::STRING_AS_STR,
3304         &paths::STRING_AS_MUT_STR,
3305         &paths::VEC_AS_SLICE,
3306         &paths::VEC_AS_MUT_SLICE,
3307     ];
3308
3309     let is_deref = match map_args[1].kind {
3310         hir::ExprKind::Path(ref expr_qpath) => deref_aliases.iter().any(|path| match_qpath(expr_qpath, path)),
3311         hir::ExprKind::Closure(_, _, body_id, _, _) => {
3312             let closure_body = cx.tcx.hir().body(body_id);
3313             let closure_expr = remove_blocks(&closure_body.value);
3314
3315             match &closure_expr.kind {
3316                 hir::ExprKind::MethodCall(_, _, args, _) => {
3317                     if_chain! {
3318                         if args.len() == 1;
3319                         if let hir::ExprKind::Path(qpath) = &args[0].kind;
3320                         if let hir::def::Res::Local(local_id) = cx.tables().qpath_res(qpath, args[0].hir_id);
3321                         if closure_body.params[0].pat.hir_id == local_id;
3322                         let adj = cx.tables().expr_adjustments(&args[0]).iter().map(|x| &x.kind).collect::<Box<[_]>>();
3323                         if let [ty::adjustment::Adjust::Deref(None), ty::adjustment::Adjust::Borrow(_)] = *adj;
3324                         then {
3325                             let method_did = cx.tables().type_dependent_def_id(closure_expr.hir_id).unwrap();
3326                             deref_aliases.iter().any(|path| match_def_path(cx, method_did, path))
3327                         } else {
3328                             false
3329                         }
3330                     }
3331                 },
3332                 hir::ExprKind::AddrOf(hir::BorrowKind::Ref, m, ref inner) if same_mutability(m) => {
3333                     if_chain! {
3334                         if let hir::ExprKind::Unary(hir::UnOp::UnDeref, ref inner1) = inner.kind;
3335                         if let hir::ExprKind::Unary(hir::UnOp::UnDeref, ref inner2) = inner1.kind;
3336                         if let hir::ExprKind::Path(ref qpath) = inner2.kind;
3337                         if let hir::def::Res::Local(local_id) = cx.tables().qpath_res(qpath, inner2.hir_id);
3338                         then {
3339                             closure_body.params[0].pat.hir_id == local_id
3340                         } else {
3341                             false
3342                         }
3343                     }
3344                 },
3345                 _ => false,
3346             }
3347         },
3348         _ => false,
3349     };
3350
3351     if is_deref {
3352         let current_method = if is_mut {
3353             format!(".as_mut().map({})", snippet(cx, map_args[1].span, ".."))
3354         } else {
3355             format!(".as_ref().map({})", snippet(cx, map_args[1].span, ".."))
3356         };
3357         let method_hint = if is_mut { "as_deref_mut" } else { "as_deref" };
3358         let hint = format!("{}.{}()", snippet(cx, as_ref_args[0].span, ".."), method_hint);
3359         let suggestion = format!("try using {} instead", method_hint);
3360
3361         let msg = format!(
3362             "called `{0}` on an Option value. This can be done more directly \
3363             by calling `{1}` instead",
3364             current_method, hint
3365         );
3366         span_lint_and_sugg(
3367             cx,
3368             OPTION_AS_REF_DEREF,
3369             expr.span,
3370             &msg,
3371             &suggestion,
3372             hint,
3373             Applicability::MachineApplicable,
3374         );
3375     }
3376 }
3377
3378 /// Given a `Result<T, E>` type, return its error type (`E`).
3379 fn get_error_type<'a>(cx: &LateContext<'_, '_>, ty: Ty<'a>) -> Option<Ty<'a>> {
3380     match ty.kind {
3381         ty::Adt(_, substs) if is_type_diagnostic_item(cx, ty, sym!(result_type)) => substs.types().nth(1),
3382         _ => None,
3383     }
3384 }
3385
3386 /// This checks whether a given type is known to implement Debug.
3387 fn has_debug_impl<'a, 'b>(ty: Ty<'a>, cx: &LateContext<'b, 'a>) -> bool {
3388     cx.tcx
3389         .get_diagnostic_item(sym::debug_trait)
3390         .map_or(false, |debug| implements_trait(cx, ty, debug, &[]))
3391 }
3392
3393 enum Convention {
3394     Eq(&'static str),
3395     StartsWith(&'static str),
3396 }
3397
3398 #[rustfmt::skip]
3399 const CONVENTIONS: [(Convention, &[SelfKind]); 7] = [
3400     (Convention::Eq("new"), &[SelfKind::No]),
3401     (Convention::StartsWith("as_"), &[SelfKind::Ref, SelfKind::RefMut]),
3402     (Convention::StartsWith("from_"), &[SelfKind::No]),
3403     (Convention::StartsWith("into_"), &[SelfKind::Value]),
3404     (Convention::StartsWith("is_"), &[SelfKind::Ref, SelfKind::No]),
3405     (Convention::Eq("to_mut"), &[SelfKind::RefMut]),
3406     (Convention::StartsWith("to_"), &[SelfKind::Ref]),
3407 ];
3408
3409 const FN_HEADER: hir::FnHeader = hir::FnHeader {
3410     unsafety: hir::Unsafety::Normal,
3411     constness: hir::Constness::NotConst,
3412     asyncness: hir::IsAsync::NotAsync,
3413     abi: rustc_target::spec::abi::Abi::Rust,
3414 };
3415
3416 #[rustfmt::skip]
3417 const TRAIT_METHODS: [(&str, usize, &hir::FnHeader, SelfKind, OutType, &str); 30] = [
3418     ("add", 2, &FN_HEADER, SelfKind::Value, OutType::Any, "std::ops::Add"),
3419     ("as_mut", 1, &FN_HEADER, SelfKind::RefMut, OutType::Ref, "std::convert::AsMut"),
3420     ("as_ref", 1, &FN_HEADER, SelfKind::Ref, OutType::Ref, "std::convert::AsRef"),
3421     ("bitand", 2, &FN_HEADER, SelfKind::Value, OutType::Any, "std::ops::BitAnd"),
3422     ("bitor", 2, &FN_HEADER, SelfKind::Value, OutType::Any, "std::ops::BitOr"),
3423     ("bitxor", 2, &FN_HEADER, SelfKind::Value, OutType::Any, "std::ops::BitXor"),
3424     ("borrow", 1, &FN_HEADER, SelfKind::Ref, OutType::Ref, "std::borrow::Borrow"),
3425     ("borrow_mut", 1, &FN_HEADER, SelfKind::RefMut, OutType::Ref, "std::borrow::BorrowMut"),
3426     ("clone", 1, &FN_HEADER, SelfKind::Ref, OutType::Any, "std::clone::Clone"),
3427     ("cmp", 2, &FN_HEADER, SelfKind::Ref, OutType::Any, "std::cmp::Ord"),
3428     ("default", 0, &FN_HEADER, SelfKind::No, OutType::Any, "std::default::Default"),
3429     ("deref", 1, &FN_HEADER, SelfKind::Ref, OutType::Ref, "std::ops::Deref"),
3430     ("deref_mut", 1, &FN_HEADER, SelfKind::RefMut, OutType::Ref, "std::ops::DerefMut"),
3431     ("div", 2, &FN_HEADER, SelfKind::Value, OutType::Any, "std::ops::Div"),
3432     ("drop", 1, &FN_HEADER, SelfKind::RefMut, OutType::Unit, "std::ops::Drop"),
3433     ("eq", 2, &FN_HEADER, SelfKind::Ref, OutType::Bool, "std::cmp::PartialEq"),
3434     ("from_iter", 1, &FN_HEADER, SelfKind::No, OutType::Any, "std::iter::FromIterator"),
3435     ("from_str", 1, &FN_HEADER, SelfKind::No, OutType::Any, "std::str::FromStr"),
3436     ("hash", 2, &FN_HEADER, SelfKind::Ref, OutType::Unit, "std::hash::Hash"),
3437     ("index", 2, &FN_HEADER, SelfKind::Ref, OutType::Ref, "std::ops::Index"),
3438     ("index_mut", 2, &FN_HEADER, SelfKind::RefMut, OutType::Ref, "std::ops::IndexMut"),
3439     ("into_iter", 1, &FN_HEADER, SelfKind::Value, OutType::Any, "std::iter::IntoIterator"),
3440     ("mul", 2, &FN_HEADER, SelfKind::Value, OutType::Any, "std::ops::Mul"),
3441     ("neg", 1, &FN_HEADER, SelfKind::Value, OutType::Any, "std::ops::Neg"),
3442     ("next", 1, &FN_HEADER, SelfKind::RefMut, OutType::Any, "std::iter::Iterator"),
3443     ("not", 1, &FN_HEADER, SelfKind::Value, OutType::Any, "std::ops::Not"),
3444     ("rem", 2, &FN_HEADER, SelfKind::Value, OutType::Any, "std::ops::Rem"),
3445     ("shl", 2, &FN_HEADER, SelfKind::Value, OutType::Any, "std::ops::Shl"),
3446     ("shr", 2, &FN_HEADER, SelfKind::Value, OutType::Any, "std::ops::Shr"),
3447     ("sub", 2, &FN_HEADER, SelfKind::Value, OutType::Any, "std::ops::Sub"),
3448 ];
3449
3450 #[rustfmt::skip]
3451 const PATTERN_METHODS: [(&str, usize); 17] = [
3452     ("contains", 1),
3453     ("starts_with", 1),
3454     ("ends_with", 1),
3455     ("find", 1),
3456     ("rfind", 1),
3457     ("split", 1),
3458     ("rsplit", 1),
3459     ("split_terminator", 1),
3460     ("rsplit_terminator", 1),
3461     ("splitn", 2),
3462     ("rsplitn", 2),
3463     ("matches", 1),
3464     ("rmatches", 1),
3465     ("match_indices", 1),
3466     ("rmatch_indices", 1),
3467     ("trim_start_matches", 1),
3468     ("trim_end_matches", 1),
3469 ];
3470
3471 #[derive(Clone, Copy, PartialEq, Debug)]
3472 enum SelfKind {
3473     Value,
3474     Ref,
3475     RefMut,
3476     No,
3477 }
3478
3479 impl SelfKind {
3480     fn matches<'a>(self, cx: &LateContext<'_, 'a>, parent_ty: Ty<'a>, ty: Ty<'a>) -> bool {
3481         fn matches_value<'a>(cx: &LateContext<'_, 'a>, parent_ty: Ty<'_>, ty: Ty<'_>) -> bool {
3482             if ty == parent_ty {
3483                 true
3484             } else if ty.is_box() {
3485                 ty.boxed_ty() == parent_ty
3486             } else if is_type_diagnostic_item(cx, ty, sym::Rc) || is_type_diagnostic_item(cx, ty, sym::Arc) {
3487                 if let ty::Adt(_, substs) = ty.kind {
3488                     substs.types().next().map_or(false, |t| t == parent_ty)
3489                 } else {
3490                     false
3491                 }
3492             } else {
3493                 false
3494             }
3495         }
3496
3497         fn matches_ref<'a>(
3498             cx: &LateContext<'_, 'a>,
3499             mutability: hir::Mutability,
3500             parent_ty: Ty<'a>,
3501             ty: Ty<'a>,
3502         ) -> bool {
3503             if let ty::Ref(_, t, m) = ty.kind {
3504                 return m == mutability && t == parent_ty;
3505             }
3506
3507             let trait_path = match mutability {
3508                 hir::Mutability::Not => &paths::ASREF_TRAIT,
3509                 hir::Mutability::Mut => &paths::ASMUT_TRAIT,
3510             };
3511
3512             let trait_def_id = match get_trait_def_id(cx, trait_path) {
3513                 Some(did) => did,
3514                 None => return false,
3515             };
3516             implements_trait(cx, ty, trait_def_id, &[parent_ty.into()])
3517         }
3518
3519         match self {
3520             Self::Value => matches_value(cx, parent_ty, ty),
3521             Self::Ref => matches_ref(cx, hir::Mutability::Not, parent_ty, ty) || ty == parent_ty && is_copy(cx, ty),
3522             Self::RefMut => matches_ref(cx, hir::Mutability::Mut, parent_ty, ty),
3523             Self::No => ty != parent_ty,
3524         }
3525     }
3526
3527     #[must_use]
3528     fn description(self) -> &'static str {
3529         match self {
3530             Self::Value => "self by value",
3531             Self::Ref => "self by reference",
3532             Self::RefMut => "self by mutable reference",
3533             Self::No => "no self",
3534         }
3535     }
3536 }
3537
3538 impl Convention {
3539     #[must_use]
3540     fn check(&self, other: &str) -> bool {
3541         match *self {
3542             Self::Eq(this) => this == other,
3543             Self::StartsWith(this) => other.starts_with(this) && this != other,
3544         }
3545     }
3546 }
3547
3548 impl fmt::Display for Convention {
3549     fn fmt(&self, f: &mut fmt::Formatter<'_>) -> Result<(), fmt::Error> {
3550         match *self {
3551             Self::Eq(this) => this.fmt(f),
3552             Self::StartsWith(this) => this.fmt(f).and_then(|_| '*'.fmt(f)),
3553         }
3554     }
3555 }
3556
3557 #[derive(Clone, Copy)]
3558 enum OutType {
3559     Unit,
3560     Bool,
3561     Any,
3562     Ref,
3563 }
3564
3565 impl OutType {
3566     fn matches(self, cx: &LateContext<'_, '_>, ty: &hir::FnRetTy<'_>) -> bool {
3567         let is_unit = |ty: &hir::Ty<'_>| SpanlessEq::new(cx).eq_ty_kind(&ty.kind, &hir::TyKind::Tup(&[]));
3568         match (self, ty) {
3569             (Self::Unit, &hir::FnRetTy::DefaultReturn(_)) => true,
3570             (Self::Unit, &hir::FnRetTy::Return(ref ty)) if is_unit(ty) => true,
3571             (Self::Bool, &hir::FnRetTy::Return(ref ty)) if is_bool(ty) => true,
3572             (Self::Any, &hir::FnRetTy::Return(ref ty)) if !is_unit(ty) => true,
3573             (Self::Ref, &hir::FnRetTy::Return(ref ty)) => matches!(ty.kind, hir::TyKind::Rptr(_, _)),
3574             _ => false,
3575         }
3576     }
3577 }
3578
3579 fn is_bool(ty: &hir::Ty<'_>) -> bool {
3580     if let hir::TyKind::Path(ref p) = ty.kind {
3581         match_qpath(p, &["bool"])
3582     } else {
3583         false
3584     }
3585 }
3586
3587 // Returns `true` if `expr` contains a return expression
3588 fn contains_return(expr: &hir::Expr<'_>) -> bool {
3589     struct RetCallFinder {
3590         found: bool,
3591     }
3592
3593     impl<'tcx> intravisit::Visitor<'tcx> for RetCallFinder {
3594         type Map = Map<'tcx>;
3595
3596         fn visit_expr(&mut self, expr: &'tcx hir::Expr<'_>) {
3597             if self.found {
3598                 return;
3599             }
3600             if let hir::ExprKind::Ret(..) = &expr.kind {
3601                 self.found = true;
3602             } else {
3603                 intravisit::walk_expr(self, expr);
3604             }
3605         }
3606
3607         fn nested_visit_map(&mut self) -> intravisit::NestedVisitorMap<Self::Map> {
3608             intravisit::NestedVisitorMap::None
3609         }
3610     }
3611
3612     let mut visitor = RetCallFinder { found: false };
3613     visitor.visit_expr(expr);
3614     visitor.found
3615 }
3616
3617 fn check_pointer_offset(cx: &LateContext<'_, '_>, expr: &hir::Expr<'_>, args: &[hir::Expr<'_>]) {
3618     if_chain! {
3619         if args.len() == 2;
3620         if let ty::RawPtr(ty::TypeAndMut { ref ty, .. }) = cx.tables().expr_ty(&args[0]).kind;
3621         if let Ok(layout) = cx.tcx.layout_of(cx.param_env.and(ty));
3622         if layout.is_zst();
3623         then {
3624             span_lint(cx, ZST_OFFSET, expr.span, "offset calculation on zero-sized value");
3625         }
3626     }
3627 }
3628
3629 fn lint_filetype_is_file(cx: &LateContext<'_, '_>, expr: &hir::Expr<'_>, args: &[hir::Expr<'_>]) {
3630     let ty = cx.tables().expr_ty(&args[0]);
3631
3632     if !match_type(cx, ty, &paths::FILE_TYPE) {
3633         return;
3634     }
3635
3636     let span: Span;
3637     let verb: &str;
3638     let lint_unary: &str;
3639     let help_unary: &str;
3640     if_chain! {
3641         if let Some(parent) = get_parent_expr(cx, expr);
3642         if let hir::ExprKind::Unary(op, _) = parent.kind;
3643         if op == hir::UnOp::UnNot;
3644         then {
3645             lint_unary = "!";
3646             verb = "denies";
3647             help_unary = "";
3648             span = parent.span;
3649         } else {
3650             lint_unary = "";
3651             verb = "covers";
3652             help_unary = "!";
3653             span = expr.span;
3654         }
3655     }
3656     let lint_msg = format!("`{}FileType::is_file()` only {} regular files", lint_unary, verb);
3657     let help_msg = format!("use `{}FileType::is_dir()` instead", help_unary);
3658     span_lint_and_help(cx, FILETYPE_IS_FILE, span, &lint_msg, None, &help_msg);
3659 }
3660
3661 fn fn_header_equals(expected: hir::FnHeader, actual: hir::FnHeader) -> bool {
3662     expected.constness == actual.constness
3663         && expected.unsafety == actual.unsafety
3664         && expected.asyncness == actual.asyncness
3665 }