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

444 lines
16 KiB
Rust
Raw Normal View History

2019-10-25 01:00:30 -05:00
//! Config used by the language server.
//!
//! We currently get this config from `initialize` LSP request, which is not the
//! best way to do it, but was the simplest thing we could implement.
//!
//! Of particular interest is the `feature_flags` hash map: while other fields
//! configure the server itself, feature flags are passed into analysis, and
//! tweak things like automatic insertion of `()` in completions.
use std::{ffi::OsString, path::PathBuf};
2020-06-25 02:13:46 -05:00
use flycheck::FlycheckConfig;
use lsp_types::ClientCapabilities;
2020-06-03 06:44:40 -05:00
use ra_ide::{AssistConfig, CompletionConfig, HoverConfig, InlayHintsConfig};
2020-06-24 08:52:07 -05:00
use ra_project_model::{CargoConfig, ProjectJson, ProjectJsonData, ProjectManifest};
2020-04-01 11:41:43 -05:00
use serde::Deserialize;
2020-07-08 11:22:57 -05:00
use vfs::AbsPathBuf;
2020-07-03 10:19:00 -05:00
use crate::diagnostics::DiagnosticsConfig;
2020-04-01 07:32:04 -05:00
#[derive(Debug, Clone)]
pub struct Config {
2020-04-01 11:46:26 -05:00
pub client_caps: ClientCapsConfig,
2020-04-02 04:33:49 -05:00
2020-04-01 10:00:37 -05:00
pub publish_diagnostics: bool,
pub experimental_diagnostics: bool,
2020-06-16 15:26:33 -05:00
pub diagnostics: DiagnosticsConfig,
2020-04-01 10:22:56 -05:00
pub lru_capacity: Option<usize>,
pub proc_macro_srv: Option<(PathBuf, Vec<OsString>)>,
2020-04-02 04:55:04 -05:00
pub files: FilesConfig,
2020-04-02 04:33:49 -05:00
pub notifications: NotificationsConfig,
pub cargo_autoreload: bool,
2020-04-01 11:51:16 -05:00
pub cargo: CargoConfig,
2020-04-02 04:33:49 -05:00
pub rustfmt: RustfmtConfig,
pub flycheck: Option<FlycheckConfig>,
2020-04-02 04:33:49 -05:00
pub inlay_hints: InlayHintsConfig,
pub completion: CompletionConfig,
2020-05-17 05:09:53 -05:00
pub assist: AssistConfig,
2020-04-02 04:33:49 -05:00
pub call_info_full: bool,
2020-05-17 11:51:44 -05:00
pub lens: LensConfig,
2020-06-03 06:15:54 -05:00
pub hover: HoverConfig,
pub with_sysroot: bool,
pub linked_projects: Vec<LinkedProject>,
pub root_path: AbsPathBuf,
}
#[derive(Debug, Clone, Eq, PartialEq)]
pub enum LinkedProject {
ProjectManifest(ProjectManifest),
2020-06-24 07:57:37 -05:00
InlineJsonProject(ProjectJson),
}
impl From<ProjectManifest> for LinkedProject {
fn from(v: ProjectManifest) -> Self {
LinkedProject::ProjectManifest(v)
}
}
2020-06-24 07:57:37 -05:00
impl From<ProjectJson> for LinkedProject {
fn from(v: ProjectJson) -> Self {
LinkedProject::InlineJsonProject(v)
}
2020-05-17 11:51:44 -05:00
}
#[derive(Clone, Debug, PartialEq, Eq)]
pub struct LensConfig {
pub run: bool,
pub debug: bool,
2020-07-05 04:19:16 -05:00
pub implementations: bool,
2020-05-17 11:51:44 -05:00
}
impl Default for LensConfig {
fn default() -> Self {
2020-07-05 04:19:16 -05:00
Self { run: true, debug: true, implementations: true }
2020-05-17 11:51:44 -05:00
}
}
impl LensConfig {
2020-07-05 04:19:16 -05:00
pub const NO_LENS: LensConfig = Self { run: false, debug: false, implementations: false };
2020-05-18 02:27:00 -05:00
2020-05-17 11:51:44 -05:00
pub fn any(&self) -> bool {
2020-07-05 04:19:16 -05:00
self.implementations || self.runnable()
2020-05-17 11:51:44 -05:00
}
pub fn none(&self) -> bool {
!self.any()
}
pub fn runnable(&self) -> bool {
self.run || self.debug
}
2020-04-01 07:32:04 -05:00
}
2020-04-02 04:55:04 -05:00
#[derive(Debug, Clone)]
pub struct FilesConfig {
pub watcher: FilesWatcher,
pub exclude: Vec<String>,
2020-04-02 04:55:04 -05:00
}
#[derive(Debug, Clone)]
pub enum FilesWatcher {
2020-04-02 04:55:04 -05:00
Client,
Notify,
}
2020-04-01 10:00:37 -05:00
#[derive(Debug, Clone)]
pub struct NotificationsConfig {
pub cargo_toml_not_found: bool,
}
2020-04-01 07:32:04 -05:00
#[derive(Debug, Clone)]
pub enum RustfmtConfig {
Rustfmt { extra_args: Vec<String> },
CustomCommand { command: String, args: Vec<String> },
2020-04-01 07:32:04 -05:00
}
2020-04-01 11:46:26 -05:00
#[derive(Debug, Clone, Default)]
pub struct ClientCapsConfig {
pub location_link: bool,
pub line_folding_only: bool,
pub hierarchical_symbols: bool,
pub code_action_literals: bool,
pub work_done_progress: bool,
2020-05-22 10:29:55 -05:00
pub code_action_group: bool,
pub resolve_code_action: bool,
2020-06-03 06:15:54 -05:00
pub hover_actions: bool,
2020-07-02 05:37:04 -05:00
pub status_notification: bool,
pub signature_help_label_offsets: bool,
2020-04-01 11:46:26 -05:00
}
impl Config {
pub fn new(root_path: AbsPathBuf) -> Self {
2020-04-01 11:41:43 -05:00
Config {
2020-04-02 04:33:49 -05:00
client_caps: ClientCapsConfig::default(),
with_sysroot: true,
2020-04-01 11:41:43 -05:00
publish_diagnostics: true,
experimental_diagnostics: true,
2020-06-16 15:26:33 -05:00
diagnostics: DiagnosticsConfig::default(),
2020-04-02 04:33:49 -05:00
lru_capacity: None,
proc_macro_srv: None,
2020-04-02 04:55:04 -05:00
files: FilesConfig { watcher: FilesWatcher::Notify, exclude: Vec::new() },
notifications: NotificationsConfig { cargo_toml_not_found: true },
2020-04-02 04:33:49 -05:00
cargo_autoreload: true,
2020-04-02 04:33:49 -05:00
cargo: CargoConfig::default(),
rustfmt: RustfmtConfig::Rustfmt { extra_args: Vec::new() },
flycheck: Some(FlycheckConfig::CargoCommand {
2020-04-02 04:33:49 -05:00
command: "check".to_string(),
2020-07-21 03:50:24 -05:00
target_triple: None,
2020-04-02 04:33:49 -05:00
all_targets: true,
all_features: false,
2020-04-02 04:33:49 -05:00
extra_args: Vec::new(),
features: Vec::new(),
2020-04-02 04:33:49 -05:00
}),
2020-04-01 11:41:43 -05:00
inlay_hints: InlayHintsConfig {
type_hints: true,
parameter_hints: true,
chaining_hints: true,
max_length: None,
},
completion: CompletionConfig {
enable_postfix_completions: true,
add_call_parenthesis: true,
add_call_argument_snippets: true,
2020-04-23 19:06:12 -05:00
..CompletionConfig::default()
2020-04-01 11:41:43 -05:00
},
2020-05-17 05:09:53 -05:00
assist: AssistConfig::default(),
2020-04-01 11:41:43 -05:00
call_info_full: true,
2020-05-17 11:51:44 -05:00
lens: LensConfig::default(),
2020-06-03 06:15:54 -05:00
hover: HoverConfig::default(),
linked_projects: Vec::new(),
root_path,
2020-04-01 10:00:37 -05:00
}
}
pub fn update(&mut self, json: serde_json::Value) {
log::info!("Config::update({:#})", json);
2020-07-20 17:11:32 -05:00
if json.is_null() || json.as_object().map_or(false, |it| it.is_empty()) {
return;
}
let data = ConfigData::from_json(json);
self.with_sysroot = data.withSysroot;
self.publish_diagnostics = data.diagnostics_enable;
self.experimental_diagnostics = data.diagnostics_enableExperimental;
self.diagnostics = DiagnosticsConfig {
warnings_as_info: data.diagnostics_warningsAsInfo,
warnings_as_hint: data.diagnostics_warningsAsHint,
};
self.lru_capacity = data.lruCapacity;
self.files.watcher = match data.files_watcher.as_str() {
"notify" => FilesWatcher::Notify,
"client" | _ => FilesWatcher::Client,
};
self.notifications =
NotificationsConfig { cargo_toml_not_found: data.notifications_cargoTomlNotFound };
self.cargo_autoreload = data.cargo_autoreload;
self.cargo = CargoConfig {
no_default_features: data.cargo_noDefaultFeatures,
all_features: data.cargo_allFeatures,
features: data.cargo_features.clone(),
load_out_dirs_from_check: data.cargo_loadOutDirsFromCheck,
2020-07-21 03:30:54 -05:00
target: data.cargo_target.clone(),
2020-04-04 08:04:49 -05:00
};
2020-04-12 11:05:33 -05:00
self.proc_macro_srv = if data.procMacro_enable {
std::env::current_exe().ok().map(|path| (path, vec!["proc-macro".into()]))
} else {
None
};
self.rustfmt = match data.rustfmt_overrideCommand {
Some(mut args) if !args.is_empty() => {
let command = args.remove(0);
RustfmtConfig::CustomCommand { command, args }
}
Some(_) | None => RustfmtConfig::Rustfmt { extra_args: data.rustfmt_extraArgs },
};
2020-04-04 08:04:49 -05:00
self.flycheck = if data.checkOnSave_enable {
let flycheck_config = match data.checkOnSave_overrideCommand {
Some(mut args) if !args.is_empty() => {
let command = args.remove(0);
FlycheckConfig::CustomCommand { command, args }
}
Some(_) | None => FlycheckConfig::CargoCommand {
command: data.checkOnSave_command,
2020-07-21 03:50:24 -05:00
target_triple: data.checkOnSave_target.or(data.cargo_target),
all_targets: data.checkOnSave_allTargets,
all_features: data.checkOnSave_allFeatures.unwrap_or(data.cargo_allFeatures),
features: data.checkOnSave_features.unwrap_or(data.cargo_features),
extra_args: data.checkOnSave_extraArgs,
},
};
Some(flycheck_config)
2020-05-18 02:27:00 -05:00
} else {
None
};
2020-02-17 02:44:58 -06:00
self.inlay_hints = InlayHintsConfig {
type_hints: data.inlayHints_typeHints,
parameter_hints: data.inlayHints_parameterHints,
chaining_hints: data.inlayHints_chainingHints,
max_length: data.inlayHints_maxLength,
};
2020-06-03 07:48:38 -05:00
self.completion.enable_postfix_completions = data.completion_postfix_enable;
self.completion.add_call_parenthesis = data.completion_addCallParenthesis;
self.completion.add_call_argument_snippets = data.completion_addCallArgumentSnippets;
2020-06-03 06:15:54 -05:00
self.call_info_full = data.callInfo_full;
self.lens = LensConfig {
run: data.lens_enable && data.lens_run,
debug: data.lens_enable && data.lens_debug,
implementations: data.lens_enable && data.lens_implementations,
};
if !data.linkedProjects.is_empty() {
self.linked_projects.clear();
for linked_project in data.linkedProjects {
let linked_project = match linked_project {
ManifestOrProjectJson::Manifest(it) => {
let path = self.root_path.join(it);
match ProjectManifest::from_manifest_file(path) {
Ok(it) => it.into(),
Err(_) => continue,
}
}
ManifestOrProjectJson::ProjectJson(it) => {
ProjectJson::new(&self.root_path, it).into()
}
};
self.linked_projects.push(linked_project);
2020-04-01 11:41:43 -05:00
}
}
self.hover = HoverConfig {
implementations: data.hoverActions_enable && data.hoverActions_implementations,
run: data.hoverActions_enable && data.hoverActions_run,
debug: data.hoverActions_enable && data.hoverActions_debug,
goto_type_def: data.hoverActions_enable && data.hoverActions_gotoTypeDef,
};
log::info!("Config::update() = {:#?}", self);
}
pub fn update_caps(&mut self, caps: &ClientCapabilities) {
if let Some(doc_caps) = caps.text_document.as_ref() {
if let Some(value) = doc_caps.definition.as_ref().and_then(|it| it.link_support) {
2020-05-17 12:38:50 -05:00
self.client_caps.location_link = value;
}
if let Some(value) = doc_caps.folding_range.as_ref().and_then(|it| it.line_folding_only)
{
2020-05-17 12:38:50 -05:00
self.client_caps.line_folding_only = value
}
if let Some(value) = doc_caps
.document_symbol
.as_ref()
.and_then(|it| it.hierarchical_document_symbol_support)
2020-05-17 12:38:50 -05:00
{
self.client_caps.hierarchical_symbols = value
}
2020-05-22 16:26:31 -05:00
if let Some(value) =
doc_caps.code_action.as_ref().map(|it| it.code_action_literal_support.is_some())
2020-05-17 12:38:50 -05:00
{
self.client_caps.code_action_literals = value;
}
if let Some(value) = doc_caps
.signature_help
.as_ref()
.and_then(|it| it.signature_information.as_ref())
.and_then(|it| it.parameter_information.as_ref())
.and_then(|it| it.label_offset_support)
{
self.client_caps.signature_help_label_offsets = value;
}
2020-05-17 14:24:33 -05:00
2020-05-17 12:38:50 -05:00
self.completion.allow_snippets(false);
if let Some(completion) = &doc_caps.completion {
2020-05-17 12:38:50 -05:00
if let Some(completion_item) = &completion.completion_item {
if let Some(value) = completion_item.snippet_support {
self.completion.allow_snippets(value);
}
2020-04-23 19:39:07 -05:00
}
}
}
if let Some(window_caps) = caps.window.as_ref() {
if let Some(value) = window_caps.work_done_progress {
self.client_caps.work_done_progress = value;
}
}
2020-05-17 14:24:33 -05:00
self.assist.allow_snippets(false);
if let Some(experimental) = &caps.experimental {
2020-06-03 06:44:40 -05:00
let get_bool =
|index: &str| experimental.get(index).and_then(|it| it.as_bool()) == Some(true);
2020-05-22 10:29:55 -05:00
2020-06-03 06:15:54 -05:00
let snippet_text_edit = get_bool("snippetTextEdit");
self.assist.allow_snippets(snippet_text_edit);
2020-06-03 06:15:54 -05:00
self.client_caps.code_action_group = get_bool("codeActionGroup");
self.client_caps.resolve_code_action = get_bool("resolveCodeAction");
2020-06-03 06:15:54 -05:00
self.client_caps.hover_actions = get_bool("hoverActions");
2020-07-02 05:37:04 -05:00
self.client_caps.status_notification = get_bool("statusNotification");
2020-05-17 14:24:33 -05:00
}
}
}
2020-06-03 07:48:38 -05:00
#[derive(Deserialize)]
#[serde(untagged)]
2020-06-24 08:52:07 -05:00
enum ManifestOrProjectJson {
2020-06-03 07:48:38 -05:00
Manifest(PathBuf),
2020-06-24 08:52:07 -05:00
ProjectJson(ProjectJsonData),
2020-06-03 07:48:38 -05:00
}
macro_rules! config_data {
(struct $name:ident { $($field:ident: $ty:ty = $default:expr,)*}) => {
#[allow(non_snake_case)]
struct $name { $($field: $ty,)* }
impl $name {
fn from_json(mut json: serde_json::Value) -> $name {
$name {$(
$field: {
let pointer = stringify!($field).replace('_', "/");
let pointer = format!("/{}", pointer);
json.pointer_mut(&pointer)
.and_then(|it| serde_json::from_value(it.take()).ok())
.unwrap_or($default)
},
)*}
}
}
};
}
config_data! {
struct ConfigData {
callInfo_full: bool = true,
cargo_autoreload: bool = true,
cargo_allFeatures: bool = false,
cargo_features: Vec<String> = Vec::new(),
cargo_loadOutDirsFromCheck: bool = false,
cargo_noDefaultFeatures: bool = false,
cargo_target: Option<String> = None,
2020-07-21 03:30:54 -05:00
checkOnSave_enable: bool = false,
checkOnSave_allFeatures: Option<bool> = None,
checkOnSave_allTargets: bool = true,
checkOnSave_command: String = "check".into(),
2020-07-21 03:30:54 -05:00
checkOnSave_target: Option<String> = None,
checkOnSave_extraArgs: Vec<String> = Vec::new(),
checkOnSave_features: Option<Vec<String>> = None,
checkOnSave_overrideCommand: Option<Vec<String>> = None,
completion_addCallArgumentSnippets: bool = true,
completion_addCallParenthesis: bool = true,
completion_postfix_enable: bool = true,
diagnostics_enable: bool = true,
diagnostics_enableExperimental: bool = true,
diagnostics_warningsAsHint: Vec<String> = Vec::new(),
diagnostics_warningsAsInfo: Vec<String> = Vec::new(),
files_watcher: String = "client".into(),
hoverActions_debug: bool = true,
hoverActions_enable: bool = true,
hoverActions_gotoTypeDef: bool = true,
hoverActions_implementations: bool = true,
hoverActions_run: bool = true,
inlayHints_chainingHints: bool = true,
inlayHints_maxLength: Option<usize> = None,
inlayHints_parameterHints: bool = true,
inlayHints_typeHints: bool = true,
lens_debug: bool = true,
lens_enable: bool = true,
lens_implementations: bool = true,
lens_run: bool = true,
linkedProjects: Vec<ManifestOrProjectJson> = Vec::new(),
lruCapacity: Option<usize> = None,
notifications_cargoTomlNotFound: bool = true,
procMacro_enable: bool = false,
rustfmt_extraArgs: Vec<String> = Vec::new(),
rustfmt_overrideCommand: Option<Vec<String>> = None,
withSysroot: bool = true,
}
}