Skip to content
This repository was archived by the owner on Dec 29, 2022. It is now read-only.

Commit 48f32f8

Browse files
author
Jonathan Turner
committed
Add start of completion logic
1 parent 1b32397 commit 48f32f8

File tree

1 file changed

+167
-11
lines changed

1 file changed

+167
-11
lines changed

src/lsproto.rs

+167-11
Original file line numberDiff line numberDiff line change
@@ -1,18 +1,24 @@
1-
#![feature(plugin, custom_derive)]
2-
#![plugin(serde_macros)]
3-
41
extern crate serde;
52
extern crate serde_json;
3+
extern crate racer;
4+
extern crate rustfmt;
65

76
use analysis::{AnalysisHost, Span};
87
use vfs::{Vfs, Change};
98
use build::*;
109
use std::sync::Arc;
1110
use std::path::Path;
1211

12+
use self::racer::core::complete_from_file;
13+
use self::racer::core::find_definition;
14+
use self::racer::core;
15+
use self::rustfmt::{Input as FmtInput, format_input};
16+
use self::rustfmt::config::{self, WriteMode};
17+
1318
use std::fs::{File, OpenOptions};
1419
use std::fmt::Debug;
15-
use serde::Serialize;
20+
use std::panic;
21+
use serde::{Serialize, Deserialize};
1622
use ide::VscodeKind;
1723

1824
use std::io::{self, Read, Write, Error, ErrorKind};
@@ -25,13 +31,13 @@ const RUSTW_TIMEOUT: u64 = 500;
2531
// For now this is a catch-all for any error back to the consumer of the RLS
2632
const MethodNotFound: i64 = -32601;
2733

28-
#[derive(Debug, Deserialize, Serialize)]
34+
#[derive(Clone, Debug, Deserialize, Serialize)]
2935
struct Position {
3036
line: usize,
3137
character: usize
3238
}
3339

