aboutsummaryrefslogtreecommitdiff
path: root/crates/libeditor/src/completion.rs
blob: 16c9ead7416e3faa40774a5b5c9b366aede84fae (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
use libsyntax2::{
    File, TextUnit, AstNode, SyntaxNodeRef,
    ast::{self, NameOwner},
    algo::{
        ancestors,
        visit::{visitor_ctx, VisitorCtx},
        walk::preorder,
    },
};

use {
    AtomEdit, find_node_at_offset,
};

#[derive(Debug)]
pub struct CompletionItem {
    name: String,
}

pub fn scope_completion(file: &File, offset: TextUnit) -> Option<Vec<CompletionItem>> {
    // Insert a fake ident to get a valid parse tree
    let file = {
        let edit = AtomEdit::insert(offset, "intellijRulezz".to_string());
        // Don't bother with completion if incremental reparse fails
        file.incremental_reparse(&edit)?
    };
    let name_ref = find_node_at_offset::<ast::NameRef>(file.syntax(), offset)?;
    Some(complete(name_ref))
}

fn complete(name_ref: ast::NameRef) -> Vec<CompletionItem> {
    let mut res = Vec::new();
    for node in ancestors(name_ref.syntax()) {
        process_scope(node, &mut res);
    }
    res
}

fn process_scope(node: SyntaxNodeRef, sink: &mut Vec<CompletionItem>) {
    let _ = visitor_ctx(sink)
        .visit::<ast::Block, _>(|block, sink| {
            block.let_stmts()
                .filter_map(|it| it.pat())
                .for_each(move |it| process_pat(it, sink))
        })
        .visit::<ast::FnDef, _>(|fn_def, sink| {
            fn_def.param_list().into_iter()
                .flat_map(|it| it.params())
                .filter_map(|it| it.pat())
                .for_each(move |it| process_pat(it, sink))
        })
        .accept(node);

    fn process_pat(pat: ast::Pat, sink: &mut Vec<CompletionItem>) {
        let items = preorder(pat.syntax())
            .filter_map(ast::BindPat::cast)
            .filter_map(ast::BindPat::name)
            .map(|name| CompletionItem { name: name.text().to_string() });
        sink.extend(items);
    }
}