]> git.lizzy.rs Git - rust.git/blob - clippy_lints/src/multiple_crate_versions.rs
Auto merge of #3946 - rchaser53:issue-3920, r=flip1995
[rust.git] / clippy_lints / src / multiple_crate_versions.rs
1 //! lint on multiple versions of a crate being used
2
3 use crate::utils::span_lint;
4 use rustc::lint::{EarlyContext, EarlyLintPass, LintArray, LintPass};
5 use rustc::{declare_tool_lint, lint_array};
6 use syntax::{ast::*, source_map::DUMMY_SP};
7
8 use cargo_metadata;
9 use itertools::Itertools;
10
11 declare_clippy_lint! {
12     /// **What it does:** Checks to see if multiple versions of a crate are being
13     /// used.
14     ///
15     /// **Why is this bad?** This bloats the size of targets, and can lead to
16     /// confusing error messages when structs or traits are used interchangeably
17     /// between different versions of a crate.
18     ///
19     /// **Known problems:** Because this can be caused purely by the dependencies
20     /// themselves, it's not always possible to fix this issue.
21     ///
22     /// **Example:**
23     /// ```toml
24     /// # This will pull in both winapi v0.3.4 and v0.2.8, triggering a warning.
25     /// [dependencies]
26     /// ctrlc = "3.1.0"
27     /// ansi_term = "0.11.0"
28     /// ```
29     pub MULTIPLE_CRATE_VERSIONS,
30     cargo,
31     "multiple versions of the same crate being used"
32 }
33
34 pub struct Pass;
35
36 impl LintPass for Pass {
37     fn get_lints(&self) -> LintArray {
38         lint_array!(MULTIPLE_CRATE_VERSIONS)
39     }
40
41     fn name(&self) -> &'static str {
42         "MultipleCrateVersions"
43     }
44 }
45
46 impl EarlyLintPass for Pass {
47     fn check_crate(&mut self, cx: &EarlyContext<'_>, _: &Crate) {
48         let metadata = if let Ok(metadata) = cargo_metadata::MetadataCommand::new().exec() {
49             metadata
50         } else {
51             span_lint(cx, MULTIPLE_CRATE_VERSIONS, DUMMY_SP, "could not read cargo metadata");
52
53             return;
54         };
55
56         let mut packages = metadata.packages;
57         packages.sort_by(|a, b| a.name.cmp(&b.name));
58
59         for (name, group) in &packages.into_iter().group_by(|p| p.name.clone()) {
60             let group: Vec<cargo_metadata::Package> = group.collect();
61
62             if group.len() > 1 {
63                 let versions = group.into_iter().map(|p| p.version).join(", ");
64
65                 span_lint(
66                     cx,
67                     MULTIPLE_CRATE_VERSIONS,
68                     DUMMY_SP,
69                     &format!("multiple versions for dependency `{}`: {}", name, versions),
70                 );
71             }
72         }
73     }
74 }