34-
#[derive(Debug, Deserialize, Serialize)]
40+
#[derive(Clone, Debug, Deserialize, Serialize)]
3541
struct Range {
3642
start: Position,
3743
end: Position,
@@ -84,6 +90,49 @@ struct SymbolInformation {
8490
location: Location,
8591
}
8692

93+
#[derive(Debug, Deserialize)]
94+
struct CompilerMessageCode {
95+
code: String
96+
}
97+
98+
#[derive(Debug, Deserialize)]
99+
struct CompilerSpan {
100+
file_name: String,
101+
line_start: usize,
102+
column_start: usize,
103+
line_end: usize,
104+
column_end: usize,
105+
}
106+
107+
#[derive(Debug, Deserialize)]
108+
struct CompilerMessage {
109+
message: String,
110+
code: Option<CompilerMessageCode>,
111+
level: String,
112+
spans: Vec<CompilerSpan>,
113+
}
114+
115+
#[derive(Debug, Clone, Serialize)]
116+
struct Diagnostic {
117+
range: Range,
118+
severity: u32,
119+
code: String,
120+
message: String,
121+
}
122+
123+
#[derive(Debug, Serialize)]
124+
struct PublishDiagnosticsParams {
125+
uri: String,
126+
diagnostics: Vec<Diagnostic>,
127+
}
128+
129+
#[derive(Debug, Serialize)]
130+
struct NotificationMessage<T> where T: Debug+Serialize {
131+
jsonrpc: String,
132+
method: String,
133+
params: T,
134+
}
135+
87136
#[allow(non_snake_case)]
88137
#[derive(Debug, Deserialize)]
89138
struct ReferenceParams {
@@ -133,6 +182,7 @@ enum Method {
133182
GotoDef (TextDocumentPositionParams),
134183
FindAllRef (ReferenceParams),
135184
Symbols (DocumentSymbolParams),
185+
Complete (TextDocumentPositionParams),
136186
}
137187

138188
#[derive(Debug, Serialize)]
@@ -164,6 +214,12 @@ struct InitializeCapabilities {
164214
capabilities: ServerCapabilities
165215
}
166216

217+
#[derive(Debug, Serialize)]
218+
struct CompletionItem {
219+
label: String,
220+
detail: String,
221+
}
222+
167223
#[derive(Debug, Serialize)]
168224
struct ResponseSuccess<T> where T:Debug+Serialize {
169225
jsonrpc: String,
@@ -277,6 +333,12 @@ fn parse_message(input: &str) -> io::Result<ServerMessage> {
277333
serde_json::from_value(params.unwrap().to_owned()).unwrap();
278334
Ok(ServerMessage::Request(Request{id: id, method: Method::FindAllRef(method)}))
279335
}
336+
"textDocument/completion" => {
337+
let id = ls_command.lookup("id").unwrap().as_u64().unwrap() as usize;
338+
let method: TextDocumentPositionParams =
339+
serde_json::from_value(params.unwrap().to_owned()).unwrap();
340+
Ok(ServerMessage::Request(Request{id: id, method: Method::Complete(method)}))
341+
}
280342
"textDocument/documentSymbol" => {
281343
let id = ls_command.lookup("id").unwrap().as_u64().unwrap() as usize;
282344
let method: DocumentSymbolParams =
@@ -334,10 +396,51 @@ impl LSService {
334396

335397
let result = self.build_queue.request_build(project_path, priority);
336398
match result {
337-
BuildResult::Success(_) | BuildResult::Failure(_) => {
338-
let reply = serde_json::to_string(&result).unwrap();
399+
BuildResult::Success(ref x) | BuildResult::Failure(ref x) => {
400+
let result: Vec<Diagnostic> = x.iter().map(|msg| {
401+
match serde_json::from_str::<CompilerMessage>(&msg) {
402+
Ok(method) => {
403+
let diag = Diagnostic {
404+
range: Range {
405+
start: Position {
406+
line: method.spans[0].line_start,
407+
character: method.spans[0].column_start,
408+
},
409+
end: Position {
410+
line: method.spans[0].line_end,
411+
character: method.spans[0].column_end,
412+
}
413+
},
414+
severity: if method.level == "error" { 1 } else { 2 },
415+
code: match method.code {
416+
Some(c) => c.code.clone(),
417+
None => String::new(),
418+
},
419+
message: method.message.clone(),
420+
};
421+
let out = NotificationMessage {
422+
jsonrpc: "2.0".into(),
423+
method: "textDocument/publishDiagnostics".to_string(),
424+
params: PublishDiagnosticsParams {
425+
uri: "file://".to_string() + &method.spans[0].file_name,
426+
diagnostics: vec![diag.clone()]
427+
}
428+
};
429+
let output = serde_json::to_string(&out).unwrap();
430+
output_response(output);
431+
diag
432+
}
433+
Err(e) => {
434+
io::stderr().write(&format!("<<ERROR>> {:?}", e).into_bytes());
435+
io::stderr().write(&format!("<<FROM>> {}", msg).into_bytes());
436+
panic!();
437+
}
438+
}
439+
}).collect();
440+
441+
//let reply = serde_json::to_string(&result).unwrap();
339442
// println!("build result: {:?}", result);
340-
log(format!("build result: {:?}", result));
443+
//log(format!("build result: {:?}", result));
341444

342445
let file_name = Path::new(&project_path).file_name()
343446
.unwrap()
@@ -433,6 +536,54 @@ impl LSService {
433536
output_response(output);
434537
}
435538

539+
fn complete(&self, id: usize, params: TextDocumentPositionParams) {
540+
fn adjust_vscode_pos_for_racer(mut source: Position) -> Position {
541+
source.line += 1;
542+
source
543+
}
544+
545+
fn adjust_racer_pos_for_vscode(mut source: Position) -> Position {
546+
if source.line > 0 {
547+
source.line -= 1;
548+
}
549+
source
550+
}
551+
552+
let vfs: &Vfs = &self.vfs;
553+
554+
let pos = adjust_vscode_pos_for_racer(params.position);
555+
let fname: String = params.textDocument.uri.chars().skip("file://".len()).collect();
556+
let file_path = &Path::new(&fname);
557+
558+
let result: Vec<CompletionItem> = panic::catch_unwind(move || {
559+
560+
let cache = core::FileCache::new();
561+
let session = core::Session::from_path(&cache, file_path, file_path);
562+
for (path, txt) in vfs.get_changed_files() {
563+
session.cache_file_contents(&path, txt);
564+
}
565+
566+
let src = session.load_file(file_path);
567+
568+
let pos = session.load_file(file_path).coords_to_point(pos.line, pos.character).unwrap();
569+
let results = complete_from_file(&src.code, file_path, pos, &session);
570+
571+
results.map(|comp| CompletionItem {
572+
label: comp.matchstr.clone(),
573+
detail: comp.contextstr.clone(),
574+
}).collect()
575+
}).unwrap_or(vec![]);
576+
577+
let out = ResponseSuccess {
578+
jsonrpc: "2.0".into(),
579+
id: id,
580+
result: result
581+
};
582+
583+
let output = serde_json::to_string(&out).unwrap();
584+
output_response(output);
585+
}
586+
436587
fn find_all_refs(&self, id: usize, params: ReferenceParams) {
437588
let t = thread::current();
438589
let uri = params.textDocument.uri.clone();
@@ -684,6 +835,10 @@ pub fn run_server(analysis: Arc<AnalysisHost>, vfs: Arc<Vfs>, build_queue: Arc<B
684835
try!(log.write_all(&format!("command(goto): {:?}\n", params).into_bytes()));
685836
service.goto_def(id, params);
686837
}
838+
Method::Complete(params) => {
839+
try!(log.write_all(&format!("command(complete): {:?}\n", params).into_bytes()));
840+
service.complete(id, params);
841+
}
687842
Method::Symbols(params) => {
688843
try!(log.write_all(&format!("command(goto): {:?}\n", params).into_bytes()));
689844
service.symbols(id, params);
@@ -722,10 +877,11 @@ pub fn run_server(analysis: Arc<AnalysisHost>, vfs: Arc<Vfs>, build_queue: Arc<B
722877
}
723878
};
724879

725-
let output = serde_json::to_string(&result).unwrap();
726-
output_response(output);
727880
service.current_project = Some(init.rootPath.clone());
728881
service.build(&init.rootPath, BuildPriority::Immediate);
882+
883+
let output = serde_json::to_string(&result).unwrap();
884+
output_response(output);
729885
}
730886
}
731887
}

0 commit comments

Comments
 (0)