rust/crates/rust-analyzer/src/global_state.rs

389 lines
13 KiB
Rust
Raw Normal View History

2020-02-18 05:25:26 -06:00
//! The context or environment in which the language server functions. In our
//! server implementation this is know as the `WorldState`.
2019-12-21 14:27:38 -06:00
//!
//! Each tick provides an immutable snapshot of the state as `WorldSnapshot`.
2020-06-24 08:52:07 -05:00
use std::{convert::TryFrom, sync::Arc};
2018-08-17 11:54:08 -05:00
2019-08-25 05:04:56 -05:00
use crossbeam_channel::{unbounded, Receiver};
2020-06-25 02:13:46 -05:00
use flycheck::{CheckTask, FlycheckConfig, FlycheckHandle};
2019-01-14 04:55:56 -06:00
use lsp_types::Url;
use parking_lot::RwLock;
2020-06-11 04:04:09 -05:00
use ra_db::{CrateId, SourceRoot, VfsPath};
use ra_ide::{Analysis, AnalysisChange, AnalysisHost, CrateGraph, FileId};
use ra_project_model::{CargoWorkspace, ProcMacroClient, ProjectWorkspace, Target};
2020-03-28 05:08:19 -05:00
use stdx::format_to;
2020-06-24 08:52:07 -05:00
use vfs::{file_set::FileSetConfig, loader::Handle, AbsPath, AbsPathBuf};
2018-08-17 11:54:08 -05:00
2018-10-15 12:15:53 -05:00
use crate::{
2020-06-18 05:39:41 -05:00
config::{Config, FilesWatcher},
2020-06-13 04:00:06 -05:00
diagnostics::{CheckFixes, DiagnosticCollection},
2020-06-11 04:04:09 -05:00
from_proto,
line_endings::LineEndings,
2020-06-24 17:17:11 -05:00
main_loop::ReqQueue,
2020-06-24 11:57:30 -05:00
request_metrics::{LatestRequests, RequestMetrics},
2020-06-13 04:00:06 -05:00
to_proto::url_from_abs_path,
2020-06-11 04:04:09 -05:00
Result,
2018-08-17 11:54:08 -05:00
};
2020-06-24 17:17:11 -05:00
use rustc_hash::{FxHashMap, FxHashSet};
2018-08-17 11:54:08 -05:00
fn create_flycheck(
workspaces: &[ProjectWorkspace],
config: &FlycheckConfig,
2020-06-25 01:39:33 -05:00
) -> Option<(FlycheckHandle, Receiver<CheckTask>)> {
// FIXME: Figure out the multi-workspace situation
workspaces.iter().find_map(move |w| match w {
2020-06-17 18:00:48 -05:00
ProjectWorkspace::Cargo { cargo, .. } => {
2020-06-25 01:39:33 -05:00
let (sender, receiver) = unbounded();
let sender = Box::new(move |msg| sender.send(msg).unwrap());
2020-03-20 17:40:02 -05:00
let cargo_project_root = cargo.workspace_root().to_path_buf();
2020-06-25 01:59:55 -05:00
let flycheck = FlycheckHandle::spawn(sender, config.clone(), cargo_project_root.into());
2020-06-25 01:39:33 -05:00
Some((flycheck, receiver))
2020-06-17 18:00:48 -05:00
}
ProjectWorkspace::Json { .. } => {
2020-03-20 17:40:02 -05:00
log::warn!("Cargo check watching only supported for cargo workspaces, disabling");
None
2020-06-17 18:00:48 -05:00
}
})
2020-03-20 17:40:02 -05:00
}
2020-06-24 17:17:11 -05:00
#[derive(Eq, PartialEq)]
pub(crate) enum Status {
Loading,
Ready,
}
impl Default for Status {
fn default() -> Self {
Status::Loading
}
}
2020-06-03 04:16:08 -05:00
/// `GlobalState` is the primary mutable state of the language server
2019-06-01 02:31:40 -05:00
///
/// The most interesting components are `vfs`, which stores a consistent
/// snapshot of the file systems, and `analysis_host`, which stores our
/// incremental salsa database.
2020-06-24 11:54:05 -05:00
pub(crate) struct GlobalState {
pub(crate) config: Config,
pub(crate) analysis_host: AnalysisHost,
pub(crate) loader: Box<dyn vfs::loader::Handle>,
pub(crate) task_receiver: Receiver<vfs::loader::Message>,
2020-06-25 01:39:33 -05:00
pub(crate) flycheck: Option<(FlycheckHandle, Receiver<CheckTask>)>,
2020-06-24 11:54:05 -05:00
pub(crate) diagnostics: DiagnosticCollection,
2020-06-24 17:17:11 -05:00
pub(crate) mem_docs: FxHashSet<VfsPath>,
2020-06-11 04:04:09 -05:00
pub(crate) vfs: Arc<RwLock<(vfs::Vfs, FxHashMap<FileId, LineEndings>)>>,
2020-06-24 17:17:11 -05:00
pub(crate) status: Status,
pub(crate) req_queue: ReqQueue,
2020-06-24 17:41:08 -05:00
latest_requests: Arc<RwLock<LatestRequests>>,
2020-06-11 04:04:09 -05:00
source_root_config: SourceRootConfig,
2020-06-24 17:17:11 -05:00
_proc_macro_client: ProcMacroClient,
2020-06-24 17:41:08 -05:00
workspaces: Arc<Vec<ProjectWorkspace>>,
2018-08-17 11:54:08 -05:00
}
2019-06-01 02:31:40 -05:00
/// An immutable snapshot of the world's state at a point in time.
2020-06-24 11:54:05 -05:00
pub(crate) struct GlobalStateSnapshot {
pub(crate) config: Config,
pub(crate) analysis: Analysis,
pub(crate) check_fixes: CheckFixes,
2020-06-20 16:08:01 -05:00
pub(crate) latest_requests: Arc<RwLock<LatestRequests>>,
2020-06-11 04:04:09 -05:00
vfs: Arc<RwLock<(vfs::Vfs, FxHashMap<FileId, LineEndings>)>>,
2020-06-24 17:41:08 -05:00
workspaces: Arc<Vec<ProjectWorkspace>>,
2018-08-17 11:54:08 -05:00
}
2020-06-03 04:16:08 -05:00
impl GlobalState {
2020-06-24 11:54:05 -05:00
pub(crate) fn new(
2019-06-07 12:49:29 -05:00
workspaces: Vec<ProjectWorkspace>,
lru_capacity: Option<usize>,
2020-03-31 09:02:55 -05:00
config: Config,
2020-06-24 17:17:11 -05:00
req_queue: ReqQueue,
2020-06-03 04:16:08 -05:00
) -> GlobalState {
let mut change = AnalysisChange::new();
2018-08-17 11:54:08 -05:00
2020-06-11 04:04:09 -05:00
let project_folders = ProjectFolders::new(&workspaces);
2020-03-28 17:33:16 -05:00
2020-06-11 04:04:09 -05:00
let (task_sender, task_receiver) = unbounded::<vfs::loader::Message>();
let mut vfs = vfs::Vfs::default();
2018-08-17 11:54:08 -05:00
2020-03-31 09:29:27 -05:00
let proc_macro_client = match &config.proc_macro_srv {
2020-03-26 15:26:34 -05:00
None => ProcMacroClient::dummy(),
2020-04-20 13:26:10 -05:00
Some((path, args)) => match ProcMacroClient::extern_process(path.into(), args) {
Ok(it) => it,
Err(err) => {
log::error!(
2020-04-22 18:00:56 -05:00
"Failed to run ra_proc_macro_srv from path {}, error: {:?}",
path.display(),
2020-04-20 13:26:10 -05:00
err
);
ProcMacroClient::dummy()
2020-03-26 15:26:34 -05:00
}
2020-04-20 13:26:10 -05:00
},
2020-03-26 15:26:34 -05:00
};
2020-03-18 07:56:46 -05:00
2020-06-11 04:04:09 -05:00
let mut loader = {
2020-06-25 01:59:55 -05:00
let loader = vfs_notify::NotifyHandle::spawn(Box::new(move |msg| {
2020-06-11 04:04:09 -05:00
task_sender.send(msg).unwrap()
}));
Box::new(loader)
};
let watch = match config.files.watcher {
FilesWatcher::Client => vec![],
FilesWatcher::Notify => project_folders.watch,
};
loader.set_config(vfs::loader::Config { load: project_folders.load, watch });
2020-05-09 13:25:10 -05:00
// Create crate graph from all the workspaces
let mut crate_graph = CrateGraph::default();
2020-06-24 08:52:07 -05:00
let mut load = |path: &AbsPath| {
let contents = loader.load_sync(path);
let path = vfs::VfsPath::from(path.to_path_buf());
2020-06-11 04:04:09 -05:00
vfs.set_file_contents(path.clone(), contents);
vfs.file_id(&path)
2020-05-09 13:25:10 -05:00
};
for ws in workspaces.iter() {
crate_graph.extend(ws.to_crate_graph(
config.cargo.target.as_deref(),
2020-05-09 13:25:10 -05:00
&proc_macro_client,
&mut load,
));
}
change.set_crate_graph(crate_graph);
2018-12-19 06:04:15 -06:00
let flycheck = config.check.as_ref().and_then(|c| create_flycheck(&workspaces, c));
2020-03-10 12:56:15 -05:00
let mut analysis_host = AnalysisHost::new(lru_capacity);
2018-12-19 06:04:15 -06:00
analysis_host.apply_change(change);
2020-06-11 04:04:09 -05:00
let mut res = GlobalState {
2020-04-19 14:15:49 -05:00
config,
2018-12-19 06:04:15 -06:00
analysis_host,
2020-06-11 04:04:09 -05:00
loader,
2019-08-25 05:04:56 -05:00
task_receiver,
flycheck,
diagnostics: Default::default(),
2020-06-24 17:17:11 -05:00
mem_docs: FxHashSet::default(),
vfs: Arc::new(RwLock::new((vfs, FxHashMap::default()))),
status: Status::default(),
req_queue,
latest_requests: Default::default(),
2020-06-11 04:04:09 -05:00
source_root_config: project_folders.source_root_config,
2020-06-24 17:17:11 -05:00
_proc_macro_client: proc_macro_client,
2020-06-24 17:41:08 -05:00
workspaces: Arc::new(workspaces),
2020-06-11 04:04:09 -05:00
};
res.process_changes();
res
2018-12-19 06:04:15 -06:00
}
2020-06-24 17:35:22 -05:00
pub(crate) fn update_configuration(&mut self, config: Config) {
2020-04-01 11:41:43 -05:00
self.analysis_host.update_lru_capacity(config.lru_capacity);
if config.check != self.config.check {
self.flycheck =
config.check.as_ref().and_then(|it| create_flycheck(&self.workspaces, it));
2020-04-01 11:41:43 -05:00
}
2020-03-31 09:02:55 -05:00
self.config = config;
}
2020-06-24 17:35:22 -05:00
pub(crate) fn process_changes(&mut self) -> bool {
2020-06-11 04:04:09 -05:00
let change = {
let mut change = AnalysisChange::new();
let (vfs, line_endings_map) = &mut *self.vfs.write();
let changed_files = vfs.take_changes();
if changed_files.is_empty() {
return false;
}
let fs_op = changed_files.iter().any(|it| it.is_created_or_deleted());
if fs_op {
let roots = self.source_root_config.partition(&vfs);
change.set_roots(roots)
}
for file in changed_files {
let text = if file.exists() {
let bytes = vfs.file_contents(file.file_id).to_vec();
match String::from_utf8(bytes).ok() {
Some(text) => {
let (text, line_endings) = LineEndings::normalize(text);
line_endings_map.insert(file.file_id, line_endings);
Some(Arc::new(text))
}
None => None,
2018-12-19 06:40:42 -06:00
}
2020-06-11 04:04:09 -05:00
} else {
None
};
change.change_file(file.file_id, text);
2018-12-19 06:04:15 -06:00
}
2020-06-11 04:04:09 -05:00
change
};
self.analysis_host.apply_change(change);
true
2018-12-19 06:04:15 -06:00
}
2020-06-24 17:35:22 -05:00
pub(crate) fn snapshot(&self) -> GlobalStateSnapshot {
2020-06-03 04:16:08 -05:00
GlobalStateSnapshot {
2020-03-31 09:02:55 -05:00
config: self.config.clone(),
2018-09-02 06:46:15 -05:00
workspaces: Arc::clone(&self.workspaces),
2018-09-10 04:57:40 -05:00
analysis: self.analysis_host.analysis(),
2018-12-19 06:04:15 -06:00
vfs: Arc::clone(&self.vfs),
latest_requests: Arc::clone(&self.latest_requests),
check_fixes: Arc::clone(&self.diagnostics.check_fixes),
2018-08-17 11:54:08 -05:00
}
}
2019-01-25 10:11:58 -06:00
2020-06-24 17:35:22 -05:00
pub(crate) fn maybe_collect_garbage(&mut self) {
2019-01-26 11:33:33 -06:00
self.analysis_host.maybe_collect_garbage()
}
2020-06-24 17:35:22 -05:00
pub(crate) fn collect_garbage(&mut self) {
2019-01-25 10:11:58 -06:00
self.analysis_host.collect_garbage()
}
2019-05-29 07:42:14 -05:00
2020-06-20 16:08:01 -05:00
pub(crate) fn complete_request(&mut self, request: RequestMetrics) {
self.latest_requests.write().record(request)
2019-05-29 07:42:14 -05:00
}
2018-08-17 11:54:08 -05:00
}
2020-06-03 04:16:08 -05:00
impl GlobalStateSnapshot {
2020-06-11 04:04:09 -05:00
pub(crate) fn url_to_file_id(&self, url: &Url) -> Result<FileId> {
let path = from_proto::abs_path(url)?;
let path = path.into();
let res =
self.vfs.read().0.file_id(&path).ok_or_else(|| format!("file not found: {}", path))?;
Ok(res)
2018-08-17 11:54:08 -05:00
}
2020-06-11 04:04:09 -05:00
pub(crate) fn file_id_to_url(&self, id: FileId) -> Url {
file_id_to_url(&self.vfs.read().0, id)
2018-08-17 11:54:08 -05:00
}
2018-12-21 03:18:14 -06:00
2020-06-11 04:04:09 -05:00
pub(crate) fn file_line_endings(&self, id: FileId) -> LineEndings {
self.vfs.read().1[&id]
2019-08-20 10:53:59 -05:00
}
2020-06-24 11:54:05 -05:00
pub(crate) fn anchored_path(&self, file_id: FileId, path: &str) -> Url {
2020-06-11 04:04:09 -05:00
let mut base = self.vfs.read().0.file_path(file_id);
base.pop();
let path = base.join(path);
2020-06-11 04:04:09 -05:00
let path = path.as_path().unwrap();
2020-06-13 04:00:06 -05:00
url_from_abs_path(&path)
2018-12-21 03:18:14 -06:00
}
2019-01-22 15:15:03 -06:00
pub(crate) fn cargo_target_for_crate_root(
&self,
crate_id: CrateId,
) -> Option<(&CargoWorkspace, Target)> {
2020-06-24 17:41:08 -05:00
let file_id = self.analysis.crate_root(crate_id).ok()?;
2020-06-11 04:04:09 -05:00
let path = self.vfs.read().0.file_path(file_id);
let path = path.as_path()?;
self.workspaces.iter().find_map(|ws| match ws {
ProjectWorkspace::Cargo { cargo, .. } => {
cargo.target_by_root(&path).map(|it| (cargo, it))
}
ProjectWorkspace::Json { .. } => None,
})
}
2020-06-24 11:54:05 -05:00
pub(crate) fn status(&self) -> String {
2020-03-28 05:08:19 -05:00
let mut buf = String::new();
2019-01-22 15:15:03 -06:00
if self.workspaces.is_empty() {
2020-03-28 05:08:19 -05:00
buf.push_str("no workspaces\n")
2019-01-22 15:15:03 -06:00
} else {
2020-03-28 05:08:19 -05:00
buf.push_str("workspaces:\n");
2019-01-22 15:15:03 -06:00
for w in self.workspaces.iter() {
2020-03-28 05:08:19 -05:00
format_to!(buf, "{} packages loaded\n", w.n_packages());
2019-01-22 15:15:03 -06:00
}
}
2020-03-28 05:08:19 -05:00
buf.push_str("\nanalysis:\n");
buf.push_str(
2019-07-25 12:22:41 -05:00
&self
.analysis
.status()
.unwrap_or_else(|_| "Analysis retrieval was cancelled".to_owned()),
);
2020-03-28 05:08:19 -05:00
buf
2019-01-22 15:15:03 -06:00
}
2020-06-11 04:04:09 -05:00
}
pub(crate) fn file_id_to_url(vfs: &vfs::Vfs, id: FileId) -> Url {
let path = vfs.file_path(id);
let path = path.as_path().unwrap();
url_from_abs_path(&path)
}
#[derive(Default)]
pub(crate) struct ProjectFolders {
pub(crate) load: Vec<vfs::loader::Entry>,
pub(crate) watch: Vec<usize>,
pub(crate) source_root_config: SourceRootConfig,
}
impl ProjectFolders {
pub(crate) fn new(workspaces: &[ProjectWorkspace]) -> ProjectFolders {
let mut res = ProjectFolders::default();
let mut fsc = FileSetConfig::builder();
let mut local_filesets = vec![];
for root in workspaces.iter().flat_map(|it| it.to_roots()) {
let path = root.path().to_owned();
let mut file_set_roots: Vec<VfsPath> = vec![];
let entry = if root.is_member() {
vfs::loader::Entry::local_cargo_package(path.to_path_buf())
2020-06-11 04:04:09 -05:00
} else {
vfs::loader::Entry::cargo_package_dependency(path.to_path_buf())
2020-06-11 04:04:09 -05:00
};
res.load.push(entry);
if root.is_member() {
res.watch.push(res.load.len() - 1);
}
if let Some(out_dir) = root.out_dir() {
let out_dir = AbsPathBuf::try_from(out_dir.to_path_buf()).unwrap();
res.load.push(vfs::loader::Entry::rs_files_recursively(out_dir.clone()));
if root.is_member() {
res.watch.push(res.load.len() - 1);
}
file_set_roots.push(out_dir.into());
}
file_set_roots.push(path.to_path_buf().into());
2020-06-11 04:04:09 -05:00
if root.is_member() {
local_filesets.push(fsc.len());
}
fsc.add_file_set(file_set_roots)
}
let fsc = fsc.build();
res.source_root_config = SourceRootConfig { fsc, local_filesets };
2020-06-11 04:04:09 -05:00
res
}
2018-08-17 11:54:08 -05:00
}
2020-06-13 04:00:06 -05:00
2020-06-11 04:04:09 -05:00
#[derive(Default, Debug)]
pub(crate) struct SourceRootConfig {
pub(crate) fsc: FileSetConfig,
pub(crate) local_filesets: Vec<usize>,
}
impl SourceRootConfig {
2020-06-24 11:54:05 -05:00
pub(crate) fn partition(&self, vfs: &vfs::Vfs) -> Vec<SourceRoot> {
2020-06-11 04:04:09 -05:00
self.fsc
.partition(vfs)
.into_iter()
.enumerate()
.map(|(idx, file_set)| {
let is_local = self.local_filesets.contains(&idx);
if is_local {
SourceRoot::new_local(file_set)
} else {
SourceRoot::new_library(file_set)
}
})
.collect()
}
2020-06-13 04:00:06 -05:00
}