6172: Add qualify path assist r=matklad a=Veykril

This implements a `qualify_path` assist which works quite similar to the `auto_import` assist but instead of adding imports to the file it well, qualifies the path. This PR also moves out the `AutoImportAssets` struct and functions from `auto_import` into a utils submodule as most of this is now shared between `auto_import` and `qualify_path`.

Changes made to `AutoImportAssets` are solely in its `search_for_imports` function which now takes a prefixed parameter to discern between using `find_use_path_prefixed` and `find_use_path` as the former is the required behavior by `auto_import` and the latter by this assist.

For missing imported traits instead of importing this will qualify the path with a trait cast as in:
```rust
test_mod::TestStruct::TEST_CONST<|>
```
becomes
```rust
<test_mod::TestStruct as test_mod::TestTrait>::TEST_CONST
```

and for trait methods ideally it would do the following:
```rust
let test_struct = test_mod::TestStruct {};
test_struct.test_meth<|>od()
```
becomes
```rust
let test_struct = test_mod::TestStruct {};
test_mod::TestTrait::test_method(&test_struct)
```

Fixes #4124.

Co-authored-by: Lukas Wirth <lukastw97@gmail.com>
This commit is contained in:
bors[bot] 2020-10-20 17:03:19 +00:00 committed by GitHub
commit 989de9e309
No known key found for this signature in database
GPG key ID: 4AEE18F83AFDEB23
6 changed files with 1090 additions and 24 deletions

View file

