2021-03-25 13:29:11 -05:00
|
|
|
use clippy_utils::diagnostics::span_lint_and_note;
|
|
|
|
use clippy_utils::ty::is_copy;
|
2021-01-15 03:56:44 -06:00
|
|
|
use rustc_hir::{Impl, 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};
|
2021-03-25 13:29:11 -05:00
|
|
|
use rustc_span::sym;
|
|
|
|
|
|
|
|
use if_chain::if_chain;
|
2018-07-17 12:22:55 -05:00
|
|
|
|
|
|
|
declare_clippy_lint! {
|
2021-07-29 05:16:06 -05:00
|
|
|
/// ### What it does
|
|
|
|
/// Checks for types that implement `Copy` as well as
|
2019-03-05 10:50:33 -06:00
|
|
|
/// `Iterator`.
|
|
|
|
///
|
2021-07-29 05:16:06 -05:00
|
|
|
/// ### Why is this bad?
|
|
|
|
/// Implicit copies can be confusing when working with
|
2019-03-05 10:50:33 -06:00
|
|
|
/// iterator combinators.
|
|
|
|
///
|
2021-07-29 05:16:06 -05:00
|
|
|
/// ### 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();
|
|
|
|
/// ```
|
2021-12-06 05:33:31 -06:00
|
|
|
#[clippy::version = "1.30.0"]
|
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
|
|
|
|
2020-06-25 15:41:36 -05:00
|
|
|
impl<'tcx> LateLintPass<'tcx> for CopyIterator {
|
|
|
|
fn check_item(&mut self, cx: &LateContext<'tcx>, item: &'tcx Item<'_>) {
|
2021-03-25 13:29:11 -05:00
|
|
|
if_chain! {
|
|
|
|
if let ItemKind::Impl(Impl {
|
|
|
|
of_trait: Some(ref trait_ref),
|
|
|
|
..
|
|
|
|
}) = item.kind;
|
2023-02-07 02:29:48 -06:00
|
|
|
let ty = cx.tcx.type_of(item.owner_id).subst_identity();
|
2021-03-25 13:29:11 -05:00
|
|
|
if is_copy(cx, ty);
|
|
|
|
if let Some(trait_id) = trait_ref.trait_def_id();
|
|
|
|
if cx.tcx.is_diagnostic_item(sym::Iterator, trait_id);
|
|
|
|
then {
|
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",
|
2020-04-18 05:29:36 -05:00
|
|
|
None,
|
2018-07-17 12:22:55 -05:00
|
|
|
"consider implementing `IntoIterator` instead",
|
|
|
|
);
|
|
|
|
}
|
|
|
|
}
|
|
|
|
}
|
|
|
|
}
|