aboutsummaryrefslogtreecommitdiff
path: root/crates/ra_assists/src/assists/auto_import.rs
blob: d196f6c5c6ec7ff8becaa353f6c61d9b1e9348ec (plain)
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
use hir::{db::HirDatabase, AsName};
use ra_syntax::{
    ast::{self, AstNode},
    SmolStr, SyntaxElement,
    SyntaxKind::{NAME_REF, USE_ITEM},
    SyntaxNode,
};

use crate::{
    assist_ctx::{ActionBuilder, Assist, AssistCtx},
    auto_import_text_edit, AssistId, ImportsLocator,
};

// Assist: auto_import
//
// If the name is unresolved, provides all possible imports for it.
//
// ```
// fn main() {
//     let map = HashMap<|>::new();
// }
// ```
// ->
// ```
// use std::collections::HashMap;
//
// fn main() {
//     let map = HashMap<|>::new();
// }
// ```
pub(crate) fn auto_import<F: ImportsLocator>(
    ctx: AssistCtx<impl HirDatabase>,
    imports_locator: &mut F,
) -> Option<Assist> {
    let path: ast::Path = ctx.find_node_at_offset()?;
    let module = path.syntax().ancestors().find_map(ast::Module::cast);
    let position = match module.and_then(|it| it.item_list()) {
        Some(item_list) => item_list.syntax().clone(),
        None => {
            let current_file = path.syntax().ancestors().find_map(ast::SourceFile::cast)?;
            current_file.syntax().clone()
        }
    };
    let source_analyzer = ctx.source_analyzer(&position, None);
    let module_with_name_to_import = source_analyzer.module()?;
    let path_to_import = ctx.covering_element().ancestors().find_map(ast::Path::cast)?;
    if source_analyzer.resolve_path(ctx.db, &path_to_import).is_some() {
        return None;
    }

    let name_to_import = &find_applicable_name_ref(ctx.covering_element())?.as_name();
    let proposed_imports = imports_locator
        .find_imports(&name_to_import.to_string())
        .into_iter()
        .filter_map(|module_def| module_with_name_to_import.find_use_path(ctx.db, module_def))
        .filter(|use_path| !use_path.segments.is_empty())
        .take(20)
        .collect::<std::collections::HashSet<_>>();
    if proposed_imports.is_empty() {
        return None;
    }

    ctx.add_assist_group(AssistId("auto_import"), "auto import", || {
        proposed_imports
            .into_iter()
            .map(|import| import_to_action(import.to_string(), &position, &path_to_import))
            .collect()
    })
}

fn find_applicable_name_ref(element: SyntaxElement) -> Option<ast::NameRef> {
    if element.ancestors().find(|ancestor| ancestor.kind() == USE_ITEM).is_some() {
        None
    } else if element.kind() == NAME_REF {
        Some(element.as_node().cloned().and_then(ast::NameRef::cast)?)
    } else {
        let parent = element.parent()?;
        if parent.kind() == NAME_REF {
            Some(ast::NameRef::cast(parent)?)
        } else {
            None
        }
    }
}

fn import_to_action(import: String, position: &SyntaxNode, path: &ast::Path) -> ActionBuilder {
    let mut action_builder = ActionBuilder::default();
    action_builder.label(format!("Import `{}`", &import));
    auto_import_text_edit(
        position,
        &path.syntax().clone(),
        &[SmolStr::new(import)],
        action_builder.text_edit_builder(),
    );
    action_builder
}

#[cfg(test)]
mod tests {
    use super::*;
    use crate::helpers::{
        check_assist_with_imports_locator, check_assist_with_imports_locator_not_applicable,
    };
    use hir::Name;

    #[derive(Clone)]
    struct TestImportsLocator<'a> {
        import_path: &'a [Name],
    }

    impl<'a> TestImportsLocator<'a> {
        fn new(import_path: &'a [Name]) -> Self {
            TestImportsLocator { import_path }
        }
    }

    impl<'a> ImportsLocator for TestImportsLocator<'a> {
        fn find_imports(
            &mut self,
            _: hir::InFile<&ast::NameRef>,
            _: hir::Module,
        ) -> Option<Vec<hir::ModPath>> {
            if self.import_path.is_empty() {
                None
            } else {
                Some(vec![hir::ModPath {
                    kind: hir::PathKind::Plain,
                    segments: self.import_path.to_owned(),
                }])
            }
        }
    }

    #[test]
    fn applicable_when_found_an_import() {
        let import_path = &[hir::name::known::std, hir::name::known::ops, hir::name::known::Debug];
        let mut imports_locator = TestImportsLocator::new(import_path);
        check_assist_with_imports_locator(
            auto_import,
            &mut imports_locator,
            "
            fn main() {
            }

            Debug<|>",
            &format!(
                "
            use {};

            fn main() {{
            }}

            Debug<|>",
                import_path
                    .into_iter()
                    .map(|name| name.to_string())
                    .collect::<Vec<String>>()
                    .join("::")
            ),
        );
    }

    #[test]
    fn not_applicable_when_no_imports_found() {
        let mut imports_locator = TestImportsLocator::new(&[]);
        check_assist_with_imports_locator_not_applicable(
            auto_import,
            &mut imports_locator,
            "
            fn main() {
            }

            Debug<|>",
        );
    }

    #[test]
    fn not_applicable_in_import_statements() {
        let import_path = &[hir::name::known::std, hir::name::known::ops, hir::name::known::Debug];
        let mut imports_locator = TestImportsLocator::new(import_path);
        check_assist_with_imports_locator_not_applicable(
            auto_import,
            &mut imports_locator,
            "use Debug<|>;",
        );
    }
}