
- Moves languages module from `zed` into a separate crate. That way we have less of a long pole at the end of compilation. - Removes moot dependencies on editor/picker. This is totally harmless and might help in the future if we decide to decouple picker from editor. Before: ``` Number of crates that depend on 'picker' but not on 'editor': 1 Total number of crates that depend on 'picker': 13 Total number of crates that depend on 'editor': 30 ``` After: ``` Number of crates that depend on 'picker' but not on 'editor': 5 Total number of crates that depend on 'picker': 12 Total number of crates that depend on 'editor': 26 ``` The more crates depend on just picker but not editor, the better in that case. Release Notes: - N/A
549 lines
17 KiB
Rust
549 lines
17 KiB
Rust
use anyhow::{anyhow, bail, Context, Result};
|
|
use async_trait::async_trait;
|
|
use futures::StreamExt;
|
|
use gpui::{AsyncAppContext, Task};
|
|
pub use language::*;
|
|
use lsp::{CompletionItemKind, LanguageServerBinary, SymbolKind};
|
|
use schemars::JsonSchema;
|
|
use serde_derive::{Deserialize, Serialize};
|
|
use settings::Settings;
|
|
use smol::fs::{self, File};
|
|
use std::{
|
|
any::Any,
|
|
env::consts,
|
|
ops::Deref,
|
|
path::PathBuf,
|
|
sync::{
|
|
atomic::{AtomicBool, Ordering::SeqCst},
|
|
Arc,
|
|
},
|
|
};
|
|
use util::{
|
|
async_maybe,
|
|
fs::remove_matching,
|
|
github::{latest_github_release, GitHubLspBinaryVersion},
|
|
ResultExt,
|
|
};
|
|
|
|
#[derive(Clone, Serialize, Deserialize, JsonSchema)]
|
|
pub struct ElixirSettings {
|
|
pub lsp: ElixirLspSetting,
|
|
}
|
|
|
|
#[derive(Clone, Serialize, Deserialize, JsonSchema)]
|
|
#[serde(rename_all = "snake_case")]
|
|
pub enum ElixirLspSetting {
|
|
ElixirLs,
|
|
NextLs,
|
|
Local {
|
|
path: String,
|
|
arguments: Vec<String>,
|
|
},
|
|
}
|
|
|
|
#[derive(Clone, Serialize, Default, Deserialize, JsonSchema)]
|
|
pub struct ElixirSettingsContent {
|
|
lsp: Option<ElixirLspSetting>,
|
|
}
|
|
|
|
impl Settings for ElixirSettings {
|
|
const KEY: Option<&'static str> = Some("elixir");
|
|
|
|
type FileContent = ElixirSettingsContent;
|
|
|
|
fn load(
|
|
default_value: &Self::FileContent,
|
|
user_values: &[&Self::FileContent],
|
|
_: &mut gpui::AppContext,
|
|
) -> Result<Self>
|
|
where
|
|
Self: Sized,
|
|
{
|
|
Self::load_via_json_merge(default_value, user_values)
|
|
}
|
|
}
|
|
|
|
pub struct ElixirLspAdapter;
|
|
|
|
#[async_trait]
|
|
impl LspAdapter for ElixirLspAdapter {
|
|
fn name(&self) -> LanguageServerName {
|
|
LanguageServerName("elixir-ls".into())
|
|
}
|
|
|
|
fn short_name(&self) -> &'static str {
|
|
"elixir-ls"
|
|
}
|
|
|
|
fn will_start_server(
|
|
&self,
|
|
delegate: &Arc<dyn LspAdapterDelegate>,
|
|
cx: &mut AsyncAppContext,
|
|
) -> Option<Task<Result<()>>> {
|
|
static DID_SHOW_NOTIFICATION: AtomicBool = AtomicBool::new(false);
|
|
|
|
const NOTIFICATION_MESSAGE: &str = "Could not run the elixir language server, `elixir-ls`, because `elixir` was not found.";
|
|
|
|
let delegate = delegate.clone();
|
|
Some(cx.spawn(|cx| async move {
|
|
let elixir_output = smol::process::Command::new("elixir")
|
|
.args(["--version"])
|
|
.output()
|
|
.await;
|
|
if elixir_output.is_err() {
|
|
if DID_SHOW_NOTIFICATION
|
|
.compare_exchange(false, true, SeqCst, SeqCst)
|
|
.is_ok()
|
|
{
|
|
cx.update(|cx| {
|
|
delegate.show_notification(NOTIFICATION_MESSAGE, cx);
|
|
})?
|
|
}
|
|
return Err(anyhow!("cannot run elixir-ls"));
|
|
}
|
|
|
|
Ok(())
|
|
}))
|
|
}
|
|
|
|
async fn fetch_latest_server_version(
|
|
&self,
|
|
delegate: &dyn LspAdapterDelegate,
|
|
) -> Result<Box<dyn 'static + Send + Any>> {
|
|
let http = delegate.http_client();
|
|
let release = latest_github_release("elixir-lsp/elixir-ls", true, false, http).await?;
|
|
|
|
let asset_name = format!("elixir-ls-{}.zip", &release.tag_name);
|
|
let asset = release
|
|
.assets
|
|
.iter()
|
|
.find(|asset| asset.name == asset_name)
|
|
.ok_or_else(|| anyhow!("no asset found matching {asset_name:?}"))?;
|
|
|
|
let version = GitHubLspBinaryVersion {
|
|
name: release.tag_name.clone(),
|
|
url: asset.browser_download_url.clone(),
|
|
};
|
|
Ok(Box::new(version) as Box<_>)
|
|
}
|
|
|
|
async fn fetch_server_binary(
|
|
&self,
|
|
version: Box<dyn 'static + Send + Any>,
|
|
container_dir: PathBuf,
|
|
delegate: &dyn LspAdapterDelegate,
|
|
) -> Result<LanguageServerBinary> {
|
|
let version = version.downcast::<GitHubLspBinaryVersion>().unwrap();
|
|
let zip_path = container_dir.join(format!("elixir-ls_{}.zip", version.name));
|
|
let folder_path = container_dir.join("elixir-ls");
|
|
let binary_path = folder_path.join("language_server.sh");
|
|
|
|
if fs::metadata(&binary_path).await.is_err() {
|
|
let mut response = delegate
|
|
.http_client()
|
|
.get(&version.url, Default::default(), true)
|
|
.await
|
|
.context("error downloading release")?;
|
|
let mut file = File::create(&zip_path)
|
|
.await
|
|
.with_context(|| format!("failed to create file {}", zip_path.display()))?;
|
|
if !response.status().is_success() {
|
|
Err(anyhow!(
|
|
"download failed with status {}",
|
|
response.status().to_string()
|
|
))?;
|
|
}
|
|
futures::io::copy(response.body_mut(), &mut file).await?;
|
|
|
|
fs::create_dir_all(&folder_path)
|
|
.await
|
|
.with_context(|| format!("failed to create directory {}", folder_path.display()))?;
|
|
let unzip_status = smol::process::Command::new("unzip")
|
|
.arg(&zip_path)
|
|
.arg("-d")
|
|
.arg(&folder_path)
|
|
.output()
|
|
.await?
|
|
.status;
|
|
if !unzip_status.success() {
|
|
Err(anyhow!("failed to unzip elixir-ls archive"))?;
|
|
}
|
|
|
|
remove_matching(&container_dir, |entry| entry != folder_path).await;
|
|
}
|
|
|
|
Ok(LanguageServerBinary {
|
|
path: binary_path,
|
|
env: None,
|
|
arguments: vec![],
|
|
})
|
|
}
|
|
|
|
async fn cached_server_binary(
|
|
&self,
|
|
container_dir: PathBuf,
|
|
_: &dyn LspAdapterDelegate,
|
|
) -> Option<LanguageServerBinary> {
|
|
get_cached_server_binary_elixir_ls(container_dir).await
|
|
}
|
|
|
|
async fn installation_test_binary(
|
|
&self,
|
|
container_dir: PathBuf,
|
|
) -> Option<LanguageServerBinary> {
|
|
get_cached_server_binary_elixir_ls(container_dir).await
|
|
}
|
|
|
|
async fn label_for_completion(
|
|
&self,
|
|
completion: &lsp::CompletionItem,
|
|
language: &Arc<Language>,
|
|
) -> Option<CodeLabel> {
|
|
match completion.kind.zip(completion.detail.as_ref()) {
|
|
Some((_, detail)) if detail.starts_with("(function)") => {
|
|
let text = detail.strip_prefix("(function) ")?;
|
|
let filter_range = 0..text.find('(').unwrap_or(text.len());
|
|
let source = Rope::from(format!("def {text}").as_str());
|
|
let runs = language.highlight_text(&source, 4..4 + text.len());
|
|
return Some(CodeLabel {
|
|
text: text.to_string(),
|
|
runs,
|
|
filter_range,
|
|
});
|
|
}
|
|
Some((_, detail)) if detail.starts_with("(macro)") => {
|
|
let text = detail.strip_prefix("(macro) ")?;
|
|
let filter_range = 0..text.find('(').unwrap_or(text.len());
|
|
let source = Rope::from(format!("defmacro {text}").as_str());
|
|
let runs = language.highlight_text(&source, 9..9 + text.len());
|
|
return Some(CodeLabel {
|
|
text: text.to_string(),
|
|
runs,
|
|
filter_range,
|
|
});
|
|
}
|
|
Some((
|
|
CompletionItemKind::CLASS
|
|
| CompletionItemKind::MODULE
|
|
| CompletionItemKind::INTERFACE
|
|
| CompletionItemKind::STRUCT,
|
|
_,
|
|
)) => {
|
|
let filter_range = 0..completion
|
|
.label
|
|
.find(" (")
|
|
.unwrap_or(completion.label.len());
|
|
let text = &completion.label[filter_range.clone()];
|
|
let source = Rope::from(format!("defmodule {text}").as_str());
|
|
let runs = language.highlight_text(&source, 10..10 + text.len());
|
|
return Some(CodeLabel {
|
|
text: completion.label.clone(),
|
|
runs,
|
|
filter_range,
|
|
});
|
|
}
|
|
_ => {}
|
|
}
|
|
|
|
None
|
|
}
|
|
|
|
async fn label_for_symbol(
|
|
&self,
|
|
name: &str,
|
|
kind: SymbolKind,
|
|
language: &Arc<Language>,
|
|
) -> Option<CodeLabel> {
|
|
let (text, filter_range, display_range) = match kind {
|
|
SymbolKind::METHOD | SymbolKind::FUNCTION => {
|
|
let text = format!("def {}", name);
|
|
let filter_range = 4..4 + name.len();
|
|
let display_range = 0..filter_range.end;
|
|
(text, filter_range, display_range)
|
|
}
|
|
SymbolKind::CLASS | SymbolKind::MODULE | SymbolKind::INTERFACE | SymbolKind::STRUCT => {
|
|
let text = format!("defmodule {}", name);
|
|
let filter_range = 10..10 + name.len();
|
|
let display_range = 0..filter_range.end;
|
|
(text, filter_range, display_range)
|
|
}
|
|
_ => return None,
|
|
};
|
|
|
|
Some(CodeLabel {
|
|
runs: language.highlight_text(&text.as_str().into(), display_range.clone()),
|
|
text: text[display_range].to_string(),
|
|
filter_range,
|
|
})
|
|
}
|
|
}
|
|
|
|
async fn get_cached_server_binary_elixir_ls(
|
|
container_dir: PathBuf,
|
|
) -> Option<LanguageServerBinary> {
|
|
let server_path = container_dir.join("elixir-ls/language_server.sh");
|
|
if server_path.exists() {
|
|
Some(LanguageServerBinary {
|
|
path: server_path,
|
|
env: None,
|
|
arguments: vec![],
|
|
})
|
|
} else {
|
|
log::error!("missing executable in directory {:?}", server_path);
|
|
None
|
|
}
|
|
}
|
|
|
|
pub struct NextLspAdapter;
|
|
|
|
#[async_trait]
|
|
impl LspAdapter for NextLspAdapter {
|
|
fn name(&self) -> LanguageServerName {
|
|
LanguageServerName("next-ls".into())
|
|
}
|
|
|
|
fn short_name(&self) -> &'static str {
|
|
"next-ls"
|
|
}
|
|
|
|
async fn fetch_latest_server_version(
|
|
&self,
|
|
delegate: &dyn LspAdapterDelegate,
|
|
) -> Result<Box<dyn 'static + Send + Any>> {
|
|
let platform = match consts::ARCH {
|
|
"x86_64" => "darwin_amd64",
|
|
"aarch64" => "darwin_arm64",
|
|
other => bail!("Running on unsupported platform: {other}"),
|
|
};
|
|
let release =
|
|
latest_github_release("elixir-tools/next-ls", true, false, delegate.http_client())
|
|
.await?;
|
|
let version = release.tag_name;
|
|
let asset_name = format!("next_ls_{platform}");
|
|
let asset = release
|
|
.assets
|
|
.iter()
|
|
.find(|asset| asset.name == asset_name)
|
|
.with_context(|| format!("no asset found matching {asset_name:?}"))?;
|
|
let version = GitHubLspBinaryVersion {
|
|
name: version,
|
|
url: asset.browser_download_url.clone(),
|
|
};
|
|
Ok(Box::new(version) as Box<_>)
|
|
}
|
|
|
|
async fn fetch_server_binary(
|
|
&self,
|
|
version: Box<dyn 'static + Send + Any>,
|
|
container_dir: PathBuf,
|
|
delegate: &dyn LspAdapterDelegate,
|
|
) -> Result<LanguageServerBinary> {
|
|
let version = version.downcast::<GitHubLspBinaryVersion>().unwrap();
|
|
|
|
let binary_path = container_dir.join("next-ls");
|
|
|
|
if fs::metadata(&binary_path).await.is_err() {
|
|
let mut response = delegate
|
|
.http_client()
|
|
.get(&version.url, Default::default(), true)
|
|
.await
|
|
.map_err(|err| anyhow!("error downloading release: {}", err))?;
|
|
|
|
let mut file = smol::fs::File::create(&binary_path).await?;
|
|
if !response.status().is_success() {
|
|
Err(anyhow!(
|
|
"download failed with status {}",
|
|
response.status().to_string()
|
|
))?;
|
|
}
|
|
futures::io::copy(response.body_mut(), &mut file).await?;
|
|
|
|
// todo!("windows")
|
|
#[cfg(not(windows))]
|
|
{
|
|
fs::set_permissions(
|
|
&binary_path,
|
|
<fs::Permissions as fs::unix::PermissionsExt>::from_mode(0o755),
|
|
)
|
|
.await?;
|
|
}
|
|
}
|
|
|
|
Ok(LanguageServerBinary {
|
|
path: binary_path,
|
|
env: None,
|
|
arguments: vec!["--stdio".into()],
|
|
})
|
|
}
|
|
|
|
async fn cached_server_binary(
|
|
&self,
|
|
container_dir: PathBuf,
|
|
_: &dyn LspAdapterDelegate,
|
|
) -> Option<LanguageServerBinary> {
|
|
get_cached_server_binary_next(container_dir)
|
|
.await
|
|
.map(|mut binary| {
|
|
binary.arguments = vec!["--stdio".into()];
|
|
binary
|
|
})
|
|
}
|
|
|
|
async fn installation_test_binary(
|
|
&self,
|
|
container_dir: PathBuf,
|
|
) -> Option<LanguageServerBinary> {
|
|
get_cached_server_binary_next(container_dir)
|
|
.await
|
|
.map(|mut binary| {
|
|
binary.arguments = vec!["--help".into()];
|
|
binary
|
|
})
|
|
}
|
|
|
|
async fn label_for_completion(
|
|
&self,
|
|
completion: &lsp::CompletionItem,
|
|
language: &Arc<Language>,
|
|
) -> Option<CodeLabel> {
|
|
label_for_completion_elixir(completion, language)
|
|
}
|
|
|
|
async fn label_for_symbol(
|
|
&self,
|
|
name: &str,
|
|
symbol_kind: SymbolKind,
|
|
language: &Arc<Language>,
|
|
) -> Option<CodeLabel> {
|
|
label_for_symbol_elixir(name, symbol_kind, language)
|
|
}
|
|
}
|
|
|
|
async fn get_cached_server_binary_next(container_dir: PathBuf) -> Option<LanguageServerBinary> {
|
|
async_maybe!({
|
|
let mut last_binary_path = None;
|
|
let mut entries = fs::read_dir(&container_dir).await?;
|
|
while let Some(entry) = entries.next().await {
|
|
let entry = entry?;
|
|
if entry.file_type().await?.is_file()
|
|
&& entry
|
|
.file_name()
|
|
.to_str()
|
|
.map_or(false, |name| name == "next-ls")
|
|
{
|
|
last_binary_path = Some(entry.path());
|
|
}
|
|
}
|
|
|
|
if let Some(path) = last_binary_path {
|
|
Ok(LanguageServerBinary {
|
|
path,
|
|
env: None,
|
|
arguments: Vec::new(),
|
|
})
|
|
} else {
|
|
Err(anyhow!("no cached binary"))
|
|
}
|
|
})
|
|
.await
|
|
.log_err()
|
|
}
|
|
|
|
pub struct LocalLspAdapter {
|
|
pub path: String,
|
|
pub arguments: Vec<String>,
|
|
}
|
|
|
|
#[async_trait]
|
|
impl LspAdapter for LocalLspAdapter {
|
|
fn name(&self) -> LanguageServerName {
|
|
LanguageServerName("local-ls".into())
|
|
}
|
|
|
|
fn short_name(&self) -> &'static str {
|
|
"local-ls"
|
|
}
|
|
|
|
async fn fetch_latest_server_version(
|
|
&self,
|
|
_: &dyn LspAdapterDelegate,
|
|
) -> Result<Box<dyn 'static + Send + Any>> {
|
|
Ok(Box::new(()) as Box<_>)
|
|
}
|
|
|
|
async fn fetch_server_binary(
|
|
&self,
|
|
_: Box<dyn 'static + Send + Any>,
|
|
_: PathBuf,
|
|
_: &dyn LspAdapterDelegate,
|
|
) -> Result<LanguageServerBinary> {
|
|
let path = shellexpand::full(&self.path)?;
|
|
Ok(LanguageServerBinary {
|
|
path: PathBuf::from(path.deref()),
|
|
env: None,
|
|
arguments: self.arguments.iter().map(|arg| arg.into()).collect(),
|
|
})
|
|
}
|
|
|
|
async fn cached_server_binary(
|
|
&self,
|
|
_: PathBuf,
|
|
_: &dyn LspAdapterDelegate,
|
|
) -> Option<LanguageServerBinary> {
|
|
let path = shellexpand::full(&self.path).ok()?;
|
|
Some(LanguageServerBinary {
|
|
path: PathBuf::from(path.deref()),
|
|
env: None,
|
|
arguments: self.arguments.iter().map(|arg| arg.into()).collect(),
|
|
})
|
|
}
|
|
|
|
async fn installation_test_binary(&self, _: PathBuf) -> Option<LanguageServerBinary> {
|
|
let path = shellexpand::full(&self.path).ok()?;
|
|
Some(LanguageServerBinary {
|
|
path: PathBuf::from(path.deref()),
|
|
env: None,
|
|
arguments: self.arguments.iter().map(|arg| arg.into()).collect(),
|
|
})
|
|
}
|
|
|
|
async fn label_for_completion(
|
|
&self,
|
|
completion: &lsp::CompletionItem,
|
|
language: &Arc<Language>,
|
|
) -> Option<CodeLabel> {
|
|
label_for_completion_elixir(completion, language)
|
|
}
|
|
|
|
async fn label_for_symbol(
|
|
&self,
|
|
name: &str,
|
|
symbol: SymbolKind,
|
|
language: &Arc<Language>,
|
|
) -> Option<CodeLabel> {
|
|
label_for_symbol_elixir(name, symbol, language)
|
|
}
|
|
}
|
|
|
|
fn label_for_completion_elixir(
|
|
completion: &lsp::CompletionItem,
|
|
language: &Arc<Language>,
|
|
) -> Option<CodeLabel> {
|
|
return Some(CodeLabel {
|
|
runs: language.highlight_text(&completion.label.clone().into(), 0..completion.label.len()),
|
|
text: completion.label.clone(),
|
|
filter_range: 0..completion.label.len(),
|
|
});
|
|
}
|
|
|
|
fn label_for_symbol_elixir(
|
|
name: &str,
|
|
_: SymbolKind,
|
|
language: &Arc<Language>,
|
|
) -> Option<CodeLabel> {
|
|
Some(CodeLabel {
|
|
runs: language.highlight_text(&name.into(), 0..name.len()),
|
|
text: name.to_string(),
|
|
filter_range: 0..name.len(),
|
|
})
|
|
}
|