]> git.lizzy.rs Git - rust.git/blob - clippy_lints/src/methods/mod.rs
Fix `temporary_cstring_as_ptr` false negative
[rust.git] / clippy_lints / src / methods / mod.rs
1 mod option_map_unwrap_or;
2 mod unnecessary_filter_map;
3
4 use std::borrow::Cow;
5 use std::fmt;
6 use std::iter;
7
8 use if_chain::if_chain;
9 use matches::matches;
10 use rustc::hir;
11 use rustc::hir::intravisit::{self, Visitor};
12 use rustc::lint::{in_external_macro, LateContext, LateLintPass, Lint, LintArray, LintContext, LintPass};
13 use rustc::ty::{self, Predicate, Ty};
14 use rustc::{declare_lint_pass, declare_tool_lint};
15 use rustc_errors::Applicability;
16 use syntax::ast;
17 use syntax::source_map::Span;
18 use syntax::symbol::LocalInternedString;
19
20 use crate::utils::sugg;
21 use crate::utils::usage::mutated_variables;
22 use crate::utils::{
23     get_arg_name, get_parent_expr, get_trait_def_id, has_iter_method, implements_trait, in_macro, is_copy,
24     is_ctor_function, is_expn_of, iter_input_pats, last_path_segment, match_def_path, match_qpath, match_trait_method,
25     match_type, match_var, method_calls, method_chain_args, remove_blocks, return_ty, same_tys, single_segment_path,
26     snippet, snippet_with_applicability, snippet_with_macro_callsite, span_lint, span_lint_and_sugg,
27     span_lint_and_then, span_note_and_lint, walk_ptrs_ty, walk_ptrs_ty_depth, SpanlessEq,
28 };
29 use crate::utils::{paths, span_help_and_lint};
30
31 declare_clippy_lint! {
32     /// **What it does:** Checks for `.unwrap()` calls on `Option`s.
33     ///
34     /// **Why is this bad?** Usually it is better to handle the `None` case, or to
35     /// at least call `.expect(_)` with a more helpful message. Still, for a lot of
36     /// quick-and-dirty code, `unwrap` is a good choice, which is why this lint is
37     /// `Allow` by default.
38     ///
39     /// **Known problems:** None.
40     ///
41     /// **Example:**
42     ///
43     /// Using unwrap on an `Option`:
44     ///
45     /// ```rust
46     /// let opt = Some(1);
47     /// opt.unwrap();
48     /// ```
49     ///
50     /// Better:
51     ///
52     /// ```rust
53     /// let opt = Some(1);
54     /// opt.expect("more helpful message");
55     /// ```
56     pub OPTION_UNWRAP_USED,
57     restriction,
58     "using `Option.unwrap()`, which should at least get a better message using `expect()`"
59 }
60
61 declare_clippy_lint! {
62     /// **What it does:** Checks for `.unwrap()` calls on `Result`s.
63     ///
64     /// **Why is this bad?** `result.unwrap()` will let the thread panic on `Err`
65     /// values. Normally, you want to implement more sophisticated error handling,
66     /// and propagate errors upwards with `try!`.
67     ///
68     /// Even if you want to panic on errors, not all `Error`s implement good
69     /// messages on display. Therefore, it may be beneficial to look at the places
70     /// where they may get displayed. Activate this lint to do just that.
71     ///
72     /// **Known problems:** None.
73     ///
74     /// **Example:**
75     /// Using unwrap on an `Option`:
76     ///
77     /// ```rust
78     /// let res: Result<usize, ()> = Ok(1);
79     /// res.unwrap();
80     /// ```
81     ///
82     /// Better:
83     ///
84     /// ```rust
85     /// let res: Result<usize, ()> = Ok(1);
86     /// res.expect("more helpful message");
87     /// ```
88     pub RESULT_UNWRAP_USED,
89     restriction,
90     "using `Result.unwrap()`, which might be better handled"
91 }
92
93 declare_clippy_lint! {
94     /// **What it does:** Checks for methods that should live in a trait
95     /// implementation of a `std` trait (see [llogiq's blog
96     /// post](http://llogiq.github.io/2015/07/30/traits.html) for further
97     /// information) instead of an inherent implementation.
98     ///
99     /// **Why is this bad?** Implementing the traits improve ergonomics for users of
100     /// the code, often with very little cost. Also people seeing a `mul(...)`
101     /// method
102     /// may expect `*` to work equally, so you should have good reason to disappoint
103     /// them.
104     ///
105     /// **Known problems:** None.
106     ///
107     /// **Example:**
108     /// ```ignore
109     /// struct X;
110     /// impl X {
111     ///     fn add(&self, other: &X) -> X {
112     ///         ..
113     ///     }
114     /// }
115     /// ```
116     pub SHOULD_IMPLEMENT_TRAIT,
117     style,
118     "defining a method that should be implementing a std trait"
119 }
120
121 declare_clippy_lint! {
122     /// **What it does:** Checks for methods with certain name prefixes and which
123     /// doesn't match how self is taken. The actual rules are:
124     ///
125     /// |Prefix |`self` taken          |
126     /// |-------|----------------------|
127     /// |`as_`  |`&self` or `&mut self`|
128     /// |`from_`| none                 |
129     /// |`into_`|`self`                |
130     /// |`is_`  |`&self` or none       |
131     /// |`to_`  |`&self`               |
132     ///
133     /// **Why is this bad?** Consistency breeds readability. If you follow the
134     /// conventions, your users won't be surprised that they, e.g., need to supply a
135     /// mutable reference to a `as_..` function.
136     ///
137     /// **Known problems:** None.
138     ///
139     /// **Example:**
140     /// ```ignore
141     /// impl X {
142     ///     fn as_str(self) -> &str {
143     ///         ..
144     ///     }
145     /// }
146     /// ```
147     pub WRONG_SELF_CONVENTION,
148     style,
149     "defining a method named with an established prefix (like \"into_\") that takes `self` with the wrong convention"
150 }
151
152 declare_clippy_lint! {
153     /// **What it does:** This is the same as
154     /// [`wrong_self_convention`](#wrong_self_convention), but for public items.
155     ///
156     /// **Why is this bad?** See [`wrong_self_convention`](#wrong_self_convention).
157     ///
158     /// **Known problems:** Actually *renaming* the function may break clients if
159     /// the function is part of the public interface. In that case, be mindful of
160     /// the stability guarantees you've given your users.
161     ///
162     /// **Example:**
163     /// ```rust
164     /// # struct X;
165     /// impl<'a> X {
166     ///     pub fn as_str(self) -> &'a str {
167     ///         "foo"
168     ///     }
169     /// }
170     /// ```
171     pub WRONG_PUB_SELF_CONVENTION,
172     restriction,
173     "defining a public method named with an established prefix (like \"into_\") that takes `self` with the wrong convention"
174 }
175
176 declare_clippy_lint! {
177     /// **What it does:** Checks for usage of `ok().expect(..)`.
178     ///
179     /// **Why is this bad?** Because you usually call `expect()` on the `Result`
180     /// directly to get a better error message.
181     ///
182     /// **Known problems:** The error type needs to implement `Debug`
183     ///
184     /// **Example:**
185     /// ```ignore
186     /// x.ok().expect("why did I do this again?")
187     /// ```
188     pub OK_EXPECT,
189     style,
190     "using `ok().expect()`, which gives worse error messages than calling `expect` directly on the Result"
191 }
192
193 declare_clippy_lint! {
194     /// **What it does:** Checks for usage of `_.map(_).unwrap_or(_)`.
195     ///
196     /// **Why is this bad?** Readability, this can be written more concisely as
197     /// `_.map_or(_, _)`.
198     ///
199     /// **Known problems:** The order of the arguments is not in execution order
200     ///
201     /// **Example:**
202     /// ```rust
203     /// # let x = Some(1);
204     /// x.map(|a| a + 1).unwrap_or(0);
205     /// ```
206     pub OPTION_MAP_UNWRAP_OR,
207     pedantic,
208     "using `Option.map(f).unwrap_or(a)`, which is more succinctly expressed as `map_or(a, f)`"
209 }
210
211 declare_clippy_lint! {
212     /// **What it does:** Checks for usage of `_.map(_).unwrap_or_else(_)`.
213     ///
214     /// **Why is this bad?** Readability, this can be written more concisely as
215     /// `_.map_or_else(_, _)`.
216     ///
217     /// **Known problems:** The order of the arguments is not in execution order.
218     ///
219     /// **Example:**
220     /// ```rust
221     /// # let x = Some(1);
222     /// # fn some_function() -> usize { 1 }
223     /// x.map(|a| a + 1).unwrap_or_else(some_function);
224     /// ```
225     pub OPTION_MAP_UNWRAP_OR_ELSE,
226     pedantic,
227     "using `Option.map(f).unwrap_or_else(g)`, which is more succinctly expressed as `map_or_else(g, f)`"
228 }
229
230 declare_clippy_lint! {
231     /// **What it does:** Checks for usage of `result.map(_).unwrap_or_else(_)`.
232     ///
233     /// **Why is this bad?** Readability, this can be written more concisely as
234     /// `result.ok().map_or_else(_, _)`.
235     ///
236     /// **Known problems:** None.
237     ///
238     /// **Example:**
239     /// ```rust
240     /// # let x: Result<usize, ()> = Ok(1);
241     /// # fn some_function(foo: ()) -> usize { 1 }
242     /// x.map(|a| a + 1).unwrap_or_else(some_function);
243     /// ```
244     pub RESULT_MAP_UNWRAP_OR_ELSE,
245     pedantic,
246     "using `Result.map(f).unwrap_or_else(g)`, which is more succinctly expressed as `.ok().map_or_else(g, f)`"
247 }
248
249 declare_clippy_lint! {
250     /// **What it does:** Checks for usage of `_.map_or(None, _)`.
251     ///
252     /// **Why is this bad?** Readability, this can be written more concisely as
253     /// `_.and_then(_)`.
254     ///
255     /// **Known problems:** The order of the arguments is not in execution order.
256     ///
257     /// **Example:**
258     /// ```ignore
259     /// opt.map_or(None, |a| a + 1)
260     /// ```
261     pub OPTION_MAP_OR_NONE,
262     style,
263     "using `Option.map_or(None, f)`, which is more succinctly expressed as `and_then(f)`"
264 }
265
266 declare_clippy_lint! {
267     /// **What it does:** Checks for usage of `_.and_then(|x| Some(y))`.
268     ///
269     /// **Why is this bad?** Readability, this can be written more concisely as
270     /// `_.map(|x| y)`.
271     ///
272     /// **Known problems:** None
273     ///
274     /// **Example:**
275     ///
276     /// ```rust
277     /// let x = Some("foo");
278     /// let _ = x.and_then(|s| Some(s.len()));
279     /// ```
280     ///
281     /// The correct use would be:
282     ///
283     /// ```rust
284     /// let x = Some("foo");
285     /// let _ = x.map(|s| s.len());
286     /// ```
287     pub OPTION_AND_THEN_SOME,
288     complexity,
289     "using `Option.and_then(|x| Some(y))`, which is more succinctly expressed as `map(|x| y)`"
290 }
291
292 declare_clippy_lint! {
293     /// **What it does:** Checks for usage of `_.filter(_).next()`.
294     ///
295     /// **Why is this bad?** Readability, this can be written more concisely as
296     /// `_.find(_)`.
297     ///
298     /// **Known problems:** None.
299     ///
300     /// **Example:**
301     /// ```rust
302     /// # let vec = vec![1];
303     /// vec.iter().filter(|x| **x == 0).next();
304     /// ```
305     pub FILTER_NEXT,
306     complexity,
307     "using `filter(p).next()`, which is more succinctly expressed as `.find(p)`"
308 }
309
310 declare_clippy_lint! {
311     /// **What it does:** Checks for usage of `_.map(_).flatten(_)`,
312     ///
313     /// **Why is this bad?** Readability, this can be written more concisely as a
314     /// single method call.
315     ///
316     /// **Known problems:**
317     ///
318     /// **Example:**
319     /// ```rust
320     /// let vec = vec![vec![1]];
321     /// vec.iter().map(|x| x.iter()).flatten();
322     /// ```
323     pub MAP_FLATTEN,
324     pedantic,
325     "using combinations of `flatten` and `map` which can usually be written as a single method call"
326 }
327
328 declare_clippy_lint! {
329     /// **What it does:** Checks for usage of `_.filter(_).map(_)`,
330     /// `_.filter(_).flat_map(_)`, `_.filter_map(_).flat_map(_)` and similar.
331     ///
332     /// **Why is this bad?** Readability, this can be written more concisely as a
333     /// single method call.
334     ///
335     /// **Known problems:** Often requires a condition + Option/Iterator creation
336     /// inside the closure.
337     ///
338     /// **Example:**
339     /// ```rust
340     /// let vec = vec![1];
341     /// vec.iter().filter(|x| **x == 0).map(|x| *x * 2);
342     /// ```
343     pub FILTER_MAP,
344     pedantic,
345     "using combinations of `filter`, `map`, `filter_map` and `flat_map` which can usually be written as a single method call"
346 }
347
348 declare_clippy_lint! {
349     /// **What it does:** Checks for usage of `_.filter_map(_).next()`.
350     ///
351     /// **Why is this bad?** Readability, this can be written more concisely as a
352     /// single method call.
353     ///
354     /// **Known problems:** None
355     ///
356     /// **Example:**
357     /// ```rust
358     ///  (0..3).filter_map(|x| if x == 2 { Some(x) } else { None }).next();
359     /// ```
360     /// Can be written as
361     ///
362     /// ```rust
363     ///  (0..3).find_map(|x| if x == 2 { Some(x) } else { None });
364     /// ```
365     pub FILTER_MAP_NEXT,
366     pedantic,
367     "using combination of `filter_map` and `next` which can usually be written as a single method call"
368 }
369
370 declare_clippy_lint! {
371     /// **What it does:** Checks for usage of `flat_map(|x| x)`.
372     ///
373     /// **Why is this bad?** Readability, this can be written more concisely by using `flatten`.
374     ///
375     /// **Known problems:** None
376     ///
377     /// **Example:**
378     /// ```rust
379     /// # let iter = vec![vec![0]].into_iter();
380     /// iter.flat_map(|x| x);
381     /// ```
382     /// Can be written as
383     /// ```rust
384     /// # let iter = vec![vec![0]].into_iter();
385     /// iter.flatten();
386     /// ```
387     pub FLAT_MAP_IDENTITY,
388     complexity,
389     "call to `flat_map` where `flatten` is sufficient"
390 }
391
392 declare_clippy_lint! {
393     /// **What it does:** Checks for usage of `_.find(_).map(_)`.
394     ///
395     /// **Why is this bad?** Readability, this can be written more concisely as a
396     /// single method call.
397     ///
398     /// **Known problems:** Often requires a condition + Option/Iterator creation
399     /// inside the closure.
400     ///
401     /// **Example:**
402     /// ```rust
403     ///  (0..3).find(|x| *x == 2).map(|x| x * 2);
404     /// ```
405     /// Can be written as
406     /// ```rust
407     ///  (0..3).find_map(|x| if x == 2 { Some(x * 2) } else { None });
408     /// ```
409     pub FIND_MAP,
410     pedantic,
411     "using a combination of `find` and `map` can usually be written as a single method call"
412 }
413
414 declare_clippy_lint! {
415     /// **What it does:** Checks for an iterator search (such as `find()`,
416     /// `position()`, or `rposition()`) followed by a call to `is_some()`.
417     ///
418     /// **Why is this bad?** Readability, this can be written more concisely as
419     /// `_.any(_)`.
420     ///
421     /// **Known problems:** None.
422     ///
423     /// **Example:**
424     /// ```rust
425     /// # let vec = vec![1];
426     /// vec.iter().find(|x| **x == 0).is_some();
427     /// ```
428     pub SEARCH_IS_SOME,
429     complexity,
430     "using an iterator search followed by `is_some()`, which is more succinctly expressed as a call to `any()`"
431 }
432
433 declare_clippy_lint! {
434     /// **What it does:** Checks for usage of `.chars().next()` on a `str` to check
435     /// if it starts with a given char.
436     ///
437     /// **Why is this bad?** Readability, this can be written more concisely as
438     /// `_.starts_with(_)`.
439     ///
440     /// **Known problems:** None.
441     ///
442     /// **Example:**
443     /// ```rust
444     /// let name = "foo";
445     /// name.chars().next() == Some('_');
446     /// ```
447     pub CHARS_NEXT_CMP,
448     complexity,
449     "using `.chars().next()` to check if a string starts with a char"
450 }
451
452 declare_clippy_lint! {
453     /// **What it does:** Checks for calls to `.or(foo(..))`, `.unwrap_or(foo(..))`,
454     /// etc., and suggests to use `or_else`, `unwrap_or_else`, etc., or
455     /// `unwrap_or_default` instead.
456     ///
457     /// **Why is this bad?** The function will always be called and potentially
458     /// allocate an object acting as the default.
459     ///
460     /// **Known problems:** If the function has side-effects, not calling it will
461     /// change the semantic of the program, but you shouldn't rely on that anyway.
462     ///
463     /// **Example:**
464     /// ```rust
465     /// # let foo = Some(String::new());
466     /// foo.unwrap_or(String::new());
467     /// ```
468     /// this can instead be written:
469     /// ```rust
470     /// # let foo = Some(String::new());
471     /// foo.unwrap_or_else(String::new);
472     /// ```
473     /// or
474     /// ```rust
475     /// # let foo = Some(String::new());
476     /// foo.unwrap_or_default();
477     /// ```
478     pub OR_FUN_CALL,
479     perf,
480     "using any `*or` method with a function call, which suggests `*or_else`"
481 }
482
483 declare_clippy_lint! {
484     /// **What it does:** Checks for calls to `.expect(&format!(...))`, `.expect(foo(..))`,
485     /// etc., and suggests to use `unwrap_or_else` instead
486     ///
487     /// **Why is this bad?** The function will always be called.
488     ///
489     /// **Known problems:** If the function has side-effects, not calling it will
490     /// change the semantics of the program, but you shouldn't rely on that anyway.
491     ///
492     /// **Example:**
493     /// ```rust
494     /// # let foo = Some(String::new());
495     /// # let err_code = "418";
496     /// # let err_msg = "I'm a teapot";
497     /// foo.expect(&format!("Err {}: {}", err_code, err_msg));
498     /// ```
499     /// or
500     /// ```rust
501     /// # let foo = Some(String::new());
502     /// # let err_code = "418";
503     /// # let err_msg = "I'm a teapot";
504     /// foo.expect(format!("Err {}: {}", err_code, err_msg).as_str());
505     /// ```
506     /// this can instead be written:
507     /// ```rust
508     /// # let foo = Some(String::new());
509     /// # let err_code = "418";
510     /// # let err_msg = "I'm a teapot";
511     /// foo.unwrap_or_else(|| panic!("Err {}: {}", err_code, err_msg));
512     /// ```
513     pub EXPECT_FUN_CALL,
514     perf,
515     "using any `expect` method with a function call"
516 }
517
518 declare_clippy_lint! {
519     /// **What it does:** Checks for usage of `.clone()` on a `Copy` type.
520     ///
521     /// **Why is this bad?** The only reason `Copy` types implement `Clone` is for
522     /// generics, not for using the `clone` method on a concrete type.
523     ///
524     /// **Known problems:** None.
525     ///
526     /// **Example:**
527     /// ```rust
528     /// 42u64.clone();
529     /// ```
530     pub CLONE_ON_COPY,
531     complexity,
532     "using `clone` on a `Copy` type"
533 }
534
535 declare_clippy_lint! {
536     /// **What it does:** Checks for usage of `.clone()` on a ref-counted pointer,
537     /// (`Rc`, `Arc`, `rc::Weak`, or `sync::Weak`), and suggests calling Clone via unified
538     /// function syntax instead (e.g., `Rc::clone(foo)`).
539     ///
540     /// **Why is this bad?** Calling '.clone()' on an Rc, Arc, or Weak
541     /// can obscure the fact that only the pointer is being cloned, not the underlying
542     /// data.
543     ///
544     /// **Example:**
545     /// ```rust
546     /// # use std::rc::Rc;
547     /// let x = Rc::new(1);
548     /// x.clone();
549     /// ```
550     pub CLONE_ON_REF_PTR,
551     restriction,
552     "using 'clone' on a ref-counted pointer"
553 }
554
555 declare_clippy_lint! {
556     /// **What it does:** Checks for usage of `.clone()` on an `&&T`.
557     ///
558     /// **Why is this bad?** Cloning an `&&T` copies the inner `&T`, instead of
559     /// cloning the underlying `T`.
560     ///
561     /// **Known problems:** None.
562     ///
563     /// **Example:**
564     /// ```rust
565     /// fn main() {
566     ///     let x = vec![1];
567     ///     let y = &&x;
568     ///     let z = y.clone();
569     ///     println!("{:p} {:p}", *y, z); // prints out the same pointer
570     /// }
571     /// ```
572     pub CLONE_DOUBLE_REF,
573     correctness,
574     "using `clone` on `&&T`"
575 }
576
577 declare_clippy_lint! {
578     /// **What it does:** Checks for `new` not returning `Self`.
579     ///
580     /// **Why is this bad?** As a convention, `new` methods are used to make a new
581     /// instance of a type.
582     ///
583     /// **Known problems:** None.
584     ///
585     /// **Example:**
586     /// ```ignore
587     /// impl Foo {
588     ///     fn new(..) -> NotAFoo {
589     ///     }
590     /// }
591     /// ```
592     pub NEW_RET_NO_SELF,
593     style,
594     "not returning `Self` in a `new` method"
595 }
596
597 declare_clippy_lint! {
598     /// **What it does:** Checks for string methods that receive a single-character
599     /// `str` as an argument, e.g., `_.split("x")`.
600     ///
601     /// **Why is this bad?** Performing these methods using a `char` is faster than
602     /// using a `str`.
603     ///
604     /// **Known problems:** Does not catch multi-byte unicode characters.
605     ///
606     /// **Example:**
607     /// `_.split("x")` could be `_.split('x')`
608     pub SINGLE_CHAR_PATTERN,
609     perf,
610     "using a single-character str where a char could be used, e.g., `_.split(\"x\")`"
611 }
612
613 declare_clippy_lint! {
614     /// **What it does:** Checks for getting the inner pointer of a temporary
615     /// `CString`.
616     ///
617     /// **Why is this bad?** The inner pointer of a `CString` is only valid as long
618     /// as the `CString` is alive.
619     ///
620     /// **Known problems:** None.
621     ///
622     /// **Example:**
623     /// ```rust,ignore
624     /// let c_str = CString::new("foo").unwrap().as_ptr();
625     /// unsafe {
626     ///     call_some_ffi_func(c_str);
627     /// }
628     /// ```
629     /// Here `c_str` point to a freed address. The correct use would be:
630     /// ```rust,ignore
631     /// let c_str = CString::new("foo").unwrap();
632     /// unsafe {
633     ///     call_some_ffi_func(c_str.as_ptr());
634     /// }
635     /// ```
636     pub TEMPORARY_CSTRING_AS_PTR,
637     correctness,
638     "getting the inner pointer of a temporary `CString`"
639 }
640
641 declare_clippy_lint! {
642     /// **What it does:** Checks for use of `.iter().nth()` (and the related
643     /// `.iter_mut().nth()`) on standard library types with O(1) element access.
644     ///
645     /// **Why is this bad?** `.get()` and `.get_mut()` are more efficient and more
646     /// readable.
647     ///
648     /// **Known problems:** None.
649     ///
650     /// **Example:**
651     /// ```rust
652     /// let some_vec = vec![0, 1, 2, 3];
653     /// let bad_vec = some_vec.iter().nth(3);
654     /// let bad_slice = &some_vec[..].iter().nth(3);
655     /// ```
656     /// The correct use would be:
657     /// ```rust
658     /// let some_vec = vec![0, 1, 2, 3];
659     /// let bad_vec = some_vec.get(3);
660     /// let bad_slice = &some_vec[..].get(3);
661     /// ```
662     pub ITER_NTH,
663     perf,
664     "using `.iter().nth()` on a standard library type with O(1) element access"
665 }
666
667 declare_clippy_lint! {
668     /// **What it does:** Checks for use of `.skip(x).next()` on iterators.
669     ///
670     /// **Why is this bad?** `.nth(x)` is cleaner
671     ///
672     /// **Known problems:** None.
673     ///
674     /// **Example:**
675     /// ```rust
676     /// let some_vec = vec![0, 1, 2, 3];
677     /// let bad_vec = some_vec.iter().skip(3).next();
678     /// let bad_slice = &some_vec[..].iter().skip(3).next();
679     /// ```
680     /// The correct use would be:
681     /// ```rust
682     /// let some_vec = vec![0, 1, 2, 3];
683     /// let bad_vec = some_vec.iter().nth(3);
684     /// let bad_slice = &some_vec[..].iter().nth(3);
685     /// ```
686     pub ITER_SKIP_NEXT,
687     style,
688     "using `.skip(x).next()` on an iterator"
689 }
690
691 declare_clippy_lint! {
692     /// **What it does:** Checks for use of `.get().unwrap()` (or
693     /// `.get_mut().unwrap`) on a standard library type which implements `Index`
694     ///
695     /// **Why is this bad?** Using the Index trait (`[]`) is more clear and more
696     /// concise.
697     ///
698     /// **Known problems:** Not a replacement for error handling: Using either
699     /// `.unwrap()` or the Index trait (`[]`) carries the risk of causing a `panic`
700     /// if the value being accessed is `None`. If the use of `.get().unwrap()` is a
701     /// temporary placeholder for dealing with the `Option` type, then this does
702     /// not mitigate the need for error handling. If there is a chance that `.get()`
703     /// will be `None` in your program, then it is advisable that the `None` case
704     /// is handled in a future refactor instead of using `.unwrap()` or the Index
705     /// trait.
706     ///
707     /// **Example:**
708     /// ```rust
709     /// let mut some_vec = vec![0, 1, 2, 3];
710     /// let last = some_vec.get(3).unwrap();
711     /// *some_vec.get_mut(0).unwrap() = 1;
712     /// ```
713     /// The correct use would be:
714     /// ```rust
715     /// let mut some_vec = vec![0, 1, 2, 3];
716     /// let last = some_vec[3];
717     /// some_vec[0] = 1;
718     /// ```
719     pub GET_UNWRAP,
720     restriction,
721     "using `.get().unwrap()` or `.get_mut().unwrap()` when using `[]` would work instead"
722 }
723
724 declare_clippy_lint! {
725     /// **What it does:** Checks for the use of `.extend(s.chars())` where s is a
726     /// `&str` or `String`.
727     ///
728     /// **Why is this bad?** `.push_str(s)` is clearer
729     ///
730     /// **Known problems:** None.
731     ///
732     /// **Example:**
733     /// ```rust
734     /// let abc = "abc";
735     /// let def = String::from("def");
736     /// let mut s = String::new();
737     /// s.extend(abc.chars());
738     /// s.extend(def.chars());
739     /// ```
740     /// The correct use would be:
741     /// ```rust
742     /// let abc = "abc";
743     /// let def = String::from("def");
744     /// let mut s = String::new();
745     /// s.push_str(abc);
746     /// s.push_str(&def);
747     /// ```
748     pub STRING_EXTEND_CHARS,
749     style,
750     "using `x.extend(s.chars())` where s is a `&str` or `String`"
751 }
752
753 declare_clippy_lint! {
754     /// **What it does:** Checks for the use of `.cloned().collect()` on slice to
755     /// create a `Vec`.
756     ///
757     /// **Why is this bad?** `.to_vec()` is clearer
758     ///
759     /// **Known problems:** None.
760     ///
761     /// **Example:**
762     /// ```rust
763     /// let s = [1, 2, 3, 4, 5];
764     /// let s2: Vec<isize> = s[..].iter().cloned().collect();
765     /// ```
766     /// The better use would be:
767     /// ```rust
768     /// let s = [1, 2, 3, 4, 5];
769     /// let s2: Vec<isize> = s.to_vec();
770     /// ```
771     pub ITER_CLONED_COLLECT,
772     style,
773     "using `.cloned().collect()` on slice to create a `Vec`"
774 }
775
776 declare_clippy_lint! {
777     /// **What it does:** Checks for usage of `.chars().last()` or
778     /// `.chars().next_back()` on a `str` to check if it ends with a given char.
779     ///
780     /// **Why is this bad?** Readability, this can be written more concisely as
781     /// `_.ends_with(_)`.
782     ///
783     /// **Known problems:** None.
784     ///
785     /// **Example:**
786     /// ```ignore
787     /// name.chars().last() == Some('_') || name.chars().next_back() == Some('-')
788     /// ```
789     pub CHARS_LAST_CMP,
790     style,
791     "using `.chars().last()` or `.chars().next_back()` to check if a string ends with a char"
792 }
793
794 declare_clippy_lint! {
795     /// **What it does:** Checks for usage of `.as_ref()` or `.as_mut()` where the
796     /// types before and after the call are the same.
797     ///
798     /// **Why is this bad?** The call is unnecessary.
799     ///
800     /// **Known problems:** None.
801     ///
802     /// **Example:**
803     /// ```rust
804     /// # fn do_stuff(x: &[i32]) {}
805     /// let x: &[i32] = &[1, 2, 3, 4, 5];
806     /// do_stuff(x.as_ref());
807     /// ```
808     /// The correct use would be:
809     /// ```rust
810     /// # fn do_stuff(x: &[i32]) {}
811     /// let x: &[i32] = &[1, 2, 3, 4, 5];
812     /// do_stuff(x);
813     /// ```
814     pub USELESS_ASREF,
815     complexity,
816     "using `as_ref` where the types before and after the call are the same"
817 }
818
819 declare_clippy_lint! {
820     /// **What it does:** Checks for using `fold` when a more succinct alternative exists.
821     /// Specifically, this checks for `fold`s which could be replaced by `any`, `all`,
822     /// `sum` or `product`.
823     ///
824     /// **Why is this bad?** Readability.
825     ///
826     /// **Known problems:** False positive in pattern guards. Will be resolved once
827     /// non-lexical lifetimes are stable.
828     ///
829     /// **Example:**
830     /// ```rust
831     /// let _ = (0..3).fold(false, |acc, x| acc || x > 2);
832     /// ```
833     /// This could be written as:
834     /// ```rust
835     /// let _ = (0..3).any(|x| x > 2);
836     /// ```
837     pub UNNECESSARY_FOLD,
838     style,
839     "using `fold` when a more succinct alternative exists"
840 }
841
842 declare_clippy_lint! {
843     /// **What it does:** Checks for `filter_map` calls which could be replaced by `filter` or `map`.
844     /// More specifically it checks if the closure provided is only performing one of the
845     /// filter or map operations and suggests the appropriate option.
846     ///
847     /// **Why is this bad?** Complexity. The intent is also clearer if only a single
848     /// operation is being performed.
849     ///
850     /// **Known problems:** None
851     ///
852     /// **Example:**
853     /// ```rust
854     /// let _ = (0..3).filter_map(|x| if x > 2 { Some(x) } else { None });
855     /// ```
856     /// As there is no transformation of the argument this could be written as:
857     /// ```rust
858     /// let _ = (0..3).filter(|&x| x > 2);
859     /// ```
860     ///
861     /// ```rust
862     /// let _ = (0..4).filter_map(i32::checked_abs);
863     /// ```
864     /// As there is no conditional check on the argument this could be written as:
865     /// ```rust
866     /// let _ = (0..4).map(i32::checked_abs);
867     /// ```
868     pub UNNECESSARY_FILTER_MAP,
869     complexity,
870     "using `filter_map` when a more succinct alternative exists"
871 }
872
873 declare_clippy_lint! {
874     /// **What it does:** Checks for `into_iter` calls on types which should be replaced by `iter` or
875     /// `iter_mut`.
876     ///
877     /// **Why is this bad?** Arrays and `PathBuf` do not yet have an `into_iter` method which move out
878     /// their content into an iterator. Auto-referencing resolves the `into_iter` call to its reference
879     /// instead, like `<&[T; N] as IntoIterator>::into_iter`, which just iterates over item references
880     /// like calling `iter` would. Furthermore, when the standard library actually
881     /// [implements the `into_iter` method](https://github.com/rust-lang/rust/issues/25725) which moves
882     /// the content out of the array, the original use of `into_iter` got inferred with the wrong type
883     /// and the code will be broken.
884     ///
885     /// **Known problems:** None
886     ///
887     /// **Example:**
888     ///
889     /// ```rust
890     /// let _ = [1, 2, 3].into_iter().map(|x| *x).collect::<Vec<u32>>();
891     /// ```
892     pub INTO_ITER_ON_ARRAY,
893     correctness,
894     "using `.into_iter()` on an array"
895 }
896
897 declare_clippy_lint! {
898     /// **What it does:** Checks for `into_iter` calls on references which should be replaced by `iter`
899     /// or `iter_mut`.
900     ///
901     /// **Why is this bad?** Readability. Calling `into_iter` on a reference will not move out its
902     /// content into the resulting iterator, which is confusing. It is better just call `iter` or
903     /// `iter_mut` directly.
904     ///
905     /// **Known problems:** None
906     ///
907     /// **Example:**
908     ///
909     /// ```rust
910     /// let _ = (&vec![3, 4, 5]).into_iter();
911     /// ```
912     pub INTO_ITER_ON_REF,
913     style,
914     "using `.into_iter()` on a reference"
915 }
916
917 declare_clippy_lint! {
918     /// **What it does:** Checks for calls to `map` followed by a `count`.
919     ///
920     /// **Why is this bad?** It looks suspicious. Maybe `map` was confused with `filter`.
921     /// If the `map` call is intentional, this should be rewritten.
922     ///
923     /// **Known problems:** None
924     ///
925     /// **Example:**
926     ///
927     /// ```rust
928     /// let _ = (0..3).map(|x| x + 2).count();
929     /// ```
930     pub SUSPICIOUS_MAP,
931     complexity,
932     "suspicious usage of map"
933 }
934
935 declare_lint_pass!(Methods => [
936     OPTION_UNWRAP_USED,
937     RESULT_UNWRAP_USED,
938     SHOULD_IMPLEMENT_TRAIT,
939     WRONG_SELF_CONVENTION,
940     WRONG_PUB_SELF_CONVENTION,
941     OK_EXPECT,
942     OPTION_MAP_UNWRAP_OR,
943     OPTION_MAP_UNWRAP_OR_ELSE,
944     RESULT_MAP_UNWRAP_OR_ELSE,
945     OPTION_MAP_OR_NONE,
946     OPTION_AND_THEN_SOME,
947     OR_FUN_CALL,
948     EXPECT_FUN_CALL,
949     CHARS_NEXT_CMP,
950     CHARS_LAST_CMP,
951     CLONE_ON_COPY,
952     CLONE_ON_REF_PTR,
953     CLONE_DOUBLE_REF,
954     NEW_RET_NO_SELF,
955     SINGLE_CHAR_PATTERN,
956     SEARCH_IS_SOME,
957     TEMPORARY_CSTRING_AS_PTR,
958     FILTER_NEXT,
959     FILTER_MAP,
960     FILTER_MAP_NEXT,
961     FLAT_MAP_IDENTITY,
962     FIND_MAP,
963     MAP_FLATTEN,
964     ITER_NTH,
965     ITER_SKIP_NEXT,
966     GET_UNWRAP,
967     STRING_EXTEND_CHARS,
968     ITER_CLONED_COLLECT,
969     USELESS_ASREF,
970     UNNECESSARY_FOLD,
971     UNNECESSARY_FILTER_MAP,
972     INTO_ITER_ON_ARRAY,
973     INTO_ITER_ON_REF,
974     SUSPICIOUS_MAP,
975 ]);
976
977 impl<'a, 'tcx> LateLintPass<'a, 'tcx> for Methods {
978     #[allow(clippy::cognitive_complexity)]
979     fn check_expr(&mut self, cx: &LateContext<'a, 'tcx>, expr: &'tcx hir::Expr) {
980         if in_macro(expr.span) {
981             return;
982         }
983
984         let (method_names, arg_lists) = method_calls(expr, 2);
985         let method_names: Vec<LocalInternedString> = method_names.iter().map(|s| s.as_str()).collect();
986         let method_names: Vec<&str> = method_names.iter().map(std::convert::AsRef::as_ref).collect();
987
988         match method_names.as_slice() {
989             ["unwrap", "get"] => lint_get_unwrap(cx, expr, arg_lists[1], false),
990             ["unwrap", "get_mut"] => lint_get_unwrap(cx, expr, arg_lists[1], true),
991             ["unwrap", ..] => lint_unwrap(cx, expr, arg_lists[0]),
992             ["expect", "ok"] => lint_ok_expect(cx, expr, arg_lists[1]),
993             ["unwrap_or", "map"] => option_map_unwrap_or::lint(cx, expr, arg_lists[1], arg_lists[0]),
994             ["unwrap_or_else", "map"] => lint_map_unwrap_or_else(cx, expr, arg_lists[1], arg_lists[0]),
995             ["map_or", ..] => lint_map_or_none(cx, expr, arg_lists[0]),
996             ["and_then", ..] => lint_option_and_then_some(cx, expr, arg_lists[0]),
997             ["next", "filter"] => lint_filter_next(cx, expr, arg_lists[1]),
998             ["map", "filter"] => lint_filter_map(cx, expr, arg_lists[1], arg_lists[0]),
999             ["map", "filter_map"] => lint_filter_map_map(cx, expr, arg_lists[1], arg_lists[0]),
1000             ["next", "filter_map"] => lint_filter_map_next(cx, expr, arg_lists[1]),
1001             ["map", "find"] => lint_find_map(cx, expr, arg_lists[1], arg_lists[0]),
1002             ["flat_map", "filter"] => lint_filter_flat_map(cx, expr, arg_lists[1], arg_lists[0]),
1003             ["flat_map", "filter_map"] => lint_filter_map_flat_map(cx, expr, arg_lists[1], arg_lists[0]),
1004             ["flat_map", ..] => lint_flat_map_identity(cx, expr, arg_lists[0]),
1005             ["flatten", "map"] => lint_map_flatten(cx, expr, arg_lists[1]),
1006             ["is_some", "find"] => lint_search_is_some(cx, expr, "find", arg_lists[1], arg_lists[0]),
1007             ["is_some", "position"] => lint_search_is_some(cx, expr, "position", arg_lists[1], arg_lists[0]),
1008             ["is_some", "rposition"] => lint_search_is_some(cx, expr, "rposition", arg_lists[1], arg_lists[0]),
1009             ["extend", ..] => lint_extend(cx, expr, arg_lists[0]),
1010             ["as_ptr", "unwrap"] | ["as_ptr", "expect"] => {
1011                 lint_cstring_as_ptr(cx, expr, &arg_lists[1][0], &arg_lists[0][0])
1012             },
1013             ["nth", "iter"] => lint_iter_nth(cx, expr, arg_lists[1], false),
1014             ["nth", "iter_mut"] => lint_iter_nth(cx, expr, arg_lists[1], true),
1015             ["next", "skip"] => lint_iter_skip_next(cx, expr),
1016             ["collect", "cloned"] => lint_iter_cloned_collect(cx, expr, arg_lists[1]),
1017             ["as_ref"] => lint_asref(cx, expr, "as_ref", arg_lists[0]),
1018             ["as_mut"] => lint_asref(cx, expr, "as_mut", arg_lists[0]),
1019             ["fold", ..] => lint_unnecessary_fold(cx, expr, arg_lists[0]),
1020             ["filter_map", ..] => unnecessary_filter_map::lint(cx, expr, arg_lists[0]),
1021             ["count", "map"] => lint_suspicious_map(cx, expr),
1022             _ => {},
1023         }
1024
1025         match expr.node {
1026             hir::ExprKind::MethodCall(ref method_call, ref method_span, ref args) => {
1027                 lint_or_fun_call(cx, expr, *method_span, &method_call.ident.as_str(), args);
1028                 lint_expect_fun_call(cx, expr, *method_span, &method_call.ident.as_str(), args);
1029
1030                 let self_ty = cx.tables.expr_ty_adjusted(&args[0]);
1031                 if args.len() == 1 && method_call.ident.name == sym!(clone) {
1032                     lint_clone_on_copy(cx, expr, &args[0], self_ty);
1033                     lint_clone_on_ref_ptr(cx, expr, &args[0]);
1034                 }
1035
1036                 match self_ty.sty {
1037                     ty::Ref(_, ty, _) if ty.sty == ty::Str => {
1038                         for &(method, pos) in &PATTERN_METHODS {
1039                             if method_call.ident.name.as_str() == method && args.len() > pos {
1040                                 lint_single_char_pattern(cx, expr, &args[pos]);
1041                             }
1042                         }
1043                     },
1044                     ty::Ref(..) if method_call.ident.name == sym!(into_iter) => {
1045                         lint_into_iter(cx, expr, self_ty, *method_span);
1046                     },
1047                     _ => (),
1048                 }
1049             },
1050             hir::ExprKind::Binary(op, ref lhs, ref rhs)
1051                 if op.node == hir::BinOpKind::Eq || op.node == hir::BinOpKind::Ne =>
1052             {
1053                 let mut info = BinaryExprInfo {
1054                     expr,
1055                     chain: lhs,
1056                     other: rhs,
1057                     eq: op.node == hir::BinOpKind::Eq,
1058                 };
1059                 lint_binary_expr_with_method_call(cx, &mut info);
1060             }
1061             _ => (),
1062         }
1063     }
1064
1065     fn check_impl_item(&mut self, cx: &LateContext<'a, 'tcx>, impl_item: &'tcx hir::ImplItem) {
1066         if in_external_macro(cx.sess(), impl_item.span) {
1067             return;
1068         }
1069         let name = impl_item.ident.name.as_str();
1070         let parent = cx.tcx.hir().get_parent_item(impl_item.hir_id);
1071         let item = cx.tcx.hir().expect_item(parent);
1072         let def_id = cx.tcx.hir().local_def_id(item.hir_id);
1073         let ty = cx.tcx.type_of(def_id);
1074         if_chain! {
1075             if let hir::ImplItemKind::Method(ref sig, id) = impl_item.node;
1076             if let Some(first_arg) = iter_input_pats(&sig.decl, cx.tcx.hir().body(id)).next();
1077             if let hir::ItemKind::Impl(_, _, _, _, None, _, _) = item.node;
1078             then {
1079                 let method_def_id = cx.tcx.hir().local_def_id(impl_item.hir_id);
1080                 let method_sig = cx.tcx.fn_sig(method_def_id);
1081                 let method_sig = cx.tcx.erase_late_bound_regions(&method_sig);
1082
1083                 let first_arg_ty = &method_sig.inputs().iter().next();
1084
1085                 // check conventions w.r.t. conversion method names and predicates
1086                 if let Some(first_arg_ty) = first_arg_ty {
1087
1088                     if cx.access_levels.is_exported(impl_item.hir_id) {
1089                     // check missing trait implementations
1090                         for &(method_name, n_args, self_kind, out_type, trait_name) in &TRAIT_METHODS {
1091                             if name == method_name &&
1092                             sig.decl.inputs.len() == n_args &&
1093                             out_type.matches(cx, &sig.decl.output) &&
1094                             self_kind.matches(cx, ty, first_arg_ty) {
1095                                 span_lint(cx, SHOULD_IMPLEMENT_TRAIT, impl_item.span, &format!(
1096                                     "defining a method called `{}` on this type; consider implementing \
1097                                     the `{}` trait or choosing a less ambiguous name", name, trait_name));
1098                             }
1099                         }
1100                     }
1101
1102                     for &(ref conv, self_kinds) in &CONVENTIONS {
1103                         if conv.check(&name) {
1104                             if !self_kinds
1105                                     .iter()
1106                                     .any(|k| k.matches(cx, ty, first_arg_ty)) {
1107                                 let lint = if item.vis.node.is_pub() {
1108                                     WRONG_PUB_SELF_CONVENTION
1109                                 } else {
1110                                     WRONG_SELF_CONVENTION
1111                                 };
1112                                 span_lint(cx,
1113                                           lint,
1114                                           first_arg.pat.span,
1115                                           &format!("methods called `{}` usually take {}; consider choosing a less \
1116                                                     ambiguous name",
1117                                                    conv,
1118                                                    &self_kinds.iter()
1119                                                               .map(|k| k.description())
1120                                                               .collect::<Vec<_>>()
1121                                                               .join(" or ")));
1122                             }
1123
1124                             // Only check the first convention to match (CONVENTIONS should be listed from most to least
1125                             // specific)
1126                             break;
1127                         }
1128                     }
1129                 }
1130             }
1131         }
1132
1133         if let hir::ImplItemKind::Method(_, _) = impl_item.node {
1134             let ret_ty = return_ty(cx, impl_item.hir_id);
1135
1136             // walk the return type and check for Self (this does not check associated types)
1137             for inner_type in ret_ty.walk() {
1138                 if same_tys(cx, ty, inner_type) {
1139                     return;
1140                 }
1141             }
1142
1143             // if return type is impl trait, check the associated types
1144             if let ty::Opaque(def_id, _) = ret_ty.sty {
1145                 // one of the associated types must be Self
1146                 for predicate in &cx.tcx.predicates_of(def_id).predicates {
1147                     match predicate {
1148                         (Predicate::Projection(poly_projection_predicate), _) => {
1149                             let binder = poly_projection_predicate.ty();
1150                             let associated_type = binder.skip_binder();
1151
1152                             // walk the associated type and check for Self
1153                             for inner_type in associated_type.walk() {
1154                                 if same_tys(cx, ty, inner_type) {
1155                                     return;
1156                                 }
1157                             }
1158                         },
1159                         (_, _) => {},
1160                     }
1161                 }
1162             }
1163
1164             if name == "new" && !same_tys(cx, ret_ty, ty) {
1165                 span_lint(
1166                     cx,
1167                     NEW_RET_NO_SELF,
1168                     impl_item.span,
1169                     "methods called `new` usually return `Self`",
1170                 );
1171             }
1172         }
1173     }
1174 }
1175
1176 /// Checks for the `OR_FUN_CALL` lint.
1177 #[allow(clippy::too_many_lines)]
1178 fn lint_or_fun_call<'a, 'tcx>(
1179     cx: &LateContext<'a, 'tcx>,
1180     expr: &hir::Expr,
1181     method_span: Span,
1182     name: &str,
1183     args: &'tcx [hir::Expr],
1184 ) {
1185     // Searches an expression for method calls or function calls that aren't ctors
1186     struct FunCallFinder<'a, 'tcx> {
1187         cx: &'a LateContext<'a, 'tcx>,
1188         found: bool,
1189     }
1190
1191     impl<'a, 'tcx> intravisit::Visitor<'tcx> for FunCallFinder<'a, 'tcx> {
1192         fn visit_expr(&mut self, expr: &'tcx hir::Expr) {
1193             let call_found = match &expr.node {
1194                 // ignore enum and struct constructors
1195                 hir::ExprKind::Call(..) => !is_ctor_function(self.cx, expr),
1196                 hir::ExprKind::MethodCall(..) => true,
1197                 _ => false,
1198             };
1199
1200             if call_found {
1201                 // don't lint for constant values
1202                 let owner_def = self.cx.tcx.hir().get_parent_did(expr.hir_id);
1203                 let promotable = self
1204                     .cx
1205                     .tcx
1206                     .rvalue_promotable_map(owner_def)
1207                     .contains(&expr.hir_id.local_id);
1208                 if !promotable {
1209                     self.found |= true;
1210                 }
1211             }
1212
1213             if !self.found {
1214                 intravisit::walk_expr(self, expr);
1215             }
1216         }
1217
1218         fn nested_visit_map<'this>(&'this mut self) -> intravisit::NestedVisitorMap<'this, 'tcx> {
1219             intravisit::NestedVisitorMap::None
1220         }
1221     }
1222
1223     /// Checks for `unwrap_or(T::new())` or `unwrap_or(T::default())`.
1224     fn check_unwrap_or_default(
1225         cx: &LateContext<'_, '_>,
1226         name: &str,
1227         fun: &hir::Expr,
1228         self_expr: &hir::Expr,
1229         arg: &hir::Expr,
1230         or_has_args: bool,
1231         span: Span,
1232     ) -> bool {
1233         if or_has_args {
1234             return false;
1235         }
1236
1237         if name == "unwrap_or" {
1238             if let hir::ExprKind::Path(ref qpath) = fun.node {
1239                 let path = &*last_path_segment(qpath).ident.as_str();
1240
1241                 if ["default", "new"].contains(&path) {
1242                     let arg_ty = cx.tables.expr_ty(arg);
1243                     let default_trait_id = if let Some(default_trait_id) = get_trait_def_id(cx, &paths::DEFAULT_TRAIT) {
1244                         default_trait_id
1245                     } else {
1246                         return false;
1247                     };
1248
1249                     if implements_trait(cx, arg_ty, default_trait_id, &[]) {
1250                         let mut applicability = Applicability::MachineApplicable;
1251                         span_lint_and_sugg(
1252                             cx,
1253                             OR_FUN_CALL,
1254                             span,
1255                             &format!("use of `{}` followed by a call to `{}`", name, path),
1256                             "try this",
1257                             format!(
1258                                 "{}.unwrap_or_default()",
1259                                 snippet_with_applicability(cx, self_expr.span, "_", &mut applicability)
1260                             ),
1261                             applicability,
1262                         );
1263                         return true;
1264                     }
1265                 }
1266             }
1267         }
1268
1269         false
1270     }
1271
1272     /// Checks for `*or(foo())`.
1273     #[allow(clippy::too_many_arguments)]
1274     fn check_general_case<'a, 'tcx>(
1275         cx: &LateContext<'a, 'tcx>,
1276         name: &str,
1277         method_span: Span,
1278         fun_span: Span,
1279         self_expr: &hir::Expr,
1280         arg: &'tcx hir::Expr,
1281         or_has_args: bool,
1282         span: Span,
1283     ) {
1284         // (path, fn_has_argument, methods, suffix)
1285         let know_types: &[(&[_], _, &[_], _)] = &[
1286             (&paths::BTREEMAP_ENTRY, false, &["or_insert"], "with"),
1287             (&paths::HASHMAP_ENTRY, false, &["or_insert"], "with"),
1288             (&paths::OPTION, false, &["map_or", "ok_or", "or", "unwrap_or"], "else"),
1289             (&paths::RESULT, true, &["or", "unwrap_or"], "else"),
1290         ];
1291
1292         // early check if the name is one we care about
1293         if know_types.iter().all(|k| !k.2.contains(&name)) {
1294             return;
1295         }
1296
1297         let mut finder = FunCallFinder { cx: &cx, found: false };
1298         finder.visit_expr(&arg);
1299         if !finder.found {
1300             return;
1301         }
1302
1303         let self_ty = cx.tables.expr_ty(self_expr);
1304
1305         let (fn_has_arguments, poss, suffix) = if let Some(&(_, fn_has_arguments, poss, suffix)) =
1306             know_types.iter().find(|&&i| match_type(cx, self_ty, i.0))
1307         {
1308             (fn_has_arguments, poss, suffix)
1309         } else {
1310             return;
1311         };
1312
1313         if !poss.contains(&name) {
1314             return;
1315         }
1316
1317         let sugg: Cow<'_, _> = match (fn_has_arguments, !or_has_args) {
1318             (true, _) => format!("|_| {}", snippet_with_macro_callsite(cx, arg.span, "..")).into(),
1319             (false, false) => format!("|| {}", snippet_with_macro_callsite(cx, arg.span, "..")).into(),
1320             (false, true) => snippet_with_macro_callsite(cx, fun_span, ".."),
1321         };
1322         let span_replace_word = method_span.with_hi(span.hi());
1323         span_lint_and_sugg(
1324             cx,
1325             OR_FUN_CALL,
1326             span_replace_word,
1327             &format!("use of `{}` followed by a function call", name),
1328             "try this",
1329             format!("{}_{}({})", name, suffix, sugg),
1330             Applicability::HasPlaceholders,
1331         );
1332     }
1333
1334     if args.len() == 2 {
1335         match args[1].node {
1336             hir::ExprKind::Call(ref fun, ref or_args) => {
1337                 let or_has_args = !or_args.is_empty();
1338                 if !check_unwrap_or_default(cx, name, fun, &args[0], &args[1], or_has_args, expr.span) {
1339                     check_general_case(
1340                         cx,
1341                         name,
1342                         method_span,
1343                         fun.span,
1344                         &args[0],
1345                         &args[1],
1346                         or_has_args,
1347                         expr.span,
1348                     );
1349                 }
1350             },
1351             hir::ExprKind::MethodCall(_, span, ref or_args) => check_general_case(
1352                 cx,
1353                 name,
1354                 method_span,
1355                 span,
1356                 &args[0],
1357                 &args[1],
1358                 !or_args.is_empty(),
1359                 expr.span,
1360             ),
1361             _ => {},
1362         }
1363     }
1364 }
1365
1366 /// Checks for the `EXPECT_FUN_CALL` lint.
1367 #[allow(clippy::too_many_lines)]
1368 fn lint_expect_fun_call(cx: &LateContext<'_, '_>, expr: &hir::Expr, method_span: Span, name: &str, args: &[hir::Expr]) {
1369     // Strip `&`, `as_ref()` and `as_str()` off `arg` until we're left with either a `String` or
1370     // `&str`
1371     fn get_arg_root<'a>(cx: &LateContext<'_, '_>, arg: &'a hir::Expr) -> &'a hir::Expr {
1372         let mut arg_root = arg;
1373         loop {
1374             arg_root = match &arg_root.node {
1375                 hir::ExprKind::AddrOf(_, expr) => expr,
1376                 hir::ExprKind::MethodCall(method_name, _, call_args) => {
1377                     if call_args.len() == 1
1378                         && (method_name.ident.name == sym!(as_str) || method_name.ident.name == sym!(as_ref))
1379                         && {
1380                             let arg_type = cx.tables.expr_ty(&call_args[0]);
1381                             let base_type = walk_ptrs_ty(arg_type);
1382                             base_type.sty == ty::Str || match_type(cx, base_type, &paths::STRING)
1383                         }
1384                     {
1385                         &call_args[0]
1386                     } else {
1387                         break;
1388                     }
1389                 },
1390                 _ => break,
1391             };
1392         }
1393         arg_root
1394     }
1395
1396     // Only `&'static str` or `String` can be used directly in the `panic!`. Other types should be
1397     // converted to string.
1398     fn requires_to_string(cx: &LateContext<'_, '_>, arg: &hir::Expr) -> bool {
1399         let arg_ty = cx.tables.expr_ty(arg);
1400         if match_type(cx, arg_ty, &paths::STRING) {
1401             return false;
1402         }
1403         if let ty::Ref(ty::ReStatic, ty, ..) = arg_ty.sty {
1404             if ty.sty == ty::Str {
1405                 return false;
1406             }
1407         };
1408         true
1409     }
1410
1411     fn generate_format_arg_snippet(
1412         cx: &LateContext<'_, '_>,
1413         a: &hir::Expr,
1414         applicability: &mut Applicability,
1415     ) -> Vec<String> {
1416         if let hir::ExprKind::AddrOf(_, ref format_arg) = a.node {
1417             if let hir::ExprKind::Match(ref format_arg_expr, _, _) = format_arg.node {
1418                 if let hir::ExprKind::Tup(ref format_arg_expr_tup) = format_arg_expr.node {
1419                     return format_arg_expr_tup
1420                         .iter()
1421                         .map(|a| snippet_with_applicability(cx, a.span, "..", applicability).into_owned())
1422                         .collect();
1423                 }
1424             }
1425         };
1426
1427         unreachable!()
1428     }
1429
1430     fn is_call(node: &hir::ExprKind) -> bool {
1431         match node {
1432             hir::ExprKind::AddrOf(_, expr) => {
1433                 is_call(&expr.node)
1434             },
1435             hir::ExprKind::Call(..)
1436             | hir::ExprKind::MethodCall(..)
1437             // These variants are debatable or require further examination
1438             | hir::ExprKind::Match(..)
1439             | hir::ExprKind::Block{ .. } => true,
1440             _ => false,
1441         }
1442     }
1443
1444     if args.len() != 2 || name != "expect" || !is_call(&args[1].node) {
1445         return;
1446     }
1447
1448     let receiver_type = cx.tables.expr_ty(&args[0]);
1449     let closure_args = if match_type(cx, receiver_type, &paths::OPTION) {
1450         "||"
1451     } else if match_type(cx, receiver_type, &paths::RESULT) {
1452         "|_|"
1453     } else {
1454         return;
1455     };
1456
1457     let arg_root = get_arg_root(cx, &args[1]);
1458
1459     let span_replace_word = method_span.with_hi(expr.span.hi());
1460
1461     let mut applicability = Applicability::MachineApplicable;
1462
1463     //Special handling for `format!` as arg_root
1464     if let hir::ExprKind::Call(ref inner_fun, ref inner_args) = arg_root.node {
1465         if is_expn_of(inner_fun.span, "format").is_some() && inner_args.len() == 1 {
1466             if let hir::ExprKind::Call(_, format_args) = &inner_args[0].node {
1467                 let fmt_spec = &format_args[0];
1468                 let fmt_args = &format_args[1];
1469
1470                 let mut args = vec![snippet(cx, fmt_spec.span, "..").into_owned()];
1471
1472                 args.extend(generate_format_arg_snippet(cx, fmt_args, &mut applicability));
1473
1474                 let sugg = args.join(", ");
1475
1476                 span_lint_and_sugg(
1477                     cx,
1478                     EXPECT_FUN_CALL,
1479                     span_replace_word,
1480                     &format!("use of `{}` followed by a function call", name),
1481                     "try this",
1482                     format!("unwrap_or_else({} panic!({}))", closure_args, sugg),
1483                     applicability,
1484                 );
1485
1486                 return;
1487             }
1488         }
1489     }
1490
1491     let mut arg_root_snippet: Cow<'_, _> = snippet_with_applicability(cx, arg_root.span, "..", &mut applicability);
1492     if requires_to_string(cx, arg_root) {
1493         arg_root_snippet.to_mut().push_str(".to_string()");
1494     }
1495
1496     span_lint_and_sugg(
1497         cx,
1498         EXPECT_FUN_CALL,
1499         span_replace_word,
1500         &format!("use of `{}` followed by a function call", name),
1501         "try this",
1502         format!("unwrap_or_else({} {{ panic!({}) }})", closure_args, arg_root_snippet),
1503         applicability,
1504     );
1505 }
1506
1507 /// Checks for the `CLONE_ON_COPY` lint.
1508 fn lint_clone_on_copy(cx: &LateContext<'_, '_>, expr: &hir::Expr, arg: &hir::Expr, arg_ty: Ty<'_>) {
1509     let ty = cx.tables.expr_ty(expr);
1510     if let ty::Ref(_, inner, _) = arg_ty.sty {
1511         if let ty::Ref(_, innermost, _) = inner.sty {
1512             span_lint_and_then(
1513                 cx,
1514                 CLONE_DOUBLE_REF,
1515                 expr.span,
1516                 "using `clone` on a double-reference; \
1517                  this will copy the reference instead of cloning the inner type",
1518                 |db| {
1519                     if let Some(snip) = sugg::Sugg::hir_opt(cx, arg) {
1520                         let mut ty = innermost;
1521                         let mut n = 0;
1522                         while let ty::Ref(_, inner, _) = ty.sty {
1523                             ty = inner;
1524                             n += 1;
1525                         }
1526                         let refs: String = iter::repeat('&').take(n + 1).collect();
1527                         let derefs: String = iter::repeat('*').take(n).collect();
1528                         let explicit = format!("{}{}::clone({})", refs, ty, snip);
1529                         db.span_suggestion(
1530                             expr.span,
1531                             "try dereferencing it",
1532                             format!("{}({}{}).clone()", refs, derefs, snip.deref()),
1533                             Applicability::MaybeIncorrect,
1534                         );
1535                         db.span_suggestion(
1536                             expr.span,
1537                             "or try being explicit about what type to clone",
1538                             explicit,
1539                             Applicability::MaybeIncorrect,
1540                         );
1541                     }
1542                 },
1543             );
1544             return; // don't report clone_on_copy
1545         }
1546     }
1547
1548     if is_copy(cx, ty) {
1549         let snip;
1550         if let Some(snippet) = sugg::Sugg::hir_opt(cx, arg) {
1551             let parent = cx.tcx.hir().get_parent_node(expr.hir_id);
1552             match &cx.tcx.hir().get(parent) {
1553                 hir::Node::Expr(parent) => match parent.node {
1554                     // &*x is a nop, &x.clone() is not
1555                     hir::ExprKind::AddrOf(..) |
1556                     // (*x).func() is useless, x.clone().func() can work in case func borrows mutably
1557                     hir::ExprKind::MethodCall(..) => return,
1558                     _ => {},
1559                 },
1560                 hir::Node::Stmt(stmt) => {
1561                     if let hir::StmtKind::Local(ref loc) = stmt.node {
1562                         if let hir::PatKind::Ref(..) = loc.pat.node {
1563                             // let ref y = *x borrows x, let ref y = x.clone() does not
1564                             return;
1565                         }
1566                     }
1567                 },
1568                 _ => {},
1569             }
1570
1571             // x.clone() might have dereferenced x, possibly through Deref impls
1572             if cx.tables.expr_ty(arg) == ty {
1573                 snip = Some(("try removing the `clone` call", format!("{}", snippet)));
1574             } else {
1575                 let deref_count = cx
1576                     .tables
1577                     .expr_adjustments(arg)
1578                     .iter()
1579                     .filter(|adj| {
1580                         if let ty::adjustment::Adjust::Deref(_) = adj.kind {
1581                             true
1582                         } else {
1583                             false
1584                         }
1585                     })
1586                     .count();
1587                 let derefs: String = iter::repeat('*').take(deref_count).collect();
1588                 snip = Some(("try dereferencing it", format!("{}{}", derefs, snippet)));
1589             }
1590         } else {
1591             snip = None;
1592         }
1593         span_lint_and_then(cx, CLONE_ON_COPY, expr.span, "using `clone` on a `Copy` type", |db| {
1594             if let Some((text, snip)) = snip {
1595                 db.span_suggestion(expr.span, text, snip, Applicability::Unspecified);
1596             }
1597         });
1598     }
1599 }
1600
1601 fn lint_clone_on_ref_ptr(cx: &LateContext<'_, '_>, expr: &hir::Expr, arg: &hir::Expr) {
1602     let obj_ty = walk_ptrs_ty(cx.tables.expr_ty(arg));
1603
1604     if let ty::Adt(_, subst) = obj_ty.sty {
1605         let caller_type = if match_type(cx, obj_ty, &paths::RC) {
1606             "Rc"
1607         } else if match_type(cx, obj_ty, &paths::ARC) {
1608             "Arc"
1609         } else if match_type(cx, obj_ty, &paths::WEAK_RC) || match_type(cx, obj_ty, &paths::WEAK_ARC) {
1610             "Weak"
1611         } else {
1612             return;
1613         };
1614
1615         span_lint_and_sugg(
1616             cx,
1617             CLONE_ON_REF_PTR,
1618             expr.span,
1619             "using '.clone()' on a ref-counted pointer",
1620             "try this",
1621             format!(
1622                 "{}::<{}>::clone(&{})",
1623                 caller_type,
1624                 subst.type_at(0),
1625                 snippet(cx, arg.span, "_")
1626             ),
1627             Applicability::Unspecified, // Sometimes unnecessary ::<_> after Rc/Arc/Weak
1628         );
1629     }
1630 }
1631
1632 fn lint_string_extend(cx: &LateContext<'_, '_>, expr: &hir::Expr, args: &[hir::Expr]) {
1633     let arg = &args[1];
1634     if let Some(arglists) = method_chain_args(arg, &["chars"]) {
1635         let target = &arglists[0][0];
1636         let self_ty = walk_ptrs_ty(cx.tables.expr_ty(target));
1637         let ref_str = if self_ty.sty == ty::Str {
1638             ""
1639         } else if match_type(cx, self_ty, &paths::STRING) {
1640             "&"
1641         } else {
1642             return;
1643         };
1644
1645         let mut applicability = Applicability::MachineApplicable;
1646         span_lint_and_sugg(
1647             cx,
1648             STRING_EXTEND_CHARS,
1649             expr.span,
1650             "calling `.extend(_.chars())`",
1651             "try this",
1652             format!(
1653                 "{}.push_str({}{})",
1654                 snippet_with_applicability(cx, args[0].span, "_", &mut applicability),
1655                 ref_str,
1656                 snippet_with_applicability(cx, target.span, "_", &mut applicability)
1657             ),
1658             applicability,
1659         );
1660     }
1661 }
1662
1663 fn lint_extend(cx: &LateContext<'_, '_>, expr: &hir::Expr, args: &[hir::Expr]) {
1664     let obj_ty = walk_ptrs_ty(cx.tables.expr_ty(&args[0]));
1665     if match_type(cx, obj_ty, &paths::STRING) {
1666         lint_string_extend(cx, expr, args);
1667     }
1668 }
1669
1670 fn lint_cstring_as_ptr(cx: &LateContext<'_, '_>, expr: &hir::Expr, source: &hir::Expr, unwrap: &hir::Expr) {
1671     if_chain! {
1672         let source_type = cx.tables.expr_ty(source);
1673         if let ty::Adt(def, substs) = source_type.sty;
1674         if match_def_path(cx, def.did, &paths::RESULT);
1675         if match_type(cx, substs.type_at(0), &paths::CSTRING);
1676         then {
1677             span_lint_and_then(
1678                 cx,
1679                 TEMPORARY_CSTRING_AS_PTR,
1680                 expr.span,
1681                 "you are getting the inner pointer of a temporary `CString`",
1682                 |db| {
1683                     db.note("that pointer will be invalid outside this expression");
1684                     db.span_help(unwrap.span, "assign the `CString` to a variable to extend its lifetime");
1685                 });
1686         }
1687     }
1688 }
1689
1690 fn lint_iter_cloned_collect<'a, 'tcx>(cx: &LateContext<'a, 'tcx>, expr: &hir::Expr, iter_args: &'tcx [hir::Expr]) {
1691     if match_type(cx, cx.tables.expr_ty(expr), &paths::VEC) {
1692         if let Some(slice) = derefs_to_slice(cx, &iter_args[0], cx.tables.expr_ty(&iter_args[0])) {
1693             if let Some(to_replace) = expr.span.trim_start(slice.span.source_callsite()) {
1694                 span_lint_and_sugg(
1695                     cx,
1696                     ITER_CLONED_COLLECT,
1697                     to_replace,
1698                     "called `iter().cloned().collect()` on a slice to create a `Vec`. Calling `to_vec()` is both faster and \
1699                      more readable",
1700                     "try",
1701                     ".to_vec()".to_string(),
1702                     Applicability::MachineApplicable,
1703                 );
1704             }
1705         }
1706     }
1707 }
1708
1709 fn lint_unnecessary_fold(cx: &LateContext<'_, '_>, expr: &hir::Expr, fold_args: &[hir::Expr]) {
1710     fn check_fold_with_op(
1711         cx: &LateContext<'_, '_>,
1712         expr: &hir::Expr,
1713         fold_args: &[hir::Expr],
1714         op: hir::BinOpKind,
1715         replacement_method_name: &str,
1716         replacement_has_args: bool,
1717     ) {
1718         if_chain! {
1719             // Extract the body of the closure passed to fold
1720             if let hir::ExprKind::Closure(_, _, body_id, _, _) = fold_args[2].node;
1721             let closure_body = cx.tcx.hir().body(body_id);
1722             let closure_expr = remove_blocks(&closure_body.value);
1723
1724             // Check if the closure body is of the form `acc <op> some_expr(x)`
1725             if let hir::ExprKind::Binary(ref bin_op, ref left_expr, ref right_expr) = closure_expr.node;
1726             if bin_op.node == op;
1727
1728             // Extract the names of the two arguments to the closure
1729             if let Some(first_arg_ident) = get_arg_name(&closure_body.arguments[0].pat);
1730             if let Some(second_arg_ident) = get_arg_name(&closure_body.arguments[1].pat);
1731
1732             if match_var(&*left_expr, first_arg_ident);
1733             if replacement_has_args || match_var(&*right_expr, second_arg_ident);
1734
1735             if let hir::ExprKind::MethodCall(_, span, _) = &expr.node;
1736
1737             then {
1738                 let mut applicability = Applicability::MachineApplicable;
1739                 let sugg = if replacement_has_args {
1740                     format!(
1741                         "{replacement}(|{s}| {r})",
1742                         replacement = replacement_method_name,
1743                         s = second_arg_ident,
1744                         r = snippet_with_applicability(cx, right_expr.span, "EXPR", &mut applicability),
1745                     )
1746                 } else {
1747                     format!(
1748                         "{replacement}()",
1749                         replacement = replacement_method_name,
1750                     )
1751                 };
1752
1753                 span_lint_and_sugg(
1754                     cx,
1755                     UNNECESSARY_FOLD,
1756                     span.with_hi(expr.span.hi()),
1757                     // TODO #2371 don't suggest e.g., .any(|x| f(x)) if we can suggest .any(f)
1758                     "this `.fold` can be written more succinctly using another method",
1759                     "try",
1760                     sugg,
1761                     applicability,
1762                 );
1763             }
1764         }
1765     }
1766
1767     // Check that this is a call to Iterator::fold rather than just some function called fold
1768     if !match_trait_method(cx, expr, &paths::ITERATOR) {
1769         return;
1770     }
1771
1772     assert!(
1773         fold_args.len() == 3,
1774         "Expected fold_args to have three entries - the receiver, the initial value and the closure"
1775     );
1776
1777     // Check if the first argument to .fold is a suitable literal
1778     if let hir::ExprKind::Lit(ref lit) = fold_args[1].node {
1779         match lit.node {
1780             ast::LitKind::Bool(false) => check_fold_with_op(cx, expr, fold_args, hir::BinOpKind::Or, "any", true),
1781             ast::LitKind::Bool(true) => check_fold_with_op(cx, expr, fold_args, hir::BinOpKind::And, "all", true),
1782             ast::LitKind::Int(0, _) => check_fold_with_op(cx, expr, fold_args, hir::BinOpKind::Add, "sum", false),
1783             ast::LitKind::Int(1, _) => check_fold_with_op(cx, expr, fold_args, hir::BinOpKind::Mul, "product", false),
1784             _ => (),
1785         }
1786     }
1787 }
1788
1789 fn lint_iter_nth<'a, 'tcx>(cx: &LateContext<'a, 'tcx>, expr: &hir::Expr, iter_args: &'tcx [hir::Expr], is_mut: bool) {
1790     let mut_str = if is_mut { "_mut" } else { "" };
1791     let caller_type = if derefs_to_slice(cx, &iter_args[0], cx.tables.expr_ty(&iter_args[0])).is_some() {
1792         "slice"
1793     } else if match_type(cx, cx.tables.expr_ty(&iter_args[0]), &paths::VEC) {
1794         "Vec"
1795     } else if match_type(cx, cx.tables.expr_ty(&iter_args[0]), &paths::VEC_DEQUE) {
1796         "VecDeque"
1797     } else {
1798         return; // caller is not a type that we want to lint
1799     };
1800
1801     span_lint(
1802         cx,
1803         ITER_NTH,
1804         expr.span,
1805         &format!(
1806             "called `.iter{0}().nth()` on a {1}. Calling `.get{0}()` is both faster and more readable",
1807             mut_str, caller_type
1808         ),
1809     );
1810 }
1811
1812 fn lint_get_unwrap<'a, 'tcx>(cx: &LateContext<'a, 'tcx>, expr: &hir::Expr, get_args: &'tcx [hir::Expr], is_mut: bool) {
1813     // Note: we don't want to lint `get_mut().unwrap` for HashMap or BTreeMap,
1814     // because they do not implement `IndexMut`
1815     let mut applicability = Applicability::MachineApplicable;
1816     let expr_ty = cx.tables.expr_ty(&get_args[0]);
1817     let get_args_str = if get_args.len() > 1 {
1818         snippet_with_applicability(cx, get_args[1].span, "_", &mut applicability)
1819     } else {
1820         return; // not linting on a .get().unwrap() chain or variant
1821     };
1822     let mut needs_ref;
1823     let caller_type = if derefs_to_slice(cx, &get_args[0], expr_ty).is_some() {
1824         needs_ref = get_args_str.parse::<usize>().is_ok();
1825         "slice"
1826     } else if match_type(cx, expr_ty, &paths::VEC) {
1827         needs_ref = get_args_str.parse::<usize>().is_ok();
1828         "Vec"
1829     } else if match_type(cx, expr_ty, &paths::VEC_DEQUE) {
1830         needs_ref = get_args_str.parse::<usize>().is_ok();
1831         "VecDeque"
1832     } else if !is_mut && match_type(cx, expr_ty, &paths::HASHMAP) {
1833         needs_ref = true;
1834         "HashMap"
1835     } else if !is_mut && match_type(cx, expr_ty, &paths::BTREEMAP) {
1836         needs_ref = true;
1837         "BTreeMap"
1838     } else {
1839         return; // caller is not a type that we want to lint
1840     };
1841
1842     let mut span = expr.span;
1843
1844     // Handle the case where the result is immediately dereferenced
1845     // by not requiring ref and pulling the dereference into the
1846     // suggestion.
1847     if_chain! {
1848         if needs_ref;
1849         if let Some(parent) = get_parent_expr(cx, expr);
1850         if let hir::ExprKind::Unary(hir::UnOp::UnDeref, _) = parent.node;
1851         then {
1852             needs_ref = false;
1853             span = parent.span;
1854         }
1855     }
1856
1857     let mut_str = if is_mut { "_mut" } else { "" };
1858     let borrow_str = if !needs_ref {
1859         ""
1860     } else if is_mut {
1861         "&mut "
1862     } else {
1863         "&"
1864     };
1865
1866     span_lint_and_sugg(
1867         cx,
1868         GET_UNWRAP,
1869         span,
1870         &format!(
1871             "called `.get{0}().unwrap()` on a {1}. Using `[]` is more clear and more concise",
1872             mut_str, caller_type
1873         ),
1874         "try this",
1875         format!(
1876             "{}{}[{}]",
1877             borrow_str,
1878             snippet_with_applicability(cx, get_args[0].span, "_", &mut applicability),
1879             get_args_str
1880         ),
1881         applicability,
1882     );
1883 }
1884
1885 fn lint_iter_skip_next(cx: &LateContext<'_, '_>, expr: &hir::Expr) {
1886     // lint if caller of skip is an Iterator
1887     if match_trait_method(cx, expr, &paths::ITERATOR) {
1888         span_lint(
1889             cx,
1890             ITER_SKIP_NEXT,
1891             expr.span,
1892             "called `skip(x).next()` on an iterator. This is more succinctly expressed by calling `nth(x)`",
1893         );
1894     }
1895 }
1896
1897 fn derefs_to_slice<'a, 'tcx>(
1898     cx: &LateContext<'a, 'tcx>,
1899     expr: &'tcx hir::Expr,
1900     ty: Ty<'tcx>,
1901 ) -> Option<&'tcx hir::Expr> {
1902     fn may_slice<'a>(cx: &LateContext<'_, 'a>, ty: Ty<'a>) -> bool {
1903         match ty.sty {
1904             ty::Slice(_) => true,
1905             ty::Adt(def, _) if def.is_box() => may_slice(cx, ty.boxed_ty()),
1906             ty::Adt(..) => match_type(cx, ty, &paths::VEC),
1907             ty::Array(_, size) => size.eval_usize(cx.tcx, cx.param_env) < 32,
1908             ty::Ref(_, inner, _) => may_slice(cx, inner),
1909             _ => false,
1910         }
1911     }
1912
1913     if let hir::ExprKind::MethodCall(ref path, _, ref args) = expr.node {
1914         if path.ident.name == sym!(iter) && may_slice(cx, cx.tables.expr_ty(&args[0])) {
1915             Some(&args[0])
1916         } else {
1917             None
1918         }
1919     } else {
1920         match ty.sty {
1921             ty::Slice(_) => Some(expr),
1922             ty::Adt(def, _) if def.is_box() && may_slice(cx, ty.boxed_ty()) => Some(expr),
1923             ty::Ref(_, inner, _) => {
1924                 if may_slice(cx, inner) {
1925                     Some(expr)
1926                 } else {
1927                     None
1928                 }
1929             },
1930             _ => None,
1931         }
1932     }
1933 }
1934
1935 /// lint use of `unwrap()` for `Option`s and `Result`s
1936 fn lint_unwrap(cx: &LateContext<'_, '_>, expr: &hir::Expr, unwrap_args: &[hir::Expr]) {
1937     let obj_ty = walk_ptrs_ty(cx.tables.expr_ty(&unwrap_args[0]));
1938
1939     let mess = if match_type(cx, obj_ty, &paths::OPTION) {
1940         Some((OPTION_UNWRAP_USED, "an Option", "None"))
1941     } else if match_type(cx, obj_ty, &paths::RESULT) {
1942         Some((RESULT_UNWRAP_USED, "a Result", "Err"))
1943     } else {
1944         None
1945     };
1946
1947     if let Some((lint, kind, none_value)) = mess {
1948         span_lint(
1949             cx,
1950             lint,
1951             expr.span,
1952             &format!(
1953                 "used unwrap() on {} value. If you don't want to handle the {} case gracefully, consider \
1954                  using expect() to provide a better panic \
1955                  message",
1956                 kind, none_value
1957             ),
1958         );
1959     }
1960 }
1961
1962 /// lint use of `ok().expect()` for `Result`s
1963 fn lint_ok_expect(cx: &LateContext<'_, '_>, expr: &hir::Expr, ok_args: &[hir::Expr]) {
1964     // lint if the caller of `ok()` is a `Result`
1965     if match_type(cx, cx.tables.expr_ty(&ok_args[0]), &paths::RESULT) {
1966         let result_type = cx.tables.expr_ty(&ok_args[0]);
1967         if let Some(error_type) = get_error_type(cx, result_type) {
1968             if has_debug_impl(error_type, cx) {
1969                 span_lint(
1970                     cx,
1971                     OK_EXPECT,
1972                     expr.span,
1973                     "called `ok().expect()` on a Result value. You can call `expect` directly on the `Result`",
1974                 );
1975             }
1976         }
1977     }
1978 }
1979
1980 /// lint use of `map().flatten()` for `Iterators`
1981 fn lint_map_flatten<'a, 'tcx>(cx: &LateContext<'a, 'tcx>, expr: &'tcx hir::Expr, map_args: &'tcx [hir::Expr]) {
1982     // lint if caller of `.map().flatten()` is an Iterator
1983     if match_trait_method(cx, expr, &paths::ITERATOR) {
1984         let msg = "called `map(..).flatten()` on an `Iterator`. \
1985                    This is more succinctly expressed by calling `.flat_map(..)`";
1986         let self_snippet = snippet(cx, map_args[0].span, "..");
1987         let func_snippet = snippet(cx, map_args[1].span, "..");
1988         let hint = format!("{0}.flat_map({1})", self_snippet, func_snippet);
1989         span_lint_and_then(cx, MAP_FLATTEN, expr.span, msg, |db| {
1990             db.span_suggestion(
1991                 expr.span,
1992                 "try using flat_map instead",
1993                 hint,
1994                 Applicability::MachineApplicable,
1995             );
1996         });
1997     }
1998 }
1999
2000 /// lint use of `map().unwrap_or_else()` for `Option`s and `Result`s
2001 fn lint_map_unwrap_or_else<'a, 'tcx>(
2002     cx: &LateContext<'a, 'tcx>,
2003     expr: &'tcx hir::Expr,
2004     map_args: &'tcx [hir::Expr],
2005     unwrap_args: &'tcx [hir::Expr],
2006 ) {
2007     // lint if the caller of `map()` is an `Option`
2008     let is_option = match_type(cx, cx.tables.expr_ty(&map_args[0]), &paths::OPTION);
2009     let is_result = match_type(cx, cx.tables.expr_ty(&map_args[0]), &paths::RESULT);
2010
2011     if is_option || is_result {
2012         // Don't make a suggestion that may fail to compile due to mutably borrowing
2013         // the same variable twice.
2014         let map_mutated_vars = mutated_variables(&map_args[0], cx);
2015         let unwrap_mutated_vars = mutated_variables(&unwrap_args[1], cx);
2016         if let (Some(map_mutated_vars), Some(unwrap_mutated_vars)) = (map_mutated_vars, unwrap_mutated_vars) {
2017             if map_mutated_vars.intersection(&unwrap_mutated_vars).next().is_some() {
2018                 return;
2019             }
2020         } else {
2021             return;
2022         }
2023
2024         // lint message
2025         let msg = if is_option {
2026             "called `map(f).unwrap_or_else(g)` on an Option value. This can be done more directly by calling \
2027              `map_or_else(g, f)` instead"
2028         } else {
2029             "called `map(f).unwrap_or_else(g)` on a Result value. This can be done more directly by calling \
2030              `ok().map_or_else(g, f)` instead"
2031         };
2032         // get snippets for args to map() and unwrap_or_else()
2033         let map_snippet = snippet(cx, map_args[1].span, "..");
2034         let unwrap_snippet = snippet(cx, unwrap_args[1].span, "..");
2035         // lint, with note if neither arg is > 1 line and both map() and
2036         // unwrap_or_else() have the same span
2037         let multiline = map_snippet.lines().count() > 1 || unwrap_snippet.lines().count() > 1;
2038         let same_span = map_args[1].span.ctxt() == unwrap_args[1].span.ctxt();
2039         if same_span && !multiline {
2040             span_note_and_lint(
2041                 cx,
2042                 if is_option {
2043                     OPTION_MAP_UNWRAP_OR_ELSE
2044                 } else {
2045                     RESULT_MAP_UNWRAP_OR_ELSE
2046                 },
2047                 expr.span,
2048                 msg,
2049                 expr.span,
2050                 &format!(
2051                     "replace `map({0}).unwrap_or_else({1})` with `{2}map_or_else({1}, {0})`",
2052                     map_snippet,
2053                     unwrap_snippet,
2054                     if is_result { "ok()." } else { "" }
2055                 ),
2056             );
2057         } else if same_span && multiline {
2058             span_lint(
2059                 cx,
2060                 if is_option {
2061                     OPTION_MAP_UNWRAP_OR_ELSE
2062                 } else {
2063                     RESULT_MAP_UNWRAP_OR_ELSE
2064                 },
2065                 expr.span,
2066                 msg,
2067             );
2068         };
2069     }
2070 }
2071
2072 /// lint use of `_.map_or(None, _)` for `Option`s
2073 fn lint_map_or_none<'a, 'tcx>(cx: &LateContext<'a, 'tcx>, expr: &'tcx hir::Expr, map_or_args: &'tcx [hir::Expr]) {
2074     if match_type(cx, cx.tables.expr_ty(&map_or_args[0]), &paths::OPTION) {
2075         // check if the first non-self argument to map_or() is None
2076         let map_or_arg_is_none = if let hir::ExprKind::Path(ref qpath) = map_or_args[1].node {
2077             match_qpath(qpath, &paths::OPTION_NONE)
2078         } else {
2079             false
2080         };
2081
2082         if map_or_arg_is_none {
2083             // lint message
2084             let msg = "called `map_or(None, f)` on an Option value. This can be done more directly by calling \
2085                        `and_then(f)` instead";
2086             let map_or_self_snippet = snippet(cx, map_or_args[0].span, "..");
2087             let map_or_func_snippet = snippet(cx, map_or_args[2].span, "..");
2088             let hint = format!("{0}.and_then({1})", map_or_self_snippet, map_or_func_snippet);
2089             span_lint_and_then(cx, OPTION_MAP_OR_NONE, expr.span, msg, |db| {
2090                 db.span_suggestion(
2091                     expr.span,
2092                     "try using and_then instead",
2093                     hint,
2094                     Applicability::MachineApplicable, // snippet
2095                 );
2096             });
2097         }
2098     }
2099 }
2100
2101 /// Lint use of `_.and_then(|x| Some(y))` for `Option`s
2102 fn lint_option_and_then_some(cx: &LateContext<'_, '_>, expr: &hir::Expr, args: &[hir::Expr]) {
2103     const LINT_MSG: &str = "using `Option.and_then(|x| Some(y))`, which is more succinctly expressed as `map(|x| y)`";
2104     const NO_OP_MSG: &str = "using `Option.and_then(Some)`, which is a no-op";
2105
2106     // Searches an return expressions in `y` in `_.and_then(|x| Some(y))`, which we don't lint
2107     struct RetCallFinder {
2108         found: bool,
2109     }
2110
2111     impl<'tcx> intravisit::Visitor<'tcx> for RetCallFinder {
2112         fn visit_expr(&mut self, expr: &'tcx hir::Expr) {
2113             if self.found {
2114                 return;
2115             }
2116             if let hir::ExprKind::Ret(..) = &expr.node {
2117                 self.found = true;
2118             } else {
2119                 intravisit::walk_expr(self, expr);
2120             }
2121         }
2122
2123         fn nested_visit_map<'this>(&'this mut self) -> intravisit::NestedVisitorMap<'this, 'tcx> {
2124             intravisit::NestedVisitorMap::None
2125         }
2126     }
2127
2128     let ty = cx.tables.expr_ty(&args[0]);
2129     if !match_type(cx, ty, &paths::OPTION) {
2130         return;
2131     }
2132
2133     match args[1].node {
2134         hir::ExprKind::Closure(_, _, body_id, closure_args_span, _) => {
2135             let closure_body = cx.tcx.hir().body(body_id);
2136             let closure_expr = remove_blocks(&closure_body.value);
2137             if_chain! {
2138                 if let hir::ExprKind::Call(ref some_expr, ref some_args) = closure_expr.node;
2139                 if let hir::ExprKind::Path(ref qpath) = some_expr.node;
2140                 if match_qpath(qpath, &paths::OPTION_SOME);
2141                 if some_args.len() == 1;
2142                 then {
2143                     let inner_expr = &some_args[0];
2144
2145                     let mut finder = RetCallFinder { found: false };
2146                     finder.visit_expr(inner_expr);
2147                     if finder.found {
2148                         return;
2149                     }
2150
2151                     let some_inner_snip = if inner_expr.span.from_expansion() {
2152                         snippet_with_macro_callsite(cx, inner_expr.span, "_")
2153                     } else {
2154                         snippet(cx, inner_expr.span, "_")
2155                     };
2156
2157                     let closure_args_snip = snippet(cx, closure_args_span, "..");
2158                     let option_snip = snippet(cx, args[0].span, "..");
2159                     let note = format!("{}.map({} {})", option_snip, closure_args_snip, some_inner_snip);
2160                     span_lint_and_sugg(
2161                         cx,
2162                         OPTION_AND_THEN_SOME,
2163                         expr.span,
2164                         LINT_MSG,
2165                         "try this",
2166                         note,
2167                         Applicability::MachineApplicable,
2168                     );
2169                 }
2170             }
2171         },
2172         // `_.and_then(Some)` case, which is no-op.
2173         hir::ExprKind::Path(ref qpath) => {
2174             if match_qpath(qpath, &paths::OPTION_SOME) {
2175                 let option_snip = snippet(cx, args[0].span, "..");
2176                 let note = format!("{}", option_snip);
2177                 span_lint_and_sugg(
2178                     cx,
2179                     OPTION_AND_THEN_SOME,
2180                     expr.span,
2181                     NO_OP_MSG,
2182                     "use the expression directly",
2183                     note,
2184                     Applicability::MachineApplicable,
2185                 );
2186             }
2187         },
2188         _ => {},
2189     }
2190 }
2191
2192 /// lint use of `filter().next()` for `Iterators`
2193 fn lint_filter_next<'a, 'tcx>(cx: &LateContext<'a, 'tcx>, expr: &'tcx hir::Expr, filter_args: &'tcx [hir::Expr]) {
2194     // lint if caller of `.filter().next()` is an Iterator
2195     if match_trait_method(cx, expr, &paths::ITERATOR) {
2196         let msg = "called `filter(p).next()` on an `Iterator`. This is more succinctly expressed by calling \
2197                    `.find(p)` instead.";
2198         let filter_snippet = snippet(cx, filter_args[1].span, "..");
2199         if filter_snippet.lines().count() <= 1 {
2200             // add note if not multi-line
2201             span_note_and_lint(
2202                 cx,
2203                 FILTER_NEXT,
2204                 expr.span,
2205                 msg,
2206                 expr.span,
2207                 &format!("replace `filter({0}).next()` with `find({0})`", filter_snippet),
2208             );
2209         } else {
2210             span_lint(cx, FILTER_NEXT, expr.span, msg);
2211         }
2212     }
2213 }
2214
2215 /// lint use of `filter().map()` for `Iterators`
2216 fn lint_filter_map<'a, 'tcx>(
2217     cx: &LateContext<'a, 'tcx>,
2218     expr: &'tcx hir::Expr,
2219     _filter_args: &'tcx [hir::Expr],
2220     _map_args: &'tcx [hir::Expr],
2221 ) {
2222     // lint if caller of `.filter().map()` is an Iterator
2223     if match_trait_method(cx, expr, &paths::ITERATOR) {
2224         let msg = "called `filter(p).map(q)` on an `Iterator`. \
2225                    This is more succinctly expressed by calling `.filter_map(..)` instead.";
2226         span_lint(cx, FILTER_MAP, expr.span, msg);
2227     }
2228 }
2229
2230 /// lint use of `filter_map().next()` for `Iterators`
2231 fn lint_filter_map_next<'a, 'tcx>(cx: &LateContext<'a, 'tcx>, expr: &'tcx hir::Expr, filter_args: &'tcx [hir::Expr]) {
2232     if match_trait_method(cx, expr, &paths::ITERATOR) {
2233         let msg = "called `filter_map(p).next()` on an `Iterator`. This is more succinctly expressed by calling \
2234                    `.find_map(p)` instead.";
2235         let filter_snippet = snippet(cx, filter_args[1].span, "..");
2236         if filter_snippet.lines().count() <= 1 {
2237             span_note_and_lint(
2238                 cx,
2239                 FILTER_MAP_NEXT,
2240                 expr.span,
2241                 msg,
2242                 expr.span,
2243                 &format!("replace `filter_map({0}).next()` with `find_map({0})`", filter_snippet),
2244             );
2245         } else {
2246             span_lint(cx, FILTER_MAP_NEXT, expr.span, msg);
2247         }
2248     }
2249 }
2250
2251 /// lint use of `find().map()` for `Iterators`
2252 fn lint_find_map<'a, 'tcx>(
2253     cx: &LateContext<'a, 'tcx>,
2254     expr: &'tcx hir::Expr,
2255     _find_args: &'tcx [hir::Expr],
2256     map_args: &'tcx [hir::Expr],
2257 ) {
2258     // lint if caller of `.filter().map()` is an Iterator
2259     if match_trait_method(cx, &map_args[0], &paths::ITERATOR) {
2260         let msg = "called `find(p).map(q)` on an `Iterator`. \
2261                    This is more succinctly expressed by calling `.find_map(..)` instead.";
2262         span_lint(cx, FIND_MAP, expr.span, msg);
2263     }
2264 }
2265
2266 /// lint use of `filter().map()` for `Iterators`
2267 fn lint_filter_map_map<'a, 'tcx>(
2268     cx: &LateContext<'a, 'tcx>,
2269     expr: &'tcx hir::Expr,
2270     _filter_args: &'tcx [hir::Expr],
2271     _map_args: &'tcx [hir::Expr],
2272 ) {
2273     // lint if caller of `.filter().map()` is an Iterator
2274     if match_trait_method(cx, expr, &paths::ITERATOR) {
2275         let msg = "called `filter_map(p).map(q)` on an `Iterator`. \
2276                    This is more succinctly expressed by only calling `.filter_map(..)` instead.";
2277         span_lint(cx, FILTER_MAP, expr.span, msg);
2278     }
2279 }
2280
2281 /// lint use of `filter().flat_map()` for `Iterators`
2282 fn lint_filter_flat_map<'a, 'tcx>(
2283     cx: &LateContext<'a, 'tcx>,
2284     expr: &'tcx hir::Expr,
2285     _filter_args: &'tcx [hir::Expr],
2286     _map_args: &'tcx [hir::Expr],
2287 ) {
2288     // lint if caller of `.filter().flat_map()` is an Iterator
2289     if match_trait_method(cx, expr, &paths::ITERATOR) {
2290         let msg = "called `filter(p).flat_map(q)` on an `Iterator`. \
2291                    This is more succinctly expressed by calling `.flat_map(..)` \
2292                    and filtering by returning an empty Iterator.";
2293         span_lint(cx, FILTER_MAP, expr.span, msg);
2294     }
2295 }
2296
2297 /// lint use of `filter_map().flat_map()` for `Iterators`
2298 fn lint_filter_map_flat_map<'a, 'tcx>(
2299     cx: &LateContext<'a, 'tcx>,
2300     expr: &'tcx hir::Expr,
2301     _filter_args: &'tcx [hir::Expr],
2302     _map_args: &'tcx [hir::Expr],
2303 ) {
2304     // lint if caller of `.filter_map().flat_map()` is an Iterator
2305     if match_trait_method(cx, expr, &paths::ITERATOR) {
2306         let msg = "called `filter_map(p).flat_map(q)` on an `Iterator`. \
2307                    This is more succinctly expressed by calling `.flat_map(..)` \
2308                    and filtering by returning an empty Iterator.";
2309         span_lint(cx, FILTER_MAP, expr.span, msg);
2310     }
2311 }
2312
2313 /// lint use of `flat_map` for `Iterators` where `flatten` would be sufficient
2314 fn lint_flat_map_identity<'a, 'tcx>(
2315     cx: &LateContext<'a, 'tcx>,
2316     expr: &'tcx hir::Expr,
2317     flat_map_args: &'tcx [hir::Expr],
2318 ) {
2319     if match_trait_method(cx, expr, &paths::ITERATOR) {
2320         let arg_node = &flat_map_args[1].node;
2321
2322         let apply_lint = |message: &str| {
2323             if let hir::ExprKind::MethodCall(_, span, _) = &expr.node {
2324                 span_lint_and_sugg(
2325                     cx,
2326                     FLAT_MAP_IDENTITY,
2327                     span.with_hi(expr.span.hi()),
2328                     message,
2329                     "try",
2330                     "flatten()".to_string(),
2331                     Applicability::MachineApplicable,
2332                 );
2333             }
2334         };
2335
2336         if_chain! {
2337             if let hir::ExprKind::Closure(_, _, body_id, _, _) = arg_node;
2338             let body = cx.tcx.hir().body(*body_id);
2339
2340             if let hir::PatKind::Binding(_, _, binding_ident, _) = body.arguments[0].pat.node;
2341             if let hir::ExprKind::Path(hir::QPath::Resolved(_, ref path)) = body.value.node;
2342
2343             if path.segments.len() == 1;
2344             if path.segments[0].ident.as_str() == binding_ident.as_str();
2345
2346             then {
2347                 apply_lint("called `flat_map(|x| x)` on an `Iterator`");
2348             }
2349         }
2350
2351         if_chain! {
2352             if let hir::ExprKind::Path(ref qpath) = arg_node;
2353
2354             if match_qpath(qpath, &paths::STD_CONVERT_IDENTITY);
2355
2356             then {
2357                 apply_lint("called `flat_map(std::convert::identity)` on an `Iterator`");
2358             }
2359         }
2360     }
2361 }
2362
2363 /// lint searching an Iterator followed by `is_some()`
2364 fn lint_search_is_some<'a, 'tcx>(
2365     cx: &LateContext<'a, 'tcx>,
2366     expr: &'tcx hir::Expr,
2367     search_method: &str,
2368     search_args: &'tcx [hir::Expr],
2369     is_some_args: &'tcx [hir::Expr],
2370 ) {
2371     // lint if caller of search is an Iterator
2372     if match_trait_method(cx, &is_some_args[0], &paths::ITERATOR) {
2373         let msg = format!(
2374             "called `is_some()` after searching an `Iterator` with {}. This is more succinctly \
2375              expressed by calling `any()`.",
2376             search_method
2377         );
2378         let search_snippet = snippet(cx, search_args[1].span, "..");
2379         if search_snippet.lines().count() <= 1 {
2380             // suggest `any(|x| ..)` instead of `any(|&x| ..)` for `find(|&x| ..).is_some()`
2381             let any_search_snippet = if_chain! {
2382                 if search_method == "find";
2383                 if let hir::ExprKind::Closure(_, _, body_id, ..) = search_args[1].node;
2384                 let closure_body = cx.tcx.hir().body(body_id);
2385                 if let Some(closure_arg) = closure_body.arguments.get(0);
2386                 if let hir::PatKind::Ref(..) = closure_arg.pat.node;
2387                 then {
2388                     Some(search_snippet.replacen('&', "", 1))
2389                 } else {
2390                     None
2391                 }
2392             };
2393             // add note if not multi-line
2394             span_note_and_lint(
2395                 cx,
2396                 SEARCH_IS_SOME,
2397                 expr.span,
2398                 &msg,
2399                 expr.span,
2400                 &format!(
2401                     "replace `{0}({1}).is_some()` with `any({2})`",
2402                     search_method,
2403                     search_snippet,
2404                     any_search_snippet.as_ref().map_or(&*search_snippet, String::as_str)
2405                 ),
2406             );
2407         } else {
2408             span_lint(cx, SEARCH_IS_SOME, expr.span, &msg);
2409         }
2410     }
2411 }
2412
2413 /// Used for `lint_binary_expr_with_method_call`.
2414 #[derive(Copy, Clone)]
2415 struct BinaryExprInfo<'a> {
2416     expr: &'a hir::Expr,
2417     chain: &'a hir::Expr,
2418     other: &'a hir::Expr,
2419     eq: bool,
2420 }
2421
2422 /// Checks for the `CHARS_NEXT_CMP` and `CHARS_LAST_CMP` lints.
2423 fn lint_binary_expr_with_method_call(cx: &LateContext<'_, '_>, info: &mut BinaryExprInfo<'_>) {
2424     macro_rules! lint_with_both_lhs_and_rhs {
2425         ($func:ident, $cx:expr, $info:ident) => {
2426             if !$func($cx, $info) {
2427                 ::std::mem::swap(&mut $info.chain, &mut $info.other);
2428                 if $func($cx, $info) {
2429                     return;
2430                 }
2431             }
2432         };
2433     }
2434
2435     lint_with_both_lhs_and_rhs!(lint_chars_next_cmp, cx, info);
2436     lint_with_both_lhs_and_rhs!(lint_chars_last_cmp, cx, info);
2437     lint_with_both_lhs_and_rhs!(lint_chars_next_cmp_with_unwrap, cx, info);
2438     lint_with_both_lhs_and_rhs!(lint_chars_last_cmp_with_unwrap, cx, info);
2439 }
2440
2441 /// Wrapper fn for `CHARS_NEXT_CMP` and `CHARS_LAST_CMP` lints.
2442 fn lint_chars_cmp(
2443     cx: &LateContext<'_, '_>,
2444     info: &BinaryExprInfo<'_>,
2445     chain_methods: &[&str],
2446     lint: &'static Lint,
2447     suggest: &str,
2448 ) -> bool {
2449     if_chain! {
2450         if let Some(args) = method_chain_args(info.chain, chain_methods);
2451         if let hir::ExprKind::Call(ref fun, ref arg_char) = info.other.node;
2452         if arg_char.len() == 1;
2453         if let hir::ExprKind::Path(ref qpath) = fun.node;
2454         if let Some(segment) = single_segment_path(qpath);
2455         if segment.ident.name == sym!(Some);
2456         then {
2457             let mut applicability = Applicability::MachineApplicable;
2458             let self_ty = walk_ptrs_ty(cx.tables.expr_ty_adjusted(&args[0][0]));
2459
2460             if self_ty.sty != ty::Str {
2461                 return false;
2462             }
2463
2464             span_lint_and_sugg(
2465                 cx,
2466                 lint,
2467                 info.expr.span,
2468                 &format!("you should use the `{}` method", suggest),
2469                 "like this",
2470                 format!("{}{}.{}({})",
2471                         if info.eq { "" } else { "!" },
2472                         snippet_with_applicability(cx, args[0][0].span, "_", &mut applicability),
2473                         suggest,
2474                         snippet_with_applicability(cx, arg_char[0].span, "_", &mut applicability)),
2475                 applicability,
2476             );
2477
2478             return true;
2479         }
2480     }
2481
2482     false
2483 }
2484
2485 /// Checks for the `CHARS_NEXT_CMP` lint.
2486 fn lint_chars_next_cmp<'a, 'tcx>(cx: &LateContext<'a, 'tcx>, info: &BinaryExprInfo<'_>) -> bool {
2487     lint_chars_cmp(cx, info, &["chars", "next"], CHARS_NEXT_CMP, "starts_with")
2488 }
2489
2490 /// Checks for the `CHARS_LAST_CMP` lint.
2491 fn lint_chars_last_cmp<'a, 'tcx>(cx: &LateContext<'a, 'tcx>, info: &BinaryExprInfo<'_>) -> bool {
2492     if lint_chars_cmp(cx, info, &["chars", "last"], CHARS_LAST_CMP, "ends_with") {
2493         true
2494     } else {
2495         lint_chars_cmp(cx, info, &["chars", "next_back"], CHARS_LAST_CMP, "ends_with")
2496     }
2497 }
2498
2499 /// Wrapper fn for `CHARS_NEXT_CMP` and `CHARS_LAST_CMP` lints with `unwrap()`.
2500 fn lint_chars_cmp_with_unwrap<'a, 'tcx>(
2501     cx: &LateContext<'a, 'tcx>,
2502     info: &BinaryExprInfo<'_>,
2503     chain_methods: &[&str],
2504     lint: &'static Lint,
2505     suggest: &str,
2506 ) -> bool {
2507     if_chain! {
2508         if let Some(args) = method_chain_args(info.chain, chain_methods);
2509         if let hir::ExprKind::Lit(ref lit) = info.other.node;
2510         if let ast::LitKind::Char(c) = lit.node;
2511         then {
2512             let mut applicability = Applicability::MachineApplicable;
2513             span_lint_and_sugg(
2514                 cx,
2515                 lint,
2516                 info.expr.span,
2517                 &format!("you should use the `{}` method", suggest),
2518                 "like this",
2519                 format!("{}{}.{}('{}')",
2520                         if info.eq { "" } else { "!" },
2521                         snippet_with_applicability(cx, args[0][0].span, "_", &mut applicability),
2522                         suggest,
2523                         c),
2524                 applicability,
2525             );
2526
2527             return true;
2528         }
2529     }
2530
2531     false
2532 }
2533
2534 /// Checks for the `CHARS_NEXT_CMP` lint with `unwrap()`.
2535 fn lint_chars_next_cmp_with_unwrap<'a, 'tcx>(cx: &LateContext<'a, 'tcx>, info: &BinaryExprInfo<'_>) -> bool {
2536     lint_chars_cmp_with_unwrap(cx, info, &["chars", "next", "unwrap"], CHARS_NEXT_CMP, "starts_with")
2537 }
2538
2539 /// Checks for the `CHARS_LAST_CMP` lint with `unwrap()`.
2540 fn lint_chars_last_cmp_with_unwrap<'a, 'tcx>(cx: &LateContext<'a, 'tcx>, info: &BinaryExprInfo<'_>) -> bool {
2541     if lint_chars_cmp_with_unwrap(cx, info, &["chars", "last", "unwrap"], CHARS_LAST_CMP, "ends_with") {
2542         true
2543     } else {
2544         lint_chars_cmp_with_unwrap(cx, info, &["chars", "next_back", "unwrap"], CHARS_LAST_CMP, "ends_with")
2545     }
2546 }
2547
2548 /// lint for length-1 `str`s for methods in `PATTERN_METHODS`
2549 fn lint_single_char_pattern<'a, 'tcx>(cx: &LateContext<'a, 'tcx>, _expr: &'tcx hir::Expr, arg: &'tcx hir::Expr) {
2550     if_chain! {
2551         if let hir::ExprKind::Lit(lit) = &arg.node;
2552         if let ast::LitKind::Str(r, style) = lit.node;
2553         if r.as_str().len() == 1;
2554         then {
2555             let mut applicability = Applicability::MachineApplicable;
2556             let snip = snippet_with_applicability(cx, arg.span, "..", &mut applicability);
2557             let ch = if let ast::StrStyle::Raw(nhash) = style {
2558                 let nhash = nhash as usize;
2559                 // for raw string: r##"a"##
2560                 &snip[(nhash + 2)..(snip.len() - 1 - nhash)]
2561             } else {
2562                 // for regular string: "a"
2563                 &snip[1..(snip.len() - 1)]
2564             };
2565             let hint = format!("'{}'", if ch == "'" { "\\'" } else { ch });
2566             span_lint_and_sugg(
2567                 cx,
2568                 SINGLE_CHAR_PATTERN,
2569                 arg.span,
2570                 "single-character string constant used as pattern",
2571                 "try using a char instead",
2572                 hint,
2573                 applicability,
2574             );
2575         }
2576     }
2577 }
2578
2579 /// Checks for the `USELESS_ASREF` lint.
2580 fn lint_asref(cx: &LateContext<'_, '_>, expr: &hir::Expr, call_name: &str, as_ref_args: &[hir::Expr]) {
2581     // when we get here, we've already checked that the call name is "as_ref" or "as_mut"
2582     // check if the call is to the actual `AsRef` or `AsMut` trait
2583     if match_trait_method(cx, expr, &paths::ASREF_TRAIT) || match_trait_method(cx, expr, &paths::ASMUT_TRAIT) {
2584         // check if the type after `as_ref` or `as_mut` is the same as before
2585         let recvr = &as_ref_args[0];
2586         let rcv_ty = cx.tables.expr_ty(recvr);
2587         let res_ty = cx.tables.expr_ty(expr);
2588         let (base_res_ty, res_depth) = walk_ptrs_ty_depth(res_ty);
2589         let (base_rcv_ty, rcv_depth) = walk_ptrs_ty_depth(rcv_ty);
2590         if base_rcv_ty == base_res_ty && rcv_depth >= res_depth {
2591             // allow the `as_ref` or `as_mut` if it is followed by another method call
2592             if_chain! {
2593                 if let Some(parent) = get_parent_expr(cx, expr);
2594                 if let hir::ExprKind::MethodCall(_, ref span, _) = parent.node;
2595                 if span != &expr.span;
2596                 then {
2597                     return;
2598                 }
2599             }
2600
2601             let mut applicability = Applicability::MachineApplicable;
2602             span_lint_and_sugg(
2603                 cx,
2604                 USELESS_ASREF,
2605                 expr.span,
2606                 &format!("this call to `{}` does nothing", call_name),
2607                 "try this",
2608                 snippet_with_applicability(cx, recvr.span, "_", &mut applicability).to_string(),
2609                 applicability,
2610             );
2611         }
2612     }
2613 }
2614
2615 fn ty_has_iter_method(
2616     cx: &LateContext<'_, '_>,
2617     self_ref_ty: Ty<'_>,
2618 ) -> Option<(&'static Lint, &'static str, &'static str)> {
2619     if let Some(ty_name) = has_iter_method(cx, self_ref_ty) {
2620         let lint = if ty_name == "array" || ty_name == "PathBuf" {
2621             INTO_ITER_ON_ARRAY
2622         } else {
2623             INTO_ITER_ON_REF
2624         };
2625         let mutbl = match self_ref_ty.sty {
2626             ty::Ref(_, _, mutbl) => mutbl,
2627             _ => unreachable!(),
2628         };
2629         let method_name = match mutbl {
2630             hir::MutImmutable => "iter",
2631             hir::MutMutable => "iter_mut",
2632         };
2633         Some((lint, ty_name, method_name))
2634     } else {
2635         None
2636     }
2637 }
2638
2639 fn lint_into_iter(cx: &LateContext<'_, '_>, expr: &hir::Expr, self_ref_ty: Ty<'_>, method_span: Span) {
2640     if !match_trait_method(cx, expr, &paths::INTO_ITERATOR) {
2641         return;
2642     }
2643     if let Some((lint, kind, method_name)) = ty_has_iter_method(cx, self_ref_ty) {
2644         span_lint_and_sugg(
2645             cx,
2646             lint,
2647             method_span,
2648             &format!(
2649                 "this .into_iter() call is equivalent to .{}() and will not move the {}",
2650                 method_name, kind,
2651             ),
2652             "call directly",
2653             method_name.to_string(),
2654             Applicability::MachineApplicable,
2655         );
2656     }
2657 }
2658
2659 fn lint_suspicious_map(cx: &LateContext<'_, '_>, expr: &hir::Expr) {
2660     span_help_and_lint(
2661         cx,
2662         SUSPICIOUS_MAP,
2663         expr.span,
2664         "this call to `map()` won't have an effect on the call to `count()`",
2665         "make sure you did not confuse `map` with `filter`",
2666     );
2667 }
2668
2669 /// Given a `Result<T, E>` type, return its error type (`E`).
2670 fn get_error_type<'a>(cx: &LateContext<'_, '_>, ty: Ty<'a>) -> Option<Ty<'a>> {
2671     if let ty::Adt(_, substs) = ty.sty {
2672         if match_type(cx, ty, &paths::RESULT) {
2673             substs.types().nth(1)
2674         } else {
2675             None
2676         }
2677     } else {
2678         None
2679     }
2680 }
2681
2682 /// This checks whether a given type is known to implement Debug.
2683 fn has_debug_impl<'a, 'b>(ty: Ty<'a>, cx: &LateContext<'b, 'a>) -> bool {
2684     match cx.tcx.lang_items().debug_trait() {
2685         Some(debug) => implements_trait(cx, ty, debug, &[]),
2686         None => false,
2687     }
2688 }
2689
2690 enum Convention {
2691     Eq(&'static str),
2692     StartsWith(&'static str),
2693 }
2694
2695 #[rustfmt::skip]
2696 const CONVENTIONS: [(Convention, &[SelfKind]); 7] = [
2697     (Convention::Eq("new"), &[SelfKind::No]),
2698     (Convention::StartsWith("as_"), &[SelfKind::Ref, SelfKind::RefMut]),
2699     (Convention::StartsWith("from_"), &[SelfKind::No]),
2700     (Convention::StartsWith("into_"), &[SelfKind::Value]),
2701     (Convention::StartsWith("is_"), &[SelfKind::Ref, SelfKind::No]),
2702     (Convention::Eq("to_mut"), &[SelfKind::RefMut]),
2703     (Convention::StartsWith("to_"), &[SelfKind::Ref]),
2704 ];
2705
2706 #[rustfmt::skip]
2707 const TRAIT_METHODS: [(&str, usize, SelfKind, OutType, &str); 30] = [
2708     ("add", 2, SelfKind::Value, OutType::Any, "std::ops::Add"),
2709     ("as_mut", 1, SelfKind::RefMut, OutType::Ref, "std::convert::AsMut"),
2710     ("as_ref", 1, SelfKind::Ref, OutType::Ref, "std::convert::AsRef"),
2711     ("bitand", 2, SelfKind::Value, OutType::Any, "std::ops::BitAnd"),
2712     ("bitor", 2, SelfKind::Value, OutType::Any, "std::ops::BitOr"),
2713     ("bitxor", 2, SelfKind::Value, OutType::Any, "std::ops::BitXor"),
2714     ("borrow", 1, SelfKind::Ref, OutType::Ref, "std::borrow::Borrow"),
2715     ("borrow_mut", 1, SelfKind::RefMut, OutType::Ref, "std::borrow::BorrowMut"),
2716     ("clone", 1, SelfKind::Ref, OutType::Any, "std::clone::Clone"),
2717     ("cmp", 2, SelfKind::Ref, OutType::Any, "std::cmp::Ord"),
2718     ("default", 0, SelfKind::No, OutType::Any, "std::default::Default"),
2719     ("deref", 1, SelfKind::Ref, OutType::Ref, "std::ops::Deref"),
2720     ("deref_mut", 1, SelfKind::RefMut, OutType::Ref, "std::ops::DerefMut"),
2721     ("div", 2, SelfKind::Value, OutType::Any, "std::ops::Div"),
2722     ("drop", 1, SelfKind::RefMut, OutType::Unit, "std::ops::Drop"),
2723     ("eq", 2, SelfKind::Ref, OutType::Bool, "std::cmp::PartialEq"),
2724     ("from_iter", 1, SelfKind::No, OutType::Any, "std::iter::FromIterator"),
2725     ("from_str", 1, SelfKind::No, OutType::Any, "std::str::FromStr"),
2726     ("hash", 2, SelfKind::Ref, OutType::Unit, "std::hash::Hash"),
2727     ("index", 2, SelfKind::Ref, OutType::Ref, "std::ops::Index"),
2728     ("index_mut", 2, SelfKind::RefMut, OutType::Ref, "std::ops::IndexMut"),
2729     ("into_iter", 1, SelfKind::Value, OutType::Any, "std::iter::IntoIterator"),
2730     ("mul", 2, SelfKind::Value, OutType::Any, "std::ops::Mul"),
2731     ("neg", 1, SelfKind::Value, OutType::Any, "std::ops::Neg"),
2732     ("next", 1, SelfKind::RefMut, OutType::Any, "std::iter::Iterator"),
2733     ("not", 1, SelfKind::Value, OutType::Any, "std::ops::Not"),
2734     ("rem", 2, SelfKind::Value, OutType::Any, "std::ops::Rem"),
2735     ("shl", 2, SelfKind::Value, OutType::Any, "std::ops::Shl"),
2736     ("shr", 2, SelfKind::Value, OutType::Any, "std::ops::Shr"),
2737     ("sub", 2, SelfKind::Value, OutType::Any, "std::ops::Sub"),
2738 ];
2739
2740 #[rustfmt::skip]
2741 const PATTERN_METHODS: [(&str, usize); 17] = [
2742     ("contains", 1),
2743     ("starts_with", 1),
2744     ("ends_with", 1),
2745     ("find", 1),
2746     ("rfind", 1),
2747     ("split", 1),
2748     ("rsplit", 1),
2749     ("split_terminator", 1),
2750     ("rsplit_terminator", 1),
2751     ("splitn", 2),
2752     ("rsplitn", 2),
2753     ("matches", 1),
2754     ("rmatches", 1),
2755     ("match_indices", 1),
2756     ("rmatch_indices", 1),
2757     ("trim_start_matches", 1),
2758     ("trim_end_matches", 1),
2759 ];
2760
2761 #[derive(Clone, Copy, PartialEq, Debug)]
2762 enum SelfKind {
2763     Value,
2764     Ref,
2765     RefMut,
2766     No,
2767 }
2768
2769 impl SelfKind {
2770     fn matches<'a>(self, cx: &LateContext<'_, 'a>, parent_ty: Ty<'a>, ty: Ty<'a>) -> bool {
2771         fn matches_value(parent_ty: Ty<'_>, ty: Ty<'_>) -> bool {
2772             if ty == parent_ty {
2773                 true
2774             } else if ty.is_box() {
2775                 ty.boxed_ty() == parent_ty
2776             } else if ty.is_rc() || ty.is_arc() {
2777                 if let ty::Adt(_, substs) = ty.sty {
2778                     substs.types().next().map_or(false, |t| t == parent_ty)
2779                 } else {
2780                     false
2781                 }
2782             } else {
2783                 false
2784             }
2785         }
2786
2787         fn matches_ref<'a>(
2788             cx: &LateContext<'_, 'a>,
2789             mutability: hir::Mutability,
2790             parent_ty: Ty<'a>,
2791             ty: Ty<'a>,
2792         ) -> bool {
2793             if let ty::Ref(_, t, m) = ty.sty {
2794                 return m == mutability && t == parent_ty;
2795             }
2796
2797             let trait_path = match mutability {
2798                 hir::Mutability::MutImmutable => &paths::ASREF_TRAIT,
2799                 hir::Mutability::MutMutable => &paths::ASMUT_TRAIT,
2800             };
2801
2802             let trait_def_id = get_trait_def_id(cx, trait_path).expect("trait def id not found");
2803             implements_trait(cx, ty, trait_def_id, &[parent_ty.into()])
2804         }
2805
2806         match self {
2807             Self::Value => matches_value(parent_ty, ty),
2808             Self::Ref => {
2809                 matches_ref(cx, hir::Mutability::MutImmutable, parent_ty, ty) || ty == parent_ty && is_copy(cx, ty)
2810             },
2811             Self::RefMut => matches_ref(cx, hir::Mutability::MutMutable, parent_ty, ty),
2812             Self::No => ty != parent_ty,
2813         }
2814     }
2815
2816     fn description(self) -> &'static str {
2817         match self {
2818             Self::Value => "self by value",
2819             Self::Ref => "self by reference",
2820             Self::RefMut => "self by mutable reference",
2821             Self::No => "no self",
2822         }
2823     }
2824 }
2825
2826 impl Convention {
2827     fn check(&self, other: &str) -> bool {
2828         match *self {
2829             Self::Eq(this) => this == other,
2830             Self::StartsWith(this) => other.starts_with(this) && this != other,
2831         }
2832     }
2833 }
2834
2835 impl fmt::Display for Convention {
2836     fn fmt(&self, f: &mut fmt::Formatter<'_>) -> Result<(), fmt::Error> {
2837         match *self {
2838             Self::Eq(this) => this.fmt(f),
2839             Self::StartsWith(this) => this.fmt(f).and_then(|_| '*'.fmt(f)),
2840         }
2841     }
2842 }
2843
2844 #[derive(Clone, Copy)]
2845 enum OutType {
2846     Unit,
2847     Bool,
2848     Any,
2849     Ref,
2850 }
2851
2852 impl OutType {
2853     fn matches(self, cx: &LateContext<'_, '_>, ty: &hir::FunctionRetTy) -> bool {
2854         let is_unit = |ty: &hir::Ty| SpanlessEq::new(cx).eq_ty_kind(&ty.node, &hir::TyKind::Tup(vec![].into()));
2855         match (self, ty) {
2856             (Self::Unit, &hir::DefaultReturn(_)) => true,
2857             (Self::Unit, &hir::Return(ref ty)) if is_unit(ty) => true,
2858             (Self::Bool, &hir::Return(ref ty)) if is_bool(ty) => true,
2859             (Self::Any, &hir::Return(ref ty)) if !is_unit(ty) => true,
2860             (Self::Ref, &hir::Return(ref ty)) => matches!(ty.node, hir::TyKind::Rptr(_, _)),
2861             _ => false,
2862         }
2863     }
2864 }
2865
2866 fn is_bool(ty: &hir::Ty) -> bool {
2867     if let hir::TyKind::Path(ref p) = ty.node {
2868         match_qpath(p, &["bool"])
2869     } else {
2870         false
2871     }
2872 }