]> git.lizzy.rs Git - rust.git/blob - crates/ide_db/src/helpers.rs
Merge #9353
[rust.git] / crates / ide_db / src / helpers.rs
1 //! A module with ide helpers for high-level ide features.
2 pub mod import_assets;
3 pub mod insert_use;
4 pub mod merge_imports;
5 pub mod rust_doc;
6 pub mod generated_lints;
7
8 use std::collections::VecDeque;
9
10 use base_db::FileId;
11 use either::Either;
12 use hir::{Crate, Enum, ItemInNs, MacroDef, Module, ModuleDef, Name, ScopeDef, Semantics, Trait};
13 use syntax::{
14     ast::{self, make},
15     SyntaxKind, SyntaxToken, TokenAtOffset,
16 };
17
18 use crate::RootDatabase;
19
20 pub fn item_name(db: &RootDatabase, item: ItemInNs) -> Option<Name> {
21     match item {
22         ItemInNs::Types(module_def_id) => ModuleDef::from(module_def_id).name(db),
23         ItemInNs::Values(module_def_id) => ModuleDef::from(module_def_id).name(db),
24         ItemInNs::Macros(macro_def_id) => MacroDef::from(macro_def_id).name(db),
25     }
26 }
27
28 /// Picks the token with the highest rank returned by the passed in function.
29 pub fn pick_best_token(
30     tokens: TokenAtOffset<SyntaxToken>,
31     f: impl Fn(SyntaxKind) -> usize,
32 ) -> Option<SyntaxToken> {
33     tokens.max_by_key(move |t| f(t.kind()))
34 }
35
36 /// Converts the mod path struct into its ast representation.
37 pub fn mod_path_to_ast(path: &hir::ModPath) -> ast::Path {
38     let _p = profile::span("mod_path_to_ast");
39
40     let mut segments = Vec::new();
41     let mut is_abs = false;
42     match path.kind {
43         hir::PathKind::Plain => {}
44         hir::PathKind::Super(0) => segments.push(make::path_segment_self()),
45         hir::PathKind::Super(n) => segments.extend((0..n).map(|_| make::path_segment_super())),
46         hir::PathKind::DollarCrate(_) | hir::PathKind::Crate => {
47             segments.push(make::path_segment_crate())
48         }
49         hir::PathKind::Abs => is_abs = true,
50     }
51
52     segments.extend(
53         path.segments()
54             .iter()
55             .map(|segment| make::path_segment(make::name_ref(&segment.to_string()))),
56     );
57     make::path_from_segments(segments, is_abs)
58 }
59
60 /// Iterates all `ModuleDef`s and `Impl` blocks of the given file.
61 pub fn visit_file_defs(
62     sema: &Semantics<RootDatabase>,
63     file_id: FileId,
64     cb: &mut dyn FnMut(Either<hir::ModuleDef, hir::Impl>),
65 ) {
66     let db = sema.db;
67     let module = match sema.to_module_def(file_id) {
68         Some(it) => it,
69         None => return,
70     };
71     let mut defs: VecDeque<_> = module.declarations(db).into();
72     while let Some(def) = defs.pop_front() {
73         if let ModuleDef::Module(submodule) = def {
74             if let hir::ModuleSource::Module(_) = submodule.definition_source(db).value {
75                 defs.extend(submodule.declarations(db));
76                 submodule.impl_defs(db).into_iter().for_each(|impl_| cb(Either::Right(impl_)));
77             }
78         }
79         cb(Either::Left(def));
80     }
81     module.impl_defs(db).into_iter().for_each(|impl_| cb(Either::Right(impl_)));
82 }
83
84 /// Helps with finding well-know things inside the standard library. This is
85 /// somewhat similar to the known paths infra inside hir, but it different; We
86 /// want to make sure that IDE specific paths don't become interesting inside
87 /// the compiler itself as well.
88 ///
89 /// Note that, by default, rust-analyzer tests **do not** include core or std
90 /// libraries. If you are writing tests for functionality using [`FamousDefs`],
91 /// you'd want to include [minicore](test_utils::MiniCore) declaration at the
92 /// start of your tests:
93 ///
94 /// ```
95 /// //- minicore: iterator, ord, derive
96 /// ```
97 pub struct FamousDefs<'a, 'b>(pub &'a Semantics<'b, RootDatabase>, pub Option<Crate>);
98
99 #[allow(non_snake_case)]
100 impl FamousDefs<'_, '_> {
101     pub fn std(&self) -> Option<Crate> {
102         self.find_crate("std")
103     }
104
105     pub fn core(&self) -> Option<Crate> {
106         self.find_crate("core")
107     }
108
109     pub fn core_cmp_Ord(&self) -> Option<Trait> {
110         self.find_trait("core:cmp:Ord")
111     }
112
113     pub fn core_convert_From(&self) -> Option<Trait> {
114         self.find_trait("core:convert:From")
115     }
116
117     pub fn core_convert_Into(&self) -> Option<Trait> {
118         self.find_trait("core:convert:Into")
119     }
120
121     pub fn core_option_Option(&self) -> Option<Enum> {
122         self.find_enum("core:option:Option")
123     }
124
125     pub fn core_default_Default(&self) -> Option<Trait> {
126         self.find_trait("core:default:Default")
127     }
128
129     pub fn core_iter_Iterator(&self) -> Option<Trait> {
130         self.find_trait("core:iter:traits:iterator:Iterator")
131     }
132
133     pub fn core_iter(&self) -> Option<Module> {
134         self.find_module("core:iter")
135     }
136
137     pub fn core_ops_Deref(&self) -> Option<Trait> {
138         self.find_trait("core:ops:Deref")
139     }
140
141     fn find_trait(&self, path: &str) -> Option<Trait> {
142         match self.find_def(path)? {
143             hir::ScopeDef::ModuleDef(hir::ModuleDef::Trait(it)) => Some(it),
144             _ => None,
145         }
146     }
147
148     fn find_enum(&self, path: &str) -> Option<Enum> {
149         match self.find_def(path)? {
150             hir::ScopeDef::ModuleDef(hir::ModuleDef::Adt(hir::Adt::Enum(it))) => Some(it),
151             _ => None,
152         }
153     }
154
155     fn find_module(&self, path: &str) -> Option<Module> {
156         match self.find_def(path)? {
157             hir::ScopeDef::ModuleDef(hir::ModuleDef::Module(it)) => Some(it),
158             _ => None,
159         }
160     }
161
162     fn find_crate(&self, name: &str) -> Option<Crate> {
163         let krate = self.1?;
164         let db = self.0.db;
165         let res =
166             krate.dependencies(db).into_iter().find(|dep| dep.name.to_string() == name)?.krate;
167         Some(res)
168     }
169
170     fn find_def(&self, path: &str) -> Option<ScopeDef> {
171         let db = self.0.db;
172         let mut path = path.split(':');
173         let trait_ = path.next_back()?;
174         let std_crate = path.next()?;
175         let std_crate = self.find_crate(std_crate)?;
176         let mut module = std_crate.root_module(db);
177         for segment in path {
178             module = module.children(db).find_map(|child| {
179                 let name = child.name(db)?;
180                 if name.to_string() == segment {
181                     Some(child)
182                 } else {
183                     None
184                 }
185             })?;
186         }
187         let def =
188             module.scope(db, None).into_iter().find(|(name, _def)| name.to_string() == trait_)?.1;
189         Some(def)
190     }
191 }
192
193 #[derive(Clone, Copy, Debug, PartialEq, Eq)]
194 pub struct SnippetCap {
195     _private: (),
196 }
197
198 impl SnippetCap {
199     pub const fn new(allow_snippets: bool) -> Option<SnippetCap> {
200         if allow_snippets {
201             Some(SnippetCap { _private: () })
202         } else {
203             None
204         }
205     }
206 }