@ -100,7 +100,7 @@ pub(crate) fn auto_import(acc: &mut Assists, ctx: &AssistContext) -> Option<()>
let group = import_group_message(import_assets.import_candidate()); let group = import_group_message(import_assets.import_candidate());
let scope = ImportScope::find_insert_use_container(import_assets.syntax_under_caret(), ctx)?; let scope = ImportScope::find_insert_use_container(import_assets.syntax_under_caret(), ctx)?;
let syntax = scope.as_syntax_node(); let syntax = scope.as_syntax_node();
for import in proposed_imports { for (import, _) in proposed_imports {
acc.add_group( acc.add_group(
&group, &group,
AssistId("auto_import", AssistKind::QuickFix), AssistId("auto_import", AssistKind::QuickFix),

File diff suppressed because it is too large Load diff

View file

@ -150,6 +150,7 @@ mod handlers {
mod merge_match_arms; mod merge_match_arms;
mod move_bounds; mod move_bounds;
mod move_guard; mod move_guard;
mod qualify_path;
mod raw_string; mod raw_string;
mod remove_dbg; mod remove_dbg;
mod remove_mut; mod remove_mut;
@ -196,6 +197,7 @@ mod handlers {
move_bounds::move_bounds_to_where_clause, move_bounds::move_bounds_to_where_clause,
move_guard::move_arm_cond_to_match_guard, move_guard::move_arm_cond_to_match_guard,
move_guard::move_guard_to_arm_body, move_guard::move_guard_to_arm_body,
qualify_path::qualify_path,
raw_string::add_hash, raw_string::add_hash,
raw_string::make_raw_string, raw_string::make_raw_string,
raw_string::make_usual_string, raw_string::make_usual_string,

View file

@ -712,6 +712,25 @@ fn handle(action: Action) {
) )
} }
#[test]
fn doctest_qualify_path() {
check_doc_test(
"qualify_path",
r#####"
fn main() {
let map = HashMap<|>::new();
}
pub mod std { pub mod collections { pub struct HashMap { } } }
"#####,
r#####"
fn main() {
let map = std::collections::HashMap::new();
}
pub mod std { pub mod collections { pub struct HashMap { } } }
"#####,
)
}
#[test] #[test]
fn doctest_remove_dbg() { fn doctest_remove_dbg() {
check_doc_test( check_doc_test(

View file

@ -1,6 +1,4 @@
//! Look up accessible paths for items. //! Look up accessible paths for items.
use std::collections::BTreeSet;
use either::Either; use either::Either;
use hir::{AsAssocItem, AssocItemContainer, ModuleDef, Semantics}; use hir::{AsAssocItem, AssocItemContainer, ModuleDef, Semantics};
use ide_db::{imports_locator, RootDatabase}; use ide_db::{imports_locator, RootDatabase};
@ -29,12 +27,12 @@ pub(crate) enum ImportCandidate {
#[derive(Debug)] #[derive(Debug)]
pub(crate) struct TraitImportCandidate { pub(crate) struct TraitImportCandidate {
pub ty: hir::Type, pub ty: hir::Type,
pub name: String, pub name: ast::NameRef,
} }
#[derive(Debug)] #[derive(Debug)]
pub(crate) struct PathImportCandidate { pub(crate) struct PathImportCandidate {
pub name: String, pub name: ast::NameRef,
} }
#[derive(Debug)] #[derive(Debug)]
@ -86,9 +84,9 @@ impl ImportAssets {
fn get_search_query(&self) -> &str { fn get_search_query(&self) -> &str {
match &self.import_candidate { match &self.import_candidate {
ImportCandidate::UnqualifiedName(candidate) ImportCandidate::UnqualifiedName(candidate)
| ImportCandidate::QualifierStart(candidate) => &candidate.name, | ImportCandidate::QualifierStart(candidate) => candidate.name.text(),
ImportCandidate::TraitAssocItem(candidate) ImportCandidate::TraitAssocItem(candidate)
| ImportCandidate::TraitMethod(candidate) => &candidate.name, | ImportCandidate::TraitMethod(candidate) => candidate.name.text(),
} }
} }
@ -96,7 +94,7 @@ impl ImportAssets {
&self, &self,
sema: &Semantics<RootDatabase>, sema: &Semantics<RootDatabase>,
config: &InsertUseConfig, config: &InsertUseConfig,
) -> BTreeSet<hir::ModPath> { ) -> Vec<(hir::ModPath, hir::ItemInNs)> {
let _p = profile::span("import_assists::search_for_imports"); let _p = profile::span("import_assists::search_for_imports");
self.search_for(sema, Some(config.prefix_kind)) self.search_for(sema, Some(config.prefix_kind))
} }
@ -106,7 +104,7 @@ impl ImportAssets {
pub(crate) fn search_for_relative_paths( pub(crate) fn search_for_relative_paths(
&self, &self,
sema: &Semantics<RootDatabase>, sema: &Semantics<RootDatabase>,
) -> BTreeSet<hir::ModPath> { ) -> Vec<(hir::ModPath, hir::ItemInNs)> {
let _p = profile::span("import_assists::search_for_relative_paths"); let _p = profile::span("import_assists::search_for_relative_paths");
self.search_for(sema, None) self.search_for(sema, None)
} }
@ -115,7 +113,7 @@ impl ImportAssets {
&self, &self,
sema: &Semantics<RootDatabase>, sema: &Semantics<RootDatabase>,
prefixed: Option<hir::PrefixKind>, prefixed: Option<hir::PrefixKind>,
) -> BTreeSet<hir::ModPath> { ) -> Vec<(hir::ModPath, hir::ItemInNs)> {
let db = sema.db; let db = sema.db;
let mut trait_candidates = FxHashSet::default(); let mut trait_candidates = FxHashSet::default();
let current_crate = self.module_with_name_to_import.krate(); let current_crate = self.module_with_name_to_import.krate();
@ -181,7 +179,7 @@ impl ImportAssets {
} }
}; };
imports_locator::find_imports(sema, current_crate, &self.get_search_query()) let mut res = imports_locator::find_imports(sema, current_crate, &self.get_search_query())
.into_iter() .into_iter()
.filter_map(filter) .filter_map(filter)
.filter_map(|candidate| { .filter_map(|candidate| {
@ -191,10 +189,13 @@ impl ImportAssets {
} else { } else {
self.module_with_name_to_import.find_use_path(db, item) self.module_with_name_to_import.find_use_path(db, item)
} }
.map(|path| (path, item))
}) })
.filter(|use_path| !use_path.segments.is_empty()) .filter(|(use_path, _)| !use_path.segments.is_empty())
.take(20) .take(20)
.collect::<BTreeSet<_>>() .collect::<Vec<_>>();
res.sort_by_key(|(path, _)| path.clone());
res
} }
fn assoc_to_trait(assoc: AssocItemContainer) -> Option<hir::Trait> { fn assoc_to_trait(assoc: AssocItemContainer) -> Option<hir::Trait> {
@ -215,7 +216,7 @@ impl ImportCandidate {
Some(_) => None, Some(_) => None,
None => Some(Self::TraitMethod(TraitImportCandidate { None => Some(Self::TraitMethod(TraitImportCandidate {
ty: sema.type_of_expr(&method_call.receiver()?)?, ty: sema.type_of_expr(&method_call.receiver()?)?,
name: method_call.name_ref()?.syntax().to_string(), name: method_call.name_ref()?,
})), })),
} }
} }
@ -243,24 +244,17 @@ impl ImportCandidate {
hir::PathResolution::Def(hir::ModuleDef::Adt(assoc_item_path)) => { hir::PathResolution::Def(hir::ModuleDef::Adt(assoc_item_path)) => {
ImportCandidate::TraitAssocItem(TraitImportCandidate { ImportCandidate::TraitAssocItem(TraitImportCandidate {
ty: assoc_item_path.ty(sema.db), ty: assoc_item_path.ty(sema.db),
name: segment.syntax().to_string(), name: segment.name_ref()?,
}) })
} }
_ => return None, _ => return None,
} }
} else { } else {
ImportCandidate::QualifierStart(PathImportCandidate { ImportCandidate::QualifierStart(PathImportCandidate { name: qualifier_start })
name: qualifier_start.syntax().to_string(),
})
} }
} else { } else {
ImportCandidate::UnqualifiedName(PathImportCandidate { ImportCandidate::UnqualifiedName(PathImportCandidate {
name: segment name: segment.syntax().descendants().find_map(ast::NameRef::cast)?,
.syntax()
.descendants()
.find_map(ast::NameRef::cast)?
.syntax()
.to_string(),
}) })
}; };
Some(candidate) Some(candidate)

View file

@ -172,6 +172,9 @@ pub fn expr_call(f: ast::Expr, arg_list: ast::ArgList) -> ast::Expr {
pub fn expr_method_call(receiver: ast::Expr, method: &str, arg_list: ast::ArgList) -> ast::Expr { pub fn expr_method_call(receiver: ast::Expr, method: &str, arg_list: ast::ArgList) -> ast::Expr {
expr_from_text(&format!("{}.{}{}", receiver, method, arg_list)) expr_from_text(&format!("{}.{}{}", receiver, method, arg_list))
} }
pub fn expr_ref(expr: ast::Expr, exclusive: bool) -> ast::Expr {
expr_from_text(&if exclusive { format!("&mut {}", expr) } else { format!("&{}", expr) })
}
fn expr_from_text(text: &str) -> ast::Expr { fn expr_from_text(text: &str) -> ast::Expr {
ast_from_text(&format!("const C: () = {};", text)) ast_from_text(&format!("const C: () = {};", text))
} }