2020-01-26 20:26:42 -06:00
|
|
|
use crate::utils::{is_copy, match_path, paths, span_lint_and_note};
|
2020-01-06 10:39:50 -06:00
|
|
|
use rustc_hir::{Item, ItemKind};
|
2020-01-12 00:08:41 -06:00
|
|
|
use rustc_lint::{LateContext, LateLintPass};
|
2020-01-11 05:37:08 -06:00
|
|
|
use rustc_session::{declare_lint_pass, declare_tool_lint};
|
2018-07-17 12:22:55 -05:00
|
|
|
|
|
|
|
declare_clippy_lint! {
|
2019-03-05 10:50:33 -06:00
|
|
|
/// **What it does:** Checks for types that implement `Copy` as well as
|
|
|
|
/// `Iterator`.
|
|
|
|
///
|
|
|
|
/// **Why is this bad?** Implicit copies can be confusing when working with
|
|
|
|
/// iterator combinators.
|
|
|
|
///
|
|
|
|
/// **Known problems:** None.
|
|
|
|
///
|
|
|
|
/// **Example:**
|
2019-08-03 11:42:05 -05:00
|
|
|
/// ```rust,ignore
|
2019-03-05 10:50:33 -06:00
|
|
|
/// #[derive(Copy, Clone)]
|
|
|
|
/// struct Countdown(u8);
|
|
|
|
///
|
|
|
|
/// impl Iterator for Countdown {
|
|
|
|
/// // ...
|
|
|
|
/// }
|
|
|
|
///
|
|
|
|
/// let a: Vec<_> = my_iterator.take(1).collect();
|
|
|
|
/// let b: Vec<_> = my_iterator.collect();
|
|
|
|
/// ```
|
2018-07-17 12:22:55 -05:00
|
|
|
pub COPY_ITERATOR,
|
|
|
|
pedantic,
|
|
|
|
"implementing `Iterator` on a `Copy` type"
|
|
|
|
}
|
|
|
|
|
2019-04-08 15:43:55 -05:00
|
|
|
declare_lint_pass!(CopyIterator => [COPY_ITERATOR]);
|
2018-07-17 12:22:55 -05:00
|
|
|
|
|
|
|
impl<'a, 'tcx> LateLintPass<'a, 'tcx> for CopyIterator {
|
2019-12-22 08:42:41 -06:00
|
|
|
fn check_item(&mut self, cx: &LateContext<'a, 'tcx>, item: &'tcx Item<'_>) {
|
2020-01-17 23:14:36 -06:00
|
|
|
if let ItemKind::Impl {
|
|
|
|
of_trait: Some(ref trait_ref),
|
|
|
|
..
|
|
|
|
} = item.kind
|
|
|
|
{
|
2019-07-05 22:52:51 -05:00
|
|
|
let ty = cx.tcx.type_of(cx.tcx.hir().local_def_id(item.hir_id));
|
2018-07-17 12:22:55 -05:00
|
|
|
|
2019-05-17 16:53:54 -05:00
|
|
|
if is_copy(cx, ty) && match_path(&trait_ref.path, &paths::ITERATOR) {
|
2020-01-26 20:26:42 -06:00
|
|
|
span_lint_and_note(
|
2018-07-17 12:22:55 -05:00
|
|
|
cx,
|
|
|
|
COPY_ITERATOR,
|
|
|
|
item.span,
|
|
|
|
"you are implementing `Iterator` on a `Copy` type",
|
|
|
|
item.span,
|
|
|
|
"consider implementing `IntoIterator` instead",
|
|
|
|
);
|
|
|
|
}
|
|
|
|
}
|
|
|
|
}
|
|
|
|
}
|