erg/crates/els/diagnostics.rs
Shunsuke Shibayama ced04e5d6a fix: bugs
2023-05-13 16:14:34 +09:00

186 lines
6.8 KiB
Rust

use serde_json::json;
use erg_common::style::*;
use erg_common::traits::Stream;
use erg_compiler::artifact::BuildRunnable;
use erg_compiler::error::CompileErrors;
use lsp_types::{Diagnostic, DiagnosticSeverity, Position, PublishDiagnosticsParams, Range, Url};
use crate::diff::{ASTDiff, HIRDiff};
use crate::server::{send, send_log, AnalysisResult, DefaultFeatures, ELSResult, Server};
use crate::util::{self, NormalizedUrl};
impl<Checker: BuildRunnable> Server<Checker> {
pub(crate) fn check_file<S: Into<String>>(
&mut self,
uri: NormalizedUrl,
code: S,
) -> ELSResult<()> {
send_log(format!("checking {uri}"))?;
let path = util::uri_to_path(&uri);
let mode = if path.to_string_lossy().ends_with(".d.er") {
"declare"
} else {
"exec"
};
let mut checker = self.get_checker(path);
match checker.build(code.into(), mode) {
Ok(artifact) => {
send_log(format!("checking {uri} passed"))?;
let uri_and_diags = self.make_uri_and_diags(uri.clone(), artifact.warns.clone());
// clear previous diagnostics
self.send_diagnostics(uri.clone().raw(), vec![])?;
for (uri, diags) in uri_and_diags.into_iter() {
send_log(format!("{uri}, warns: {}", diags.len()))?;
self.send_diagnostics(uri, diags)?;
}
if let Some(module) = self.file_cache.get_ast(&uri) {
self.artifacts
.insert(uri.clone(), AnalysisResult::new(module, artifact.into()));
}
}
Err(artifact) => {
send_log(format!("found errors: {}", artifact.errors.len()))?;
send_log(format!("found warns: {}", artifact.warns.len()))?;
let diags = artifact
.errors
.clone()
.into_iter()
.chain(artifact.warns.clone().into_iter())
.collect();
let uri_and_diags = self.make_uri_and_diags(uri.clone(), diags);
if uri_and_diags.is_empty() {
self.send_diagnostics(uri.clone().raw(), vec![])?;
}
for (uri, diags) in uri_and_diags.into_iter() {
send_log(format!("{uri}, errs & warns: {}", diags.len()))?;
self.send_diagnostics(uri, diags)?;
}
if let Some(module) = self.file_cache.get_ast(&uri) {
self.artifacts
.insert(uri.clone(), AnalysisResult::new(module, artifact));
}
}
}
if let Some(module) = checker.pop_context() {
send_log(format!("{uri}: {}", module.context.name))?;
self.modules.insert(uri.clone(), module);
}
let dependents = self.dependents_of(&uri);
for dep in dependents {
// _log!("dep: {dep}");
let code = self.file_cache.get_entire_code(&dep)?.to_string();
self.check_file(dep, code)?;
}
Ok(())
}
pub(crate) fn quick_check_file(&mut self, uri: NormalizedUrl) -> ELSResult<()> {
let Some(old) = self.artifacts.get(&uri).map(|r| &r.ast) else {
crate::_log!("not found");
return Ok(());
};
let Some(new) = self.file_cache.get_ast(&uri) else {
crate::_log!("not found");
return Ok(());
};
let ast_diff = ASTDiff::diff(old, &new);
crate::_log!("diff: {ast_diff:?}");
if let Some(mut lowerer) = self.get_lowerer(&uri) {
let hir = self
.artifacts
.get_mut(&uri)
.and_then(|r| r.artifact.object.as_mut());
if let Some((hir_diff, hir)) = HIRDiff::new(ast_diff, &mut lowerer).zip(hir) {
crate::_log!("hir_diff: {hir_diff:?}");
hir_diff.update(hir);
}
self.restore_mod_ctx(&uri, lowerer.pop_mod_ctx().unwrap());
}
Ok(())
}
fn make_uri_and_diags(
&mut self,
uri: NormalizedUrl,
errors: CompileErrors,
) -> Vec<(Url, Vec<Diagnostic>)> {
let mut uri_and_diags: Vec<(Url, Vec<Diagnostic>)> = vec![];
for err in errors.into_iter() {
let loc = err.core.get_loc_with_fallback();
let res_uri = if let Some(path) = err.input.path() {
Url::from_file_path(path)
} else {
Ok(uri.clone().raw())
};
let Ok(err_uri) = res_uri else {
continue;
};
let mut message = remove_style(&err.core.main_message);
for sub in err.core.sub_messages {
for msg in sub.get_msg() {
message.push('\n');
message.push_str(&remove_style(msg));
}
if let Some(hint) = sub.get_hint() {
message.push('\n');
message.push_str("hint: ");
message.push_str(&remove_style(hint));
}
}
let start = Position::new(
loc.ln_begin().unwrap_or(1) - 1,
loc.col_begin().unwrap_or(0),
);
let end = Position::new(loc.ln_end().unwrap_or(1) - 1, loc.col_end().unwrap_or(0));
let severity = if err.core.kind.is_warning() {
DiagnosticSeverity::WARNING
} else {
DiagnosticSeverity::ERROR
};
let diag = Diagnostic::new(
Range::new(start, end),
Some(severity),
None,
None,
message,
None,
None,
);
if let Some((_, diags)) = uri_and_diags.iter_mut().find(|x| x.0 == err_uri) {
diags.push(diag);
} else {
uri_and_diags.push((err_uri, vec![diag]));
}
}
uri_and_diags
}
fn send_diagnostics(&self, uri: Url, diagnostics: Vec<Diagnostic>) -> ELSResult<()> {
if self
.disabled_features
.contains(&DefaultFeatures::Diagnostics)
{
return Ok(());
}
let params = PublishDiagnosticsParams::new(uri, diagnostics, None);
if self
.client_capas
.text_document
.as_ref()
.map(|doc| doc.publish_diagnostics.is_some())
.unwrap_or(false)
{
send(&json!({
"jsonrpc": "2.0",
"method": "textDocument/publishDiagnostics",
"params": params,
}))?;
} else {
send_log("the client does not support diagnostics")?;
}
Ok(())
}
}