-
Notifications
You must be signed in to change notification settings - Fork 1.5k
Commit
This commit does not belong to any branch on this repository, and may belong to a fork outside of the repository.
Auto merge of #7300 - DevinR528:import-rename, r=camsteffen
Add import_rename lint, this adds a field on the Conf struct fixes #7276 changelog: Add ``[`import_rename`]`` a lint that enforces import renaming defined in the config file.
- Loading branch information
Showing
8 changed files
with
184 additions
and
1 deletion.
There are no files selected for viewing
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
Original file line number | Diff line number | Diff line change |
---|---|---|
@@ -0,0 +1,102 @@ | ||
use clippy_utils::{diagnostics::span_lint_and_sugg, source::snippet_opt}; | ||
|
||
use rustc_data_structures::fx::FxHashMap; | ||
use rustc_errors::Applicability; | ||
use rustc_hir::{def::Res, def_id::DefId, Crate, Item, ItemKind, UseKind}; | ||
use rustc_lint::{LateContext, LateLintPass, LintContext}; | ||
use rustc_session::{declare_tool_lint, impl_lint_pass}; | ||
use rustc_span::Symbol; | ||
|
||
use crate::utils::conf::Rename; | ||
|
||
declare_clippy_lint! { | ||
/// **What it does:** Checks for imports that do not rename the item as specified | ||
/// in the `enforce-import-renames` config option. | ||
/// | ||
/// **Why is this bad?** Consistency is important, if a project has defined import | ||
/// renames they should be followed. More practically, some item names are too | ||
/// vague outside of their defining scope this can enforce a more meaningful naming. | ||
/// | ||
/// **Known problems:** None | ||
/// | ||
/// **Example:** | ||
/// | ||
/// An example clippy.toml configuration: | ||
/// ```toml | ||
/// # clippy.toml | ||
/// enforced-import-renames = [ { path = "serde_json::Value", rename = "JsonValue" }] | ||
/// ``` | ||
/// | ||
/// ```rust,ignore | ||
/// use serde_json::Value; | ||
/// ``` | ||
/// Use instead: | ||
/// ```rust,ignore | ||
/// use serde_json::Value as JsonValue; | ||
/// ``` | ||
pub MISSING_ENFORCED_IMPORT_RENAMES, | ||
restriction, | ||
"enforce import renames" | ||
} | ||
|
||
pub struct ImportRename { | ||
conf_renames: Vec<Rename>, | ||
renames: FxHashMap<DefId, Symbol>, | ||
} | ||
|
||
impl ImportRename { | ||
pub fn new(conf_renames: Vec<Rename>) -> Self { | ||
Self { | ||
conf_renames, | ||
renames: FxHashMap::default(), | ||
} | ||
} | ||
} | ||
|
||
impl_lint_pass!(ImportRename => [MISSING_ENFORCED_IMPORT_RENAMES]); | ||
|
||
impl LateLintPass<'_> for ImportRename { | ||
fn check_crate(&mut self, cx: &LateContext<'_>, _: &Crate<'_>) { | ||
for Rename { path, rename } in &self.conf_renames { | ||
if let Res::Def(_, id) = clippy_utils::path_to_res(cx, &path.split("::").collect::<Vec<_>>()) { | ||
self.renames.insert(id, Symbol::intern(rename)); | ||
} | ||
} | ||
} | ||
|
||
fn check_item(&mut self, cx: &LateContext<'_>, item: &Item<'_>) { | ||
if_chain! { | ||
if let ItemKind::Use(path, UseKind::Single) = &item.kind; | ||
if let Res::Def(_, id) = path.res; | ||
if let Some(name) = self.renames.get(&id); | ||
// Remove semicolon since it is not present for nested imports | ||
let span_without_semi = cx.sess().source_map().span_until_char(item.span, ';'); | ||
if let Some(snip) = snippet_opt(cx, span_without_semi); | ||
if let Some(import) = match snip.split_once(" as ") { | ||
None => Some(snip.as_str()), | ||
Some((import, rename)) => { | ||
if rename.trim() == &*name.as_str() { | ||
None | ||
} else { | ||
Some(import.trim()) | ||
} | ||
}, | ||
}; | ||
then { | ||
span_lint_and_sugg( | ||
cx, | ||
MISSING_ENFORCED_IMPORT_RENAMES, | ||
span_without_semi, | ||
"this import should be renamed", | ||
"try", | ||
format!( | ||
"{} as {}", | ||
import, | ||
name, | ||
), | ||
Applicability::MachineApplicable, | ||
); | ||
} | ||
} | ||
} | ||
} |
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
Original file line number | Diff line number | Diff line change |
---|---|---|
@@ -0,0 +1,10 @@ | ||
enforced-import-renames = [ | ||
{ path = "std::option::Option", rename = "Maybe" }, | ||
{ path = "std::process::Child", rename = "Kid" }, | ||
{ path = "std::process::exit", rename = "goodbye" }, | ||
{ path = "std::collections::BTreeMap", rename = "Map" }, | ||
{ path = "std::clone", rename = "foo" }, | ||
{ path = "std::thread::sleep", rename = "thread_sleep" }, | ||
{ path = "std::any::type_name", rename = "ident" }, | ||
{ path = "std::sync::Mutex", rename = "StdMutie" } | ||
] |
16 changes: 16 additions & 0 deletions
16
tests/ui-toml/missing_enforced_import_rename/conf_missing_enforced_import_rename.rs
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
Original file line number | Diff line number | Diff line change |
---|---|---|
@@ -0,0 +1,16 @@ | ||
#![warn(clippy::missing_enforced_import_renames)] | ||
|
||
use std::alloc as colla; | ||
use std::option::Option as Maybe; | ||
use std::process::{exit as wrong_exit, Child as Kid}; | ||
use std::thread::sleep; | ||
#[rustfmt::skip] | ||
use std::{ | ||
any::{type_name, Any}, | ||
clone, | ||
sync :: Mutex, | ||
}; | ||
|
||
fn main() { | ||
use std::collections::BTreeMap as OopsWrongRename; | ||
} |
40 changes: 40 additions & 0 deletions
40
tests/ui-toml/missing_enforced_import_rename/conf_missing_enforced_import_rename.stderr
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
Original file line number | Diff line number | Diff line change |
---|---|---|
@@ -0,0 +1,40 @@ | ||
error: this import should be renamed | ||
--> $DIR/conf_missing_enforced_import_rename.rs:5:20 | ||
| | ||
LL | use std::process::{exit as wrong_exit, Child as Kid}; | ||
| ^^^^^^^^^^^^^^^^^^ help: try: `exit as goodbye` | ||
| | ||
= note: `-D clippy::missing-enforced-import-renames` implied by `-D warnings` | ||
|
||
error: this import should be renamed | ||
--> $DIR/conf_missing_enforced_import_rename.rs:6:1 | ||
| | ||
LL | use std::thread::sleep; | ||
| ^^^^^^^^^^^^^^^^^^^^^^ help: try: `use std::thread::sleep as thread_sleep` | ||
|
||
error: this import should be renamed | ||
--> $DIR/conf_missing_enforced_import_rename.rs:9:11 | ||
| | ||
LL | any::{type_name, Any}, | ||
| ^^^^^^^^^ help: try: `type_name as ident` | ||
|
||
error: this import should be renamed | ||
--> $DIR/conf_missing_enforced_import_rename.rs:10:5 | ||
| | ||
LL | clone, | ||
| ^^^^^ help: try: `clone as foo` | ||
|
||
error: this import should be renamed | ||
--> $DIR/conf_missing_enforced_import_rename.rs:11:5 | ||
| | ||
LL | sync :: Mutex, | ||
| ^^^^^^^^^^^^^ help: try: `sync :: Mutex as StdMutie` | ||
|
||
error: this import should be renamed | ||
--> $DIR/conf_missing_enforced_import_rename.rs:15:5 | ||
| | ||
LL | use std::collections::BTreeMap as OopsWrongRename; | ||
| ^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^ help: try: `use std::collections::BTreeMap as Map` | ||
|
||
error: aborting due to 6 previous errors | ||
|
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
Original file line number | Diff line number | Diff line change |
---|---|---|
@@ -1,4 +1,4 @@ | ||
error: error reading Clippy's configuration file `$DIR/clippy.toml`: unknown field `foobar`, expected one of `avoid-breaking-exported-api`, `msrv`, `blacklisted-names`, `cognitive-complexity-threshold`, `cyclomatic-complexity-threshold`, `doc-valid-idents`, `too-many-arguments-threshold`, `type-complexity-threshold`, `single-char-binding-names-threshold`, `too-large-for-stack`, `enum-variant-name-threshold`, `enum-variant-size-threshold`, `verbose-bit-mask-threshold`, `literal-representation-threshold`, `trivial-copy-size-limit`, `pass-by-value-size-limit`, `too-many-lines-threshold`, `array-size-threshold`, `vec-box-size-threshold`, `max-trait-bounds`, `max-struct-bools`, `max-fn-params-bools`, `warn-on-all-wildcard-imports`, `disallowed-methods`, `disallowed-types`, `unreadable-literal-lint-fractions`, `upper-case-acronyms-aggressive`, `cargo-ignore-publish`, `standard-macro-braces`, `third-party` at line 5 column 1 | ||
error: error reading Clippy's configuration file `$DIR/clippy.toml`: unknown field `foobar`, expected one of `avoid-breaking-exported-api`, `msrv`, `blacklisted-names`, `cognitive-complexity-threshold`, `cyclomatic-complexity-threshold`, `doc-valid-idents`, `too-many-arguments-threshold`, `type-complexity-threshold`, `single-char-binding-names-threshold`, `too-large-for-stack`, `enum-variant-name-threshold`, `enum-variant-size-threshold`, `verbose-bit-mask-threshold`, `literal-representation-threshold`, `trivial-copy-size-limit`, `pass-by-value-size-limit`, `too-many-lines-threshold`, `array-size-threshold`, `vec-box-size-threshold`, `max-trait-bounds`, `max-struct-bools`, `max-fn-params-bools`, `warn-on-all-wildcard-imports`, `disallowed-methods`, `disallowed-types`, `unreadable-literal-lint-fractions`, `upper-case-acronyms-aggressive`, `cargo-ignore-publish`, `standard-macro-braces`, `enforced-import-renames`, `third-party` at line 5 column 1 | ||
|
||
error: aborting due to previous error | ||
|