]> git.lizzy.rs Git - rust.git/blob - crates/ra_ide_api/src/lib.rs
Merge #554
[rust.git] / crates / ra_ide_api / src / lib.rs
1 //! ra_ide_api crate provides "ide-centric" APIs for the rust-analyzer. That is,
2 //! it generally operates with files and text ranges, and returns results as
3 //! Strings, suitable for displaying to the human.
4 //!
5 //! What powers this API are the `RootDatabase` struct, which defines a `salsa`
6 //! database, and the `ra_hir` crate, where majority of the analysis happens.
7 //! However, IDE specific bits of the analysis (most notably completion) happen
8 //! in this crate.
9 //!
10 //! The sibling `ra_ide_api_light` handles thouse bits of IDE functionality
11 //! which are restricted to a single file and need only syntax.
12 macro_rules! ctry {
13     ($expr:expr) => {
14         match $expr {
15             None => return Ok(None),
16             Some(it) => it,
17         }
18     };
19 }
20
21 mod db;
22 mod imp;
23 pub mod mock_analysis;
24 mod symbol_index;
25 mod navigation_target;
26
27 mod completion;
28 mod runnables;
29 mod goto_definition;
30 mod extend_selection;
31 mod hover;
32 mod call_info;
33 mod syntax_highlighting;
34 mod parent_module;
35
36 use std::{fmt, sync::Arc};
37
38 use ra_syntax::{SourceFile, TreeArc, TextRange, TextUnit};
39 use ra_text_edit::TextEdit;
40 use ra_db::{SyntaxDatabase, FilesDatabase, BaseDatabase};
41 use rayon::prelude::*;
42 use relative_path::RelativePathBuf;
43 use rustc_hash::FxHashMap;
44 use salsa::ParallelDatabase;
45
46 use crate::{
47     symbol_index::{FileSymbol, SymbolIndex},
48     db::LineIndexDatabase,
49 };
50
51 pub use crate::{
52     completion::{CompletionItem, CompletionItemKind, InsertText},
53     runnables::{Runnable, RunnableKind},
54     navigation_target::NavigationTarget,
55 };
56 pub use ra_ide_api_light::{
57     Fold, FoldKind, HighlightedRange, Severity, StructureNode,
58     LineIndex, LineCol, translate_offset_with_edit,
59 };
60 pub use ra_db::{
61     Cancelable, Canceled, CrateGraph, CrateId, FileId, FilePosition, FileRange, SourceRootId
62 };
63
64 #[derive(Default)]
65 pub struct AnalysisChange {
66     new_roots: Vec<(SourceRootId, bool)>,
67     roots_changed: FxHashMap<SourceRootId, RootChange>,
68     files_changed: Vec<(FileId, Arc<String>)>,
69     libraries_added: Vec<LibraryData>,
70     crate_graph: Option<CrateGraph>,
71 }
72
73 #[derive(Default)]
74 struct RootChange {
75     added: Vec<AddFile>,
76     removed: Vec<RemoveFile>,
77 }
78
79 #[derive(Debug)]
80 struct AddFile {
81     file_id: FileId,
82     path: RelativePathBuf,
83     text: Arc<String>,
84 }
85
86 #[derive(Debug)]
87 struct RemoveFile {
88     file_id: FileId,
89     path: RelativePathBuf,
90 }
91
92 impl fmt::Debug for AnalysisChange {
93     fn fmt(&self, fmt: &mut fmt::Formatter) -> fmt::Result {
94         let mut d = fmt.debug_struct("AnalysisChange");
95         if !self.new_roots.is_empty() {
96             d.field("new_roots", &self.new_roots);
97         }
98         if !self.roots_changed.is_empty() {
99             d.field("roots_changed", &self.roots_changed);
100         }
101         if !self.files_changed.is_empty() {
102             d.field("files_changed", &self.files_changed.len());
103         }
104         if !self.libraries_added.is_empty() {
105             d.field("libraries_added", &self.libraries_added.len());
106         }
107         if !self.crate_graph.is_some() {
108             d.field("crate_graph", &self.crate_graph);
109         }
110         d.finish()
111     }
112 }
113
114 impl fmt::Debug for RootChange {
115     fn fmt(&self, fmt: &mut fmt::Formatter) -> fmt::Result {
116         fmt.debug_struct("AnalysisChange")
117             .field("added", &self.added.len())
118             .field("removed", &self.removed.len())
119             .finish()
120     }
121 }
122
123 impl AnalysisChange {
124     pub fn new() -> AnalysisChange {
125         AnalysisChange::default()
126     }
127
128     pub fn add_root(&mut self, root_id: SourceRootId, is_local: bool) {
129         self.new_roots.push((root_id, is_local));
130     }
131
132     pub fn add_file(
133         &mut self,
134         root_id: SourceRootId,
135         file_id: FileId,
136         path: RelativePathBuf,
137         text: Arc<String>,
138     ) {
139         let file = AddFile {
140             file_id,
141             path,
142             text,
143         };
144         self.roots_changed
145             .entry(root_id)
146             .or_default()
147             .added
148             .push(file);
149     }
150
151     pub fn change_file(&mut self, file_id: FileId, new_text: Arc<String>) {
152         self.files_changed.push((file_id, new_text))
153     }
154
155     pub fn remove_file(&mut self, root_id: SourceRootId, file_id: FileId, path: RelativePathBuf) {
156         let file = RemoveFile { file_id, path };
157         self.roots_changed
158             .entry(root_id)
159             .or_default()
160             .removed
161             .push(file);
162     }
163
164     pub fn add_library(&mut self, data: LibraryData) {
165         self.libraries_added.push(data)
166     }
167
168     pub fn set_crate_graph(&mut self, graph: CrateGraph) {
169         self.crate_graph = Some(graph);
170     }
171 }
172
173 #[derive(Debug)]
174 pub struct SourceChange {
175     pub label: String,
176     pub source_file_edits: Vec<SourceFileEdit>,
177     pub file_system_edits: Vec<FileSystemEdit>,
178     pub cursor_position: Option<FilePosition>,
179 }
180
181 #[derive(Debug)]
182 pub struct SourceFileEdit {
183     pub file_id: FileId,
184     pub edit: TextEdit,
185 }
186
187 #[derive(Debug)]
188 pub enum FileSystemEdit {
189     CreateFile {
190         source_root: SourceRootId,
191         path: RelativePathBuf,
192     },
193     MoveFile {
194         src: FileId,
195         dst_source_root: SourceRootId,
196         dst_path: RelativePathBuf,
197     },
198 }
199
200 #[derive(Debug)]
201 pub struct Diagnostic {
202     pub message: String,
203     pub range: TextRange,
204     pub fix: Option<SourceChange>,
205     pub severity: Severity,
206 }
207
208 #[derive(Debug)]
209 pub struct Query {
210     query: String,
211     lowercased: String,
212     only_types: bool,
213     libs: bool,
214     exact: bool,
215     limit: usize,
216 }
217
218 impl Query {
219     pub fn new(query: String) -> Query {
220         let lowercased = query.to_lowercase();
221         Query {
222             query,
223             lowercased,
224             only_types: false,
225             libs: false,
226             exact: false,
227             limit: usize::max_value(),
228         }
229     }
230
231     pub fn only_types(&mut self) {
232         self.only_types = true;
233     }
234
235     pub fn libs(&mut self) {
236         self.libs = true;
237     }
238
239     pub fn exact(&mut self) {
240         self.exact = true;
241     }
242
243     pub fn limit(&mut self, limit: usize) {
244         self.limit = limit
245     }
246 }
247
248 #[derive(Debug)]
249 pub struct RangeInfo<T> {
250     pub range: TextRange,
251     pub info: T,
252 }
253
254 impl<T> RangeInfo<T> {
255     pub fn new(range: TextRange, info: T) -> RangeInfo<T> {
256         RangeInfo { range, info }
257     }
258 }
259
260 #[derive(Debug)]
261 pub struct CallInfo {
262     pub label: String,
263     pub doc: Option<String>,
264     pub parameters: Vec<String>,
265     pub active_parameter: Option<usize>,
266 }
267
268 /// `AnalysisHost` stores the current state of the world.
269 #[derive(Debug, Default)]
270 pub struct AnalysisHost {
271     db: db::RootDatabase,
272 }
273
274 impl AnalysisHost {
275     /// Returns a snapshot of the current state, which you can query for
276     /// semantic information.
277     pub fn analysis(&self) -> Analysis {
278         Analysis {
279             db: self.db.snapshot(),
280         }
281     }
282
283     /// Applies changes to the current state of the world. If there are
284     /// outstanding snapshots, they will be canceled.
285     pub fn apply_change(&mut self, change: AnalysisChange) {
286         self.db.apply_change(change)
287     }
288 }
289
290 /// Analysis is a snapshot of a world state at a moment in time. It is the main
291 /// entry point for asking semantic information about the world. When the world
292 /// state is advanced using `AnalysisHost::apply_change` method, all existing
293 /// `Analysis` are canceled (most method return `Err(Canceled)`).
294 #[derive(Debug)]
295 pub struct Analysis {
296     db: salsa::Snapshot<db::RootDatabase>,
297 }
298
299 impl Analysis {
300     /// Gets the text of the source file.
301     pub fn file_text(&self, file_id: FileId) -> Arc<String> {
302         self.db.file_text(file_id)
303     }
304
305     /// Gets the syntax tree of the file.
306     pub fn file_syntax(&self, file_id: FileId) -> TreeArc<SourceFile> {
307         self.db.source_file(file_id).clone()
308     }
309
310     /// Gets the file's `LineIndex`: data structure to convert between absolute
311     /// offsets and line/column representation.
312     pub fn file_line_index(&self, file_id: FileId) -> Arc<LineIndex> {
313         self.db.line_index(file_id)
314     }
315
316     /// Selects the next syntactic nodes encopasing the range.
317     pub fn extend_selection(&self, frange: FileRange) -> TextRange {
318         extend_selection::extend_selection(&self.db, frange)
319     }
320
321     /// Returns position of the mathcing brace (all types of braces are
322     /// supported).
323     pub fn matching_brace(&self, file: &SourceFile, offset: TextUnit) -> Option<TextUnit> {
324         ra_ide_api_light::matching_brace(file, offset)
325     }
326
327     /// Returns a syntax tree represented as `String`, for debug purposes.
328     // FIXME: use a better name here.
329     pub fn syntax_tree(&self, file_id: FileId) -> String {
330         let file = self.db.source_file(file_id);
331         ra_ide_api_light::syntax_tree(&file)
332     }
333
334     /// Returns an edit to remove all newlines in the range, cleaning up minor
335     /// stuff like trailing commas.
336     pub fn join_lines(&self, frange: FileRange) -> SourceChange {
337         let file = self.db.source_file(frange.file_id);
338         SourceChange::from_local_edit(
339             frange.file_id,
340             ra_ide_api_light::join_lines(&file, frange.range),
341         )
342     }
343
344     /// Returns an edit which should be applied when opening a new line, fixing
345     /// up minor stuff like continuing the comment.
346     pub fn on_enter(&self, position: FilePosition) -> Option<SourceChange> {
347         let file = self.db.source_file(position.file_id);
348         let edit = ra_ide_api_light::on_enter(&file, position.offset)?;
349         Some(SourceChange::from_local_edit(position.file_id, edit))
350     }
351
352     /// Returns an edit which should be applied after `=` was typed. Primarily,
353     /// this works when adding `let =`.
354     // FIXME: use a snippet completion instead of this hack here.
355     pub fn on_eq_typed(&self, position: FilePosition) -> Option<SourceChange> {
356         let file = self.db.source_file(position.file_id);
357         let edit = ra_ide_api_light::on_eq_typed(&file, position.offset)?;
358         Some(SourceChange::from_local_edit(position.file_id, edit))
359     }
360
361     /// Returns an edit which should be applied when a dot ('.') is typed on a blank line, indenting the line appropriately.
362     pub fn on_dot_typed(&self, position: FilePosition) -> Option<SourceChange> {
363         let file = self.db.source_file(position.file_id);
364         let edit = ra_ide_api_light::on_dot_typed(&file, position.offset)?;
365         Some(SourceChange::from_local_edit(position.file_id, edit))
366     }
367
368     /// Returns a tree representation of symbols in the file. Useful to draw a
369     /// file outline.
370     pub fn file_structure(&self, file_id: FileId) -> Vec<StructureNode> {
371         let file = self.db.source_file(file_id);
372         ra_ide_api_light::file_structure(&file)
373     }
374
375     /// Returns the set of folding ranges.
376     pub fn folding_ranges(&self, file_id: FileId) -> Vec<Fold> {
377         let file = self.db.source_file(file_id);
378         ra_ide_api_light::folding_ranges(&file)
379     }
380
381     /// Fuzzy searches for a symbol.
382     pub fn symbol_search(&self, query: Query) -> Cancelable<Vec<NavigationTarget>> {
383         self.with_db(|db| {
384             symbol_index::world_symbols(db, query)
385                 .into_iter()
386                 .map(NavigationTarget::from_symbol)
387                 .collect::<Vec<_>>()
388         })
389     }
390
391     pub fn goto_definition(
392         &self,
393         position: FilePosition,
394     ) -> Cancelable<Option<RangeInfo<Vec<NavigationTarget>>>> {
395         self.db
396             .catch_canceled(|db| goto_definition::goto_definition(db, position))?
397     }
398
399     /// Finds all usages of the reference at point.
400     pub fn find_all_refs(&self, position: FilePosition) -> Cancelable<Vec<(FileId, TextRange)>> {
401         self.with_db(|db| db.find_all_refs(position))?
402     }
403
404     /// Returns a short text descrbing element at position.
405     pub fn hover(&self, position: FilePosition) -> Cancelable<Option<RangeInfo<String>>> {
406         self.with_db(|db| hover::hover(db, position))?
407     }
408
409     /// Computes parameter information for the given call expression.
410     pub fn call_info(&self, position: FilePosition) -> Cancelable<Option<CallInfo>> {
411         self.db
412             .catch_canceled(|db| call_info::call_info(db, position))?
413     }
414
415     /// Returns a `mod name;` declaration which created the current module.
416     pub fn parent_module(&self, position: FilePosition) -> Cancelable<Vec<NavigationTarget>> {
417         self.with_db(|db| parent_module::parent_module(db, position))?
418     }
419
420     /// Returns crates this file belongs too.
421     pub fn crate_for(&self, file_id: FileId) -> Cancelable<Vec<CrateId>> {
422         self.with_db(|db| db.crate_for(file_id))
423     }
424
425     /// Returns the root file of the given crate.
426     pub fn crate_root(&self, crate_id: CrateId) -> Cancelable<FileId> {
427         Ok(self.db.crate_graph().crate_root(crate_id))
428     }
429
430     /// Returns the set of possible targets to run for the current file.
431     pub fn runnables(&self, file_id: FileId) -> Cancelable<Vec<Runnable>> {
432         self.db
433             .catch_canceled(|db| runnables::runnables(db, file_id))?
434     }
435
436     /// Computes syntax highlighting for the given file.
437     pub fn highlight(&self, file_id: FileId) -> Cancelable<Vec<HighlightedRange>> {
438         self.db
439             .catch_canceled(|db| syntax_highlighting::highlight(db, file_id))?
440     }
441
442     /// Computes completions at the given position.
443     pub fn completions(&self, position: FilePosition) -> Cancelable<Option<Vec<CompletionItem>>> {
444         let completions = self
445             .db
446             .catch_canceled(|db| completion::completions(db, position))??;
447         Ok(completions.map(|it| it.into()))
448     }
449
450     /// Computes assists (aks code actons aka intentions) for the given
451     /// position.
452     pub fn assists(&self, frange: FileRange) -> Cancelable<Vec<SourceChange>> {
453         Ok(self.db.assists(frange))
454     }
455
456     /// Computes the set of diagnostics for the given file.
457     pub fn diagnostics(&self, file_id: FileId) -> Cancelable<Vec<Diagnostic>> {
458         self.with_db(|db| db.diagnostics(file_id))?
459     }
460
461     /// Computes the type of the expression at the given position.
462     pub fn type_of(&self, frange: FileRange) -> Cancelable<Option<String>> {
463         self.with_db(|db| hover::type_of(db, frange))?
464     }
465
466     /// Returns the edit required to rename reference at the position to the new
467     /// name.
468     pub fn rename(
469         &self,
470         position: FilePosition,
471         new_name: &str,
472     ) -> Cancelable<Vec<SourceFileEdit>> {
473         self.with_db(|db| db.rename(position, new_name))?
474     }
475
476     fn with_db<F: FnOnce(&db::RootDatabase) -> T + std::panic::UnwindSafe, T>(
477         &self,
478         f: F,
479     ) -> Cancelable<T> {
480         self.db.catch_canceled(f)
481     }
482 }
483
484 pub struct LibraryData {
485     root_id: SourceRootId,
486     root_change: RootChange,
487     symbol_index: SymbolIndex,
488 }
489
490 impl fmt::Debug for LibraryData {
491     fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result {
492         f.debug_struct("LibraryData")
493             .field("root_id", &self.root_id)
494             .field("root_change", &self.root_change)
495             .field("n_symbols", &self.symbol_index.len())
496             .finish()
497     }
498 }
499
500 impl LibraryData {
501     pub fn prepare(
502         root_id: SourceRootId,
503         files: Vec<(FileId, RelativePathBuf, Arc<String>)>,
504     ) -> LibraryData {
505         let symbol_index = SymbolIndex::for_files(files.par_iter().map(|(file_id, _, text)| {
506             let file = SourceFile::parse(text);
507             (*file_id, file)
508         }));
509         let mut root_change = RootChange::default();
510         root_change.added = files
511             .into_iter()
512             .map(|(file_id, path, text)| AddFile {
513                 file_id,
514                 path,
515                 text,
516             })
517             .collect();
518         LibraryData {
519             root_id,
520             root_change,
521             symbol_index,
522         }
523     }
524 }
525
526 #[test]
527 fn analysis_is_send() {
528     fn is_send<T: Send>() {}
529     is_send::<Analysis>();
530 }