pub mod copilot_chat; mod copilot_completion_provider; pub mod request; mod sign_in; use crate::sign_in::initiate_sign_in_within_workspace; use ::fs::Fs; use anyhow::{Context as _, Result, anyhow}; use collections::{HashMap, HashSet}; use command_palette_hooks::CommandPaletteFilter; use futures::{Future, FutureExt, TryFutureExt, channel::oneshot, future::Shared}; use gpui::{ App, AppContext as _, AsyncApp, Context, Entity, EntityId, EventEmitter, Global, Task, WeakEntity, actions, }; use http_client::HttpClient; use language::language_settings::CopilotSettings; use language::{ Anchor, Bias, Buffer, BufferSnapshot, Language, PointUtf16, ToPointUtf16, language_settings::{EditPredictionProvider, all_language_settings, language_settings}, point_from_lsp, point_to_lsp, }; use lsp::{LanguageServer, LanguageServerBinary, LanguageServerId, LanguageServerName}; use node_runtime::NodeRuntime; use parking_lot::Mutex; use request::StatusNotification; use settings::SettingsStore; use sign_in::{reinstall_and_sign_in_within_workspace, sign_out_within_workspace}; use std::{ any::TypeId, env, ffi::OsString, mem, ops::Range, path::{Path, PathBuf}, sync::Arc, }; use util::{ResultExt, fs::remove_matching}; use workspace::Workspace; pub use crate::copilot_completion_provider::CopilotCompletionProvider; pub use crate::sign_in::{CopilotCodeVerification, initiate_sign_in, reinstall_and_sign_in}; actions!( copilot, [ Suggest, NextSuggestion, PreviousSuggestion, Reinstall, SignIn, SignOut ] ); pub fn init( new_server_id: LanguageServerId, fs: Arc, http: Arc, node_runtime: NodeRuntime, cx: &mut App, ) { copilot_chat::init(fs.clone(), http.clone(), cx); let copilot = cx.new({ let node_runtime = node_runtime.clone(); move |cx| Copilot::start(new_server_id, fs, node_runtime, cx) }); Copilot::set_global(copilot.clone(), cx); cx.observe(&copilot, |handle, cx| { let copilot_action_types = [ TypeId::of::(), TypeId::of::(), TypeId::of::(), TypeId::of::(), ]; let copilot_auth_action_types = [TypeId::of::()]; let copilot_no_auth_action_types = [TypeId::of::()]; let status = handle.read(cx).status(); let filter = CommandPaletteFilter::global_mut(cx); match status { Status::Disabled => { filter.hide_action_types(&copilot_action_types); filter.hide_action_types(&copilot_auth_action_types); filter.hide_action_types(&copilot_no_auth_action_types); } Status::Authorized => { filter.hide_action_types(&copilot_no_auth_action_types); filter.show_action_types( copilot_action_types .iter() .chain(&copilot_auth_action_types), ); } _ => { filter.hide_action_types(&copilot_action_types); filter.hide_action_types(&copilot_auth_action_types); filter.show_action_types(copilot_no_auth_action_types.iter()); } } }) .detach(); cx.observe_new(|workspace: &mut Workspace, _window, _cx| { workspace.register_action(|workspace, _: &SignIn, window, cx| { if let Some(copilot) = Copilot::global(cx) { let is_reinstall = false; initiate_sign_in_within_workspace(workspace, copilot, is_reinstall, window, cx); } }); workspace.register_action(|workspace, _: &Reinstall, window, cx| { if let Some(copilot) = Copilot::global(cx) { reinstall_and_sign_in_within_workspace(workspace, copilot, window, cx); } }); workspace.register_action(|workspace, _: &SignOut, _window, cx| { if let Some(copilot) = Copilot::global(cx) { sign_out_within_workspace(workspace, copilot, cx); } }); }) .detach(); } enum CopilotServer { Disabled, Starting { task: Shared> }, Error(Arc), Running(RunningCopilotServer), } impl CopilotServer { fn as_authenticated(&mut self) -> Result<&mut RunningCopilotServer> { let server = self.as_running()?; anyhow::ensure!( matches!(server.sign_in_status, SignInStatus::Authorized { .. }), "must sign in before using copilot" ); Ok(server) } fn as_running(&mut self) -> Result<&mut RunningCopilotServer> { match self { CopilotServer::Starting { .. } => anyhow::bail!("copilot is still starting"), CopilotServer::Disabled => anyhow::bail!("copilot is disabled"), CopilotServer::Error(error) => { anyhow::bail!("copilot was not started because of an error: {error}") } CopilotServer::Running(server) => Ok(server), } } } struct RunningCopilotServer { lsp: Arc, sign_in_status: SignInStatus, registered_buffers: HashMap, } #[derive(Clone, Debug)] enum SignInStatus { Authorized, Unauthorized, SigningIn { prompt: Option, task: Shared>>>, }, SignedOut { awaiting_signing_in: bool, }, } #[derive(Debug, Clone)] pub enum Status { Starting { task: Shared>, }, Error(Arc), Disabled, SignedOut { awaiting_signing_in: bool, }, SigningIn { prompt: Option, }, Unauthorized, Authorized, } impl Status { pub fn is_authorized(&self) -> bool { matches!(self, Status::Authorized) } pub fn is_disabled(&self) -> bool { matches!(self, Status::Disabled) } } struct RegisteredBuffer { uri: lsp::Url, language_id: String, snapshot: BufferSnapshot, snapshot_version: i32, _subscriptions: [gpui::Subscription; 2], pending_buffer_change: Task>, } impl RegisteredBuffer { fn report_changes( &mut self, buffer: &Entity, cx: &mut Context, ) -> oneshot::Receiver<(i32, BufferSnapshot)> { let (done_tx, done_rx) = oneshot::channel(); if buffer.read(cx).version() == self.snapshot.version { let _ = done_tx.send((self.snapshot_version, self.snapshot.clone())); } else { let buffer = buffer.downgrade(); let id = buffer.entity_id(); let prev_pending_change = mem::replace(&mut self.pending_buffer_change, Task::ready(None)); self.pending_buffer_change = cx.spawn(async move |copilot, cx| { prev_pending_change.await; let old_version = copilot .update(cx, |copilot, _| { let server = copilot.server.as_authenticated().log_err()?; let buffer = server.registered_buffers.get_mut(&id)?; Some(buffer.snapshot.version.clone()) }) .ok()??; let new_snapshot = buffer.update(cx, |buffer, _| buffer.snapshot()).ok()?; let content_changes = cx .background_spawn({ let new_snapshot = new_snapshot.clone(); async move { new_snapshot .edits_since::<(PointUtf16, usize)>(&old_version) .map(|edit| { let edit_start = edit.new.start.0; let edit_end = edit_start + (edit.old.end.0 - edit.old.start.0); let new_text = new_snapshot .text_for_range(edit.new.start.1..edit.new.end.1) .collect(); lsp::TextDocumentContentChangeEvent { range: Some(lsp::Range::new( point_to_lsp(edit_start), point_to_lsp(edit_end), )), range_length: None, text: new_text, } }) .collect::>() } }) .await; copilot .update(cx, |copilot, _| { let server = copilot.server.as_authenticated().log_err()?; let buffer = server.registered_buffers.get_mut(&id)?; if !content_changes.is_empty() { buffer.snapshot_version += 1; buffer.snapshot = new_snapshot; server .lsp .notify::( &lsp::DidChangeTextDocumentParams { text_document: lsp::VersionedTextDocumentIdentifier::new( buffer.uri.clone(), buffer.snapshot_version, ), content_changes, }, ) .ok(); } let _ = done_tx.send((buffer.snapshot_version, buffer.snapshot.clone())); Some(()) }) .ok()?; Some(()) }); } done_rx } } #[derive(Debug)] pub struct Completion { pub uuid: String, pub range: Range, pub text: String, } pub struct Copilot { fs: Arc, node_runtime: NodeRuntime, server: CopilotServer, buffers: HashSet>, server_id: LanguageServerId, _subscription: gpui::Subscription, } pub enum Event { CopilotLanguageServerStarted, CopilotAuthSignedIn, CopilotAuthSignedOut, } impl EventEmitter for Copilot {} struct GlobalCopilot(Entity); impl Global for GlobalCopilot {} impl Copilot { pub fn global(cx: &App) -> Option> { cx.try_global::() .map(|model| model.0.clone()) } pub fn set_global(copilot: Entity, cx: &mut App) { cx.set_global(GlobalCopilot(copilot)); } fn start( new_server_id: LanguageServerId, fs: Arc, node_runtime: NodeRuntime, cx: &mut Context, ) -> Self { let mut this = Self { server_id: new_server_id, fs, node_runtime, server: CopilotServer::Disabled, buffers: Default::default(), _subscription: cx.on_app_quit(Self::shutdown_language_server), }; this.start_copilot(true, false, cx); cx.observe_global::(move |this, cx| this.start_copilot(true, false, cx)) .detach(); this } fn shutdown_language_server( &mut self, _cx: &mut Context, ) -> impl Future + use<> { let shutdown = match mem::replace(&mut self.server, CopilotServer::Disabled) { CopilotServer::Running(server) => Some(Box::pin(async move { server.lsp.shutdown() })), _ => None, }; async move { if let Some(shutdown) = shutdown { shutdown.await; } } } fn start_copilot( &mut self, check_edit_prediction_provider: bool, awaiting_sign_in_after_start: bool, cx: &mut Context, ) { if !matches!(self.server, CopilotServer::Disabled) { return; } let language_settings = all_language_settings(None, cx); if check_edit_prediction_provider && language_settings.edit_predictions.provider != EditPredictionProvider::Copilot { return; } let server_id = self.server_id; let fs = self.fs.clone(); let node_runtime = self.node_runtime.clone(); let env = self.build_env(&language_settings.edit_predictions.copilot); let start_task = cx .spawn(async move |this, cx| { Self::start_language_server( server_id, fs, node_runtime, env, this, awaiting_sign_in_after_start, cx, ) .await }) .shared(); self.server = CopilotServer::Starting { task: start_task }; cx.notify(); } fn build_env(&self, copilot_settings: &CopilotSettings) -> Option> { let proxy_url = copilot_settings.proxy.clone()?; let no_verify = copilot_settings.proxy_no_verify; let http_or_https_proxy = if proxy_url.starts_with("http:") { "HTTP_PROXY" } else if proxy_url.starts_with("https:") { "HTTPS_PROXY" } else { log::error!( "Unsupported protocol scheme for language server proxy (must be http or https)" ); return None; }; let mut env = HashMap::default(); env.insert(http_or_https_proxy.to_string(), proxy_url); if let Some(true) = no_verify { env.insert("NODE_TLS_REJECT_UNAUTHORIZED".to_string(), "0".to_string()); }; Some(env) } #[cfg(any(test, feature = "test-support"))] pub fn fake(cx: &mut gpui::TestAppContext) -> (Entity, lsp::FakeLanguageServer) { use fs::FakeFs; use lsp::FakeLanguageServer; use node_runtime::NodeRuntime; let (server, fake_server) = FakeLanguageServer::new( LanguageServerId(0), LanguageServerBinary { path: "path/to/copilot".into(), arguments: vec![], env: None, }, "copilot".into(), Default::default(), &mut cx.to_async(), ); let node_runtime = NodeRuntime::unavailable(); let this = cx.new(|cx| Self { server_id: LanguageServerId(0), fs: FakeFs::new(cx.background_executor().clone()), node_runtime, server: CopilotServer::Running(RunningCopilotServer { lsp: Arc::new(server), sign_in_status: SignInStatus::Authorized, registered_buffers: Default::default(), }), _subscription: cx.on_app_quit(Self::shutdown_language_server), buffers: Default::default(), }); (this, fake_server) } async fn start_language_server( new_server_id: LanguageServerId, fs: Arc, node_runtime: NodeRuntime, env: Option>, this: WeakEntity, awaiting_sign_in_after_start: bool, cx: &mut AsyncApp, ) { let start_language_server = async { let server_path = get_copilot_lsp(fs, node_runtime.clone()).await?; let node_path = node_runtime.binary_path().await?; let arguments: Vec = vec![server_path.into(), "--stdio".into()]; let binary = LanguageServerBinary { path: node_path, arguments, env, }; let root_path = if cfg!(target_os = "windows") { Path::new("C:/") } else { Path::new("/") }; let server_name = LanguageServerName("copilot".into()); let server = LanguageServer::new( Arc::new(Mutex::new(None)), new_server_id, server_name, binary, root_path, None, Default::default(), cx, )?; server .on_notification::(|_, _| { /* Silence the notification */ }) .detach(); let configuration = lsp::DidChangeConfigurationParams { settings: Default::default(), }; let editor_info = request::SetEditorInfoParams { editor_info: request::EditorInfo { name: "zed".into(), version: env!("CARGO_PKG_VERSION").into(), }, editor_plugin_info: request::EditorPluginInfo { name: "zed-copilot".into(), version: "0.0.1".into(), }, }; let editor_info_json = serde_json::to_value(&editor_info)?; let server = cx .update(|cx| { let mut params = server.default_initialize_params(cx); params.initialization_options = Some(editor_info_json); server.initialize(params, configuration.into(), cx) })? .await?; let status = server .request::(request::CheckStatusParams { local_checks_only: false, }) .await .into_response() .context("copilot: check status")?; server .request::(editor_info) .await .into_response() .context("copilot: set editor info")?; anyhow::Ok((server, status)) }; let server = start_language_server.await; this.update(cx, |this, cx| { cx.notify(); match server { Ok((server, status)) => { this.server = CopilotServer::Running(RunningCopilotServer { lsp: server, sign_in_status: SignInStatus::SignedOut { awaiting_signing_in: awaiting_sign_in_after_start, }, registered_buffers: Default::default(), }); cx.emit(Event::CopilotLanguageServerStarted); this.update_sign_in_status(status, cx); } Err(error) => { this.server = CopilotServer::Error(error.to_string().into()); cx.notify() } } }) .ok(); } pub(crate) fn sign_in(&mut self, cx: &mut Context) -> Task> { if let CopilotServer::Running(server) = &mut self.server { let task = match &server.sign_in_status { SignInStatus::Authorized { .. } => Task::ready(Ok(())).shared(), SignInStatus::SigningIn { task, .. } => { cx.notify(); task.clone() } SignInStatus::SignedOut { .. } | SignInStatus::Unauthorized { .. } => { let lsp = server.lsp.clone(); let task = cx .spawn(async move |this, cx| { let sign_in = async { let sign_in = lsp .request::( request::SignInInitiateParams {}, ) .await .into_response() .context("copilot sign-in")?; match sign_in { request::SignInInitiateResult::AlreadySignedIn { user } => { Ok(request::SignInStatus::Ok { user: Some(user) }) } request::SignInInitiateResult::PromptUserDeviceFlow(flow) => { this.update(cx, |this, cx| { if let CopilotServer::Running(RunningCopilotServer { sign_in_status: status, .. }) = &mut this.server { if let SignInStatus::SigningIn { prompt: prompt_flow, .. } = status { *prompt_flow = Some(flow.clone()); cx.notify(); } } })?; let response = lsp .request::( request::SignInConfirmParams { user_code: flow.user_code, }, ) .await .into_response() .context("copilot: sign in confirm")?; Ok(response) } } }; let sign_in = sign_in.await; this.update(cx, |this, cx| match sign_in { Ok(status) => { this.update_sign_in_status(status, cx); Ok(()) } Err(error) => { this.update_sign_in_status( request::SignInStatus::NotSignedIn, cx, ); Err(Arc::new(error)) } })? }) .shared(); server.sign_in_status = SignInStatus::SigningIn { prompt: None, task: task.clone(), }; cx.notify(); task } }; cx.background_spawn(task.map_err(|err| anyhow!("{err:?}"))) } else { // If we're downloading, wait until download is finished // If we're in a stuck state, display to the user Task::ready(Err(anyhow!("copilot hasn't started yet"))) } } pub(crate) fn sign_out(&mut self, cx: &mut Context) -> Task> { self.update_sign_in_status(request::SignInStatus::NotSignedIn, cx); match &self.server { CopilotServer::Running(RunningCopilotServer { lsp: server, .. }) => { let server = server.clone(); cx.background_spawn(async move { server .request::(request::SignOutParams {}) .await .into_response() .context("copilot: sign in confirm")?; anyhow::Ok(()) }) } CopilotServer::Disabled => cx.background_spawn(async { clear_copilot_config_dir().await; anyhow::Ok(()) }), _ => Task::ready(Err(anyhow!("copilot hasn't started yet"))), } } pub(crate) fn reinstall(&mut self, cx: &mut Context) -> Shared> { let language_settings = all_language_settings(None, cx); let env = self.build_env(&language_settings.edit_predictions.copilot); let start_task = cx .spawn({ let fs = self.fs.clone(); let node_runtime = self.node_runtime.clone(); let server_id = self.server_id; async move |this, cx| { clear_copilot_dir().await; Self::start_language_server(server_id, fs, node_runtime, env, this, false, cx) .await } }) .shared(); self.server = CopilotServer::Starting { task: start_task.clone(), }; cx.notify(); start_task } pub fn language_server(&self) -> Option<&Arc> { if let CopilotServer::Running(server) = &self.server { Some(&server.lsp) } else { None } } pub fn register_buffer(&mut self, buffer: &Entity, cx: &mut Context) { let weak_buffer = buffer.downgrade(); self.buffers.insert(weak_buffer.clone()); if let CopilotServer::Running(RunningCopilotServer { lsp: server, sign_in_status: status, registered_buffers, .. }) = &mut self.server { if !matches!(status, SignInStatus::Authorized { .. }) { return; } registered_buffers .entry(buffer.entity_id()) .or_insert_with(|| { let uri: lsp::Url = uri_for_buffer(buffer, cx); let language_id = id_for_language(buffer.read(cx).language()); let snapshot = buffer.read(cx).snapshot(); server .notify::( &lsp::DidOpenTextDocumentParams { text_document: lsp::TextDocumentItem { uri: uri.clone(), language_id: language_id.clone(), version: 0, text: snapshot.text(), }, }, ) .ok(); RegisteredBuffer { uri, language_id, snapshot, snapshot_version: 0, pending_buffer_change: Task::ready(Some(())), _subscriptions: [ cx.subscribe(buffer, |this, buffer, event, cx| { this.handle_buffer_event(buffer, event, cx).log_err(); }), cx.observe_release(buffer, move |this, _buffer, _cx| { this.buffers.remove(&weak_buffer); this.unregister_buffer(&weak_buffer); }), ], } }); } } fn handle_buffer_event( &mut self, buffer: Entity, event: &language::BufferEvent, cx: &mut Context, ) -> Result<()> { if let Ok(server) = self.server.as_running() { if let Some(registered_buffer) = server.registered_buffers.get_mut(&buffer.entity_id()) { match event { language::BufferEvent::Edited => { drop(registered_buffer.report_changes(&buffer, cx)); } language::BufferEvent::Saved => { server .lsp .notify::( &lsp::DidSaveTextDocumentParams { text_document: lsp::TextDocumentIdentifier::new( registered_buffer.uri.clone(), ), text: None, }, )?; } language::BufferEvent::FileHandleChanged | language::BufferEvent::LanguageChanged => { let new_language_id = id_for_language(buffer.read(cx).language()); let new_uri = uri_for_buffer(&buffer, cx); if new_uri != registered_buffer.uri || new_language_id != registered_buffer.language_id { let old_uri = mem::replace(&mut registered_buffer.uri, new_uri); registered_buffer.language_id = new_language_id; server .lsp .notify::( &lsp::DidCloseTextDocumentParams { text_document: lsp::TextDocumentIdentifier::new(old_uri), }, )?; server .lsp .notify::( &lsp::DidOpenTextDocumentParams { text_document: lsp::TextDocumentItem::new( registered_buffer.uri.clone(), registered_buffer.language_id.clone(), registered_buffer.snapshot_version, registered_buffer.snapshot.text(), ), }, )?; } } _ => {} } } } Ok(()) } fn unregister_buffer(&mut self, buffer: &WeakEntity) { if let Ok(server) = self.server.as_running() { if let Some(buffer) = server.registered_buffers.remove(&buffer.entity_id()) { server .lsp .notify::( &lsp::DidCloseTextDocumentParams { text_document: lsp::TextDocumentIdentifier::new(buffer.uri), }, ) .ok(); } } } pub fn completions( &mut self, buffer: &Entity, position: T, cx: &mut Context, ) -> Task>> where T: ToPointUtf16, { self.request_completions::(buffer, position, cx) } pub fn completions_cycling( &mut self, buffer: &Entity, position: T, cx: &mut Context, ) -> Task>> where T: ToPointUtf16, { self.request_completions::(buffer, position, cx) } pub fn accept_completion( &mut self, completion: &Completion, cx: &mut Context, ) -> Task> { let server = match self.server.as_authenticated() { Ok(server) => server, Err(error) => return Task::ready(Err(error)), }; let request = server .lsp .request::(request::NotifyAcceptedParams { uuid: completion.uuid.clone(), }); cx.background_spawn(async move { request .await .into_response() .context("copilot: notify accepted")?; Ok(()) }) } pub fn discard_completions( &mut self, completions: &[Completion], cx: &mut Context, ) -> Task> { let server = match self.server.as_authenticated() { Ok(server) => server, Err(_) => return Task::ready(Ok(())), }; let request = server .lsp .request::(request::NotifyRejectedParams { uuids: completions .iter() .map(|completion| completion.uuid.clone()) .collect(), }); cx.background_spawn(async move { request .await .into_response() .context("copilot: notify rejected")?; Ok(()) }) } fn request_completions( &mut self, buffer: &Entity, position: T, cx: &mut Context, ) -> Task>> where R: 'static + lsp::request::Request< Params = request::GetCompletionsParams, Result = request::GetCompletionsResult, >, T: ToPointUtf16, { self.register_buffer(buffer, cx); let server = match self.server.as_authenticated() { Ok(server) => server, Err(error) => return Task::ready(Err(error)), }; let lsp = server.lsp.clone(); let registered_buffer = server .registered_buffers .get_mut(&buffer.entity_id()) .unwrap(); let snapshot = registered_buffer.report_changes(buffer, cx); let buffer = buffer.read(cx); let uri = registered_buffer.uri.clone(); let position = position.to_point_utf16(buffer); let settings = language_settings( buffer.language_at(position).map(|l| l.name()), buffer.file(), cx, ); let tab_size = settings.tab_size; let hard_tabs = settings.hard_tabs; let relative_path = buffer .file() .map(|file| file.path().to_path_buf()) .unwrap_or_default(); cx.background_spawn(async move { let (version, snapshot) = snapshot.await?; let result = lsp .request::(request::GetCompletionsParams { doc: request::GetCompletionsDocument { uri, tab_size: tab_size.into(), indent_size: 1, insert_spaces: !hard_tabs, relative_path: relative_path.to_string_lossy().into(), position: point_to_lsp(position), version: version.try_into().unwrap(), }, }) .await .into_response() .context("copilot: get completions")?; let completions = result .completions .into_iter() .map(|completion| { let start = snapshot .clip_point_utf16(point_from_lsp(completion.range.start), Bias::Left); let end = snapshot.clip_point_utf16(point_from_lsp(completion.range.end), Bias::Left); Completion { uuid: completion.uuid, range: snapshot.anchor_before(start)..snapshot.anchor_after(end), text: completion.text, } }) .collect(); anyhow::Ok(completions) }) } pub fn status(&self) -> Status { match &self.server { CopilotServer::Starting { task } => Status::Starting { task: task.clone() }, CopilotServer::Disabled => Status::Disabled, CopilotServer::Error(error) => Status::Error(error.clone()), CopilotServer::Running(RunningCopilotServer { sign_in_status, .. }) => { match sign_in_status { SignInStatus::Authorized { .. } => Status::Authorized, SignInStatus::Unauthorized { .. } => Status::Unauthorized, SignInStatus::SigningIn { prompt, .. } => Status::SigningIn { prompt: prompt.clone(), }, SignInStatus::SignedOut { awaiting_signing_in, } => Status::SignedOut { awaiting_signing_in: *awaiting_signing_in, }, } } } } fn update_sign_in_status(&mut self, lsp_status: request::SignInStatus, cx: &mut Context) { self.buffers.retain(|buffer| buffer.is_upgradable()); if let Ok(server) = self.server.as_running() { match lsp_status { request::SignInStatus::Ok { user: Some(_) } | request::SignInStatus::MaybeOk { .. } | request::SignInStatus::AlreadySignedIn { .. } => { server.sign_in_status = SignInStatus::Authorized; cx.emit(Event::CopilotAuthSignedIn); for buffer in self.buffers.iter().cloned().collect::>() { if let Some(buffer) = buffer.upgrade() { self.register_buffer(&buffer, cx); } } } request::SignInStatus::NotAuthorized { .. } => { server.sign_in_status = SignInStatus::Unauthorized; for buffer in self.buffers.iter().cloned().collect::>() { self.unregister_buffer(&buffer); } } request::SignInStatus::Ok { user: None } | request::SignInStatus::NotSignedIn => { if !matches!(server.sign_in_status, SignInStatus::SignedOut { .. }) { server.sign_in_status = SignInStatus::SignedOut { awaiting_signing_in: false, }; } cx.emit(Event::CopilotAuthSignedOut); for buffer in self.buffers.iter().cloned().collect::>() { self.unregister_buffer(&buffer); } } } cx.notify(); } } } fn id_for_language(language: Option<&Arc>) -> String { language .map(|language| language.lsp_id()) .unwrap_or_else(|| "plaintext".to_string()) } fn uri_for_buffer(buffer: &Entity, cx: &App) -> lsp::Url { if let Some(file) = buffer.read(cx).file().and_then(|file| file.as_local()) { lsp::Url::from_file_path(file.abs_path(cx)).unwrap() } else { format!("buffer://{}", buffer.entity_id()).parse().unwrap() } } async fn clear_copilot_dir() { remove_matching(paths::copilot_dir(), |_| true).await } async fn clear_copilot_config_dir() { remove_matching(copilot_chat::copilot_chat_config_dir(), |_| true).await } async fn get_copilot_lsp(fs: Arc, node_runtime: NodeRuntime) -> anyhow::Result { const PACKAGE_NAME: &str = "@github/copilot-language-server"; const SERVER_PATH: &str = "node_modules/@github/copilot-language-server/dist/language-server.js"; let latest_version = node_runtime .npm_package_latest_version(PACKAGE_NAME) .await?; let server_path = paths::copilot_dir().join(SERVER_PATH); fs.create_dir(paths::copilot_dir()).await?; let should_install = node_runtime .should_install_npm_package( PACKAGE_NAME, &server_path, paths::copilot_dir(), &latest_version, ) .await; if should_install { node_runtime .npm_install_packages(paths::copilot_dir(), &[(PACKAGE_NAME, &latest_version)]) .await?; } Ok(server_path) } #[cfg(test)] mod tests { use super::*; use gpui::TestAppContext; use util::path; #[gpui::test(iterations = 10)] async fn test_buffer_management(cx: &mut TestAppContext) { let (copilot, mut lsp) = Copilot::fake(cx); let buffer_1 = cx.new(|cx| Buffer::local("Hello", cx)); let buffer_1_uri: lsp::Url = format!("buffer://{}", buffer_1.entity_id().as_u64()) .parse() .unwrap(); copilot.update(cx, |copilot, cx| copilot.register_buffer(&buffer_1, cx)); assert_eq!( lsp.receive_notification::() .await, lsp::DidOpenTextDocumentParams { text_document: lsp::TextDocumentItem::new( buffer_1_uri.clone(), "plaintext".into(), 0, "Hello".into() ), } ); let buffer_2 = cx.new(|cx| Buffer::local("Goodbye", cx)); let buffer_2_uri: lsp::Url = format!("buffer://{}", buffer_2.entity_id().as_u64()) .parse() .unwrap(); copilot.update(cx, |copilot, cx| copilot.register_buffer(&buffer_2, cx)); assert_eq!( lsp.receive_notification::() .await, lsp::DidOpenTextDocumentParams { text_document: lsp::TextDocumentItem::new( buffer_2_uri.clone(), "plaintext".into(), 0, "Goodbye".into() ), } ); buffer_1.update(cx, |buffer, cx| buffer.edit([(5..5, " world")], None, cx)); assert_eq!( lsp.receive_notification::() .await, lsp::DidChangeTextDocumentParams { text_document: lsp::VersionedTextDocumentIdentifier::new(buffer_1_uri.clone(), 1), content_changes: vec![lsp::TextDocumentContentChangeEvent { range: Some(lsp::Range::new( lsp::Position::new(0, 5), lsp::Position::new(0, 5) )), range_length: None, text: " world".into(), }], } ); // Ensure updates to the file are reflected in the LSP. buffer_1.update(cx, |buffer, cx| { buffer.file_updated( Arc::new(File { abs_path: path!("/root/child/buffer-1").into(), path: Path::new("child/buffer-1").into(), }), cx, ) }); assert_eq!( lsp.receive_notification::() .await, lsp::DidCloseTextDocumentParams { text_document: lsp::TextDocumentIdentifier::new(buffer_1_uri), } ); let buffer_1_uri = lsp::Url::from_file_path(path!("/root/child/buffer-1")).unwrap(); assert_eq!( lsp.receive_notification::() .await, lsp::DidOpenTextDocumentParams { text_document: lsp::TextDocumentItem::new( buffer_1_uri.clone(), "plaintext".into(), 1, "Hello world".into() ), } ); // Ensure all previously-registered buffers are closed when signing out. lsp.set_request_handler::(|_, _| async { Ok(request::SignOutResult {}) }); copilot .update(cx, |copilot, cx| copilot.sign_out(cx)) .await .unwrap(); assert_eq!( lsp.receive_notification::() .await, lsp::DidCloseTextDocumentParams { text_document: lsp::TextDocumentIdentifier::new(buffer_1_uri.clone()), } ); assert_eq!( lsp.receive_notification::() .await, lsp::DidCloseTextDocumentParams { text_document: lsp::TextDocumentIdentifier::new(buffer_2_uri.clone()), } ); // Ensure all previously-registered buffers are re-opened when signing in. lsp.set_request_handler::(|_, _| async { Ok(request::SignInInitiateResult::AlreadySignedIn { user: "user-1".into(), }) }); copilot .update(cx, |copilot, cx| copilot.sign_in(cx)) .await .unwrap(); assert_eq!( lsp.receive_notification::() .await, lsp::DidOpenTextDocumentParams { text_document: lsp::TextDocumentItem::new( buffer_1_uri.clone(), "plaintext".into(), 0, "Hello world".into() ), } ); assert_eq!( lsp.receive_notification::() .await, lsp::DidOpenTextDocumentParams { text_document: lsp::TextDocumentItem::new( buffer_2_uri.clone(), "plaintext".into(), 0, "Goodbye".into() ), } ); // Dropping a buffer causes it to be closed on the LSP side as well. cx.update(|_| drop(buffer_2)); assert_eq!( lsp.receive_notification::() .await, lsp::DidCloseTextDocumentParams { text_document: lsp::TextDocumentIdentifier::new(buffer_2_uri), } ); } struct File { abs_path: PathBuf, path: Arc, } impl language::File for File { fn as_local(&self) -> Option<&dyn language::LocalFile> { Some(self) } fn disk_state(&self) -> language::DiskState { language::DiskState::Present { mtime: ::fs::MTime::from_seconds_and_nanos(100, 42), } } fn path(&self) -> &Arc { &self.path } fn full_path(&self, _: &App) -> PathBuf { unimplemented!() } fn file_name<'a>(&'a self, _: &'a App) -> &'a std::ffi::OsStr { unimplemented!() } fn to_proto(&self, _: &App) -> rpc::proto::File { unimplemented!() } fn worktree_id(&self, _: &App) -> settings::WorktreeId { settings::WorktreeId::from_usize(0) } fn is_private(&self) -> bool { false } } impl language::LocalFile for File { fn abs_path(&self, _: &App) -> PathBuf { self.abs_path.clone() } fn load(&self, _: &App) -> Task> { unimplemented!() } fn load_bytes(&self, _cx: &App) -> Task>> { unimplemented!() } } } #[cfg(test)] #[ctor::ctor] fn init_logger() { if std::env::var("RUST_LOG").is_ok() { env_logger::init(); } }