use crate::{ lsp_store::OpenLspBufferHandle, search::SearchQuery, worktree_store::{WorktreeStore, WorktreeStoreEvent}, ProjectItem as _, ProjectPath, }; use ::git::{parse_git_remote_url, BuildPermalinkParams, GitHostingProviderRegistry}; use anyhow::{anyhow, bail, Context as _, Result}; use buffer_diff::{BufferDiff, BufferDiffEvent}; use client::Client; use collections::{hash_map, HashMap, HashSet}; use fs::Fs; use futures::{channel::oneshot, future::Shared, Future, FutureExt as _, StreamExt}; use git::{blame::Blame, repository::RepoPath}; use gpui::{ App, AppContext as _, AsyncApp, Context, Entity, EventEmitter, Subscription, Task, WeakEntity, }; use http_client::Url; use language::{ proto::{ deserialize_line_ending, deserialize_version, serialize_line_ending, serialize_version, split_operations, }, Buffer, BufferEvent, Capability, DiskState, File as _, Language, LanguageRegistry, Operation, }; use rpc::{ proto::{self, ToProto}, AnyProtoClient, ErrorExt as _, TypedEnvelope, }; use serde::Deserialize; use smol::channel::Receiver; use std::{ io, ops::Range, path::{Path, PathBuf}, pin::pin, str::FromStr as _, sync::Arc, time::Instant, }; use text::BufferId; use util::{debug_panic, maybe, ResultExt as _, TryFutureExt}; use worktree::{File, PathChange, ProjectEntryId, UpdatedGitRepositoriesSet, Worktree, WorktreeId}; #[derive(Clone, Copy, Debug, PartialEq, Eq, Hash)] enum DiffKind { Unstaged, Uncommitted, } /// A set of open buffers. pub struct BufferStore { state: BufferStoreState, #[allow(clippy::type_complexity)] loading_buffers: HashMap, Arc>>>>, #[allow(clippy::type_complexity)] loading_diffs: HashMap<(BufferId, DiffKind), Shared, Arc>>>>, worktree_store: Entity, opened_buffers: HashMap, downstream_client: Option<(AnyProtoClient, u64)>, shared_buffers: HashMap>, } #[derive(Hash, Eq, PartialEq, Clone)] struct SharedBuffer { buffer: Entity, diff: Option>, lsp_handle: Option, } #[derive(Default)] struct BufferDiffState { unstaged_diff: Option>, uncommitted_diff: Option>, recalculate_diff_task: Option>>, language: Option>, language_registry: Option>, diff_updated_futures: Vec>, head_text: Option>, index_text: Option>, head_changed: bool, index_changed: bool, language_changed: bool, } #[derive(Clone, Debug)] enum DiffBasesChange { SetIndex(Option), SetHead(Option), SetEach { index: Option, head: Option, }, SetBoth(Option), } impl BufferDiffState { fn buffer_language_changed(&mut self, buffer: Entity, cx: &mut Context) { self.language = buffer.read(cx).language().cloned(); self.language_changed = true; let _ = self.recalculate_diffs(buffer.read(cx).text_snapshot(), cx); } fn unstaged_diff(&self) -> Option> { self.unstaged_diff.as_ref().and_then(|set| set.upgrade()) } fn uncommitted_diff(&self) -> Option> { self.uncommitted_diff.as_ref().and_then(|set| set.upgrade()) } fn handle_base_texts_updated( &mut self, buffer: text::BufferSnapshot, message: proto::UpdateDiffBases, cx: &mut Context, ) { use proto::update_diff_bases::Mode; let Some(mode) = Mode::from_i32(message.mode) else { return; }; let diff_bases_change = match mode { Mode::HeadOnly => DiffBasesChange::SetHead(message.committed_text), Mode::IndexOnly => DiffBasesChange::SetIndex(message.staged_text), Mode::IndexMatchesHead => DiffBasesChange::SetBoth(message.committed_text), Mode::IndexAndHead => DiffBasesChange::SetEach { index: message.staged_text, head: message.committed_text, }, }; let _ = self.diff_bases_changed(buffer, diff_bases_change, cx); } pub fn wait_for_recalculation(&mut self) -> Option> { if self.diff_updated_futures.is_empty() { return None; } let (tx, rx) = oneshot::channel(); self.diff_updated_futures.push(tx); Some(rx) } fn diff_bases_changed( &mut self, buffer: text::BufferSnapshot, diff_bases_change: DiffBasesChange, cx: &mut Context, ) -> oneshot::Receiver<()> { match diff_bases_change { DiffBasesChange::SetIndex(index) => { self.index_text = index.map(|mut index| { text::LineEnding::normalize(&mut index); Arc::new(index) }); self.index_changed = true; } DiffBasesChange::SetHead(head) => { self.head_text = head.map(|mut head| { text::LineEnding::normalize(&mut head); Arc::new(head) }); self.head_changed = true; } DiffBasesChange::SetBoth(text) => { let text = text.map(|mut text| { text::LineEnding::normalize(&mut text); Arc::new(text) }); self.head_text = text.clone(); self.index_text = text; self.head_changed = true; self.index_changed = true; } DiffBasesChange::SetEach { index, head } => { self.index_text = index.map(|mut index| { text::LineEnding::normalize(&mut index); Arc::new(index) }); self.index_changed = true; self.head_text = head.map(|mut head| { text::LineEnding::normalize(&mut head); Arc::new(head) }); self.head_changed = true; } } self.recalculate_diffs(buffer, cx) } fn recalculate_diffs( &mut self, buffer: text::BufferSnapshot, cx: &mut Context, ) -> oneshot::Receiver<()> { log::debug!("recalculate diffs"); let (tx, rx) = oneshot::channel(); self.diff_updated_futures.push(tx); let language = self.language.clone(); let language_registry = self.language_registry.clone(); let unstaged_diff = self.unstaged_diff(); let uncommitted_diff = self.uncommitted_diff(); let head = self.head_text.clone(); let index = self.index_text.clone(); let index_changed = self.index_changed; let head_changed = self.head_changed; let language_changed = self.language_changed; let index_matches_head = match (self.index_text.as_ref(), self.head_text.as_ref()) { (Some(index), Some(head)) => Arc::ptr_eq(index, head), (None, None) => true, _ => false, }; self.recalculate_diff_task = Some(cx.spawn(|this, mut cx| async move { let mut unstaged_changed_range = None; if let Some(unstaged_diff) = &unstaged_diff { unstaged_changed_range = BufferDiff::update_diff( unstaged_diff.clone(), buffer.clone(), index, index_changed, language_changed, language.clone(), language_registry.clone(), &mut cx, ) .await?; unstaged_diff.update(&mut cx, |_, cx| { if language_changed { cx.emit(BufferDiffEvent::LanguageChanged); } if let Some(changed_range) = unstaged_changed_range.clone() { cx.emit(BufferDiffEvent::DiffChanged { changed_range: Some(changed_range), }) } })?; } if let Some(uncommitted_diff) = &uncommitted_diff { let uncommitted_changed_range = if let (Some(unstaged_diff), true) = (&unstaged_diff, index_matches_head) { uncommitted_diff.update(&mut cx, |uncommitted_diff, cx| { uncommitted_diff.update_diff_from(&buffer, unstaged_diff, cx) })? } else { BufferDiff::update_diff( uncommitted_diff.clone(), buffer.clone(), head, head_changed, language_changed, language.clone(), language_registry.clone(), &mut cx, ) .await? }; uncommitted_diff.update(&mut cx, |uncommitted_diff, cx| { if language_changed { cx.emit(BufferDiffEvent::LanguageChanged); } let changed_range = match (unstaged_changed_range, uncommitted_changed_range) { (None, None) => None, (Some(unstaged_range), None) => { uncommitted_diff.range_to_hunk_range(unstaged_range, &buffer, cx) } (None, Some(uncommitted_range)) => Some(uncommitted_range), (Some(unstaged_range), Some(uncommitted_range)) => { let mut start = uncommitted_range.start; let mut end = uncommitted_range.end; if let Some(unstaged_range) = uncommitted_diff.range_to_hunk_range(unstaged_range, &buffer, cx) { start = unstaged_range.start.min(&uncommitted_range.start, &buffer); end = unstaged_range.end.max(&uncommitted_range.end, &buffer); } Some(start..end) } }; cx.emit(BufferDiffEvent::DiffChanged { changed_range }); })?; } if let Some(this) = this.upgrade() { this.update(&mut cx, |this, _| { this.index_changed = false; this.head_changed = false; this.language_changed = false; for tx in this.diff_updated_futures.drain(..) { tx.send(()).ok(); } })?; } Ok(()) })); rx } } enum BufferStoreState { Local(LocalBufferStore), Remote(RemoteBufferStore), } struct RemoteBufferStore { shared_with_me: HashSet>, upstream_client: AnyProtoClient, project_id: u64, loading_remote_buffers_by_id: HashMap>, remote_buffer_listeners: HashMap, anyhow::Error>>>>, worktree_store: Entity, } struct LocalBufferStore { local_buffer_ids_by_path: HashMap, local_buffer_ids_by_entry_id: HashMap, worktree_store: Entity, _subscription: Subscription, } enum OpenBuffer { Complete { buffer: WeakEntity, diff_state: Entity, }, Operations(Vec), } pub enum BufferStoreEvent { BufferAdded(Entity), BufferDropped(BufferId), BufferChangedFilePath { buffer: Entity, old_file: Option>, }, } #[derive(Default, Debug)] pub struct ProjectTransaction(pub HashMap, language::Transaction>); impl EventEmitter for BufferStore {} impl RemoteBufferStore { fn open_unstaged_diff(&self, buffer_id: BufferId, cx: &App) -> Task>> { let project_id = self.project_id; let client = self.upstream_client.clone(); cx.background_spawn(async move { let response = client .request(proto::OpenUnstagedDiff { project_id, buffer_id: buffer_id.to_proto(), }) .await?; Ok(response.staged_text) }) } fn open_uncommitted_diff( &self, buffer_id: BufferId, cx: &App, ) -> Task> { use proto::open_uncommitted_diff_response::Mode; let project_id = self.project_id; let client = self.upstream_client.clone(); cx.background_spawn(async move { let response = client .request(proto::OpenUncommittedDiff { project_id, buffer_id: buffer_id.to_proto(), }) .await?; let mode = Mode::from_i32(response.mode).ok_or_else(|| anyhow!("Invalid mode"))?; let bases = match mode { Mode::IndexMatchesHead => DiffBasesChange::SetBoth(response.committed_text), Mode::IndexAndHead => DiffBasesChange::SetEach { head: response.committed_text, index: response.staged_text, }, }; Ok(bases) }) } pub fn wait_for_remote_buffer( &mut self, id: BufferId, cx: &mut Context, ) -> Task>> { let (tx, rx) = oneshot::channel(); self.remote_buffer_listeners.entry(id).or_default().push(tx); cx.spawn(|this, cx| async move { if let Some(buffer) = this .read_with(&cx, |buffer_store, _| buffer_store.get(id)) .ok() .flatten() { return Ok(buffer); } cx.background_spawn(async move { rx.await? }).await }) } fn save_remote_buffer( &self, buffer_handle: Entity, new_path: Option, cx: &Context, ) -> Task> { let buffer = buffer_handle.read(cx); let buffer_id = buffer.remote_id().into(); let version = buffer.version(); let rpc = self.upstream_client.clone(); let project_id = self.project_id; cx.spawn(move |_, mut cx| async move { let response = rpc .request(proto::SaveBuffer { project_id, buffer_id, new_path, version: serialize_version(&version), }) .await?; let version = deserialize_version(&response.version); let mtime = response.mtime.map(|mtime| mtime.into()); buffer_handle.update(&mut cx, |buffer, cx| { buffer.did_save(version.clone(), mtime, cx); })?; Ok(()) }) } pub fn handle_create_buffer_for_peer( &mut self, envelope: TypedEnvelope, replica_id: u16, capability: Capability, cx: &mut Context, ) -> Result>> { match envelope .payload .variant .ok_or_else(|| anyhow!("missing variant"))? { proto::create_buffer_for_peer::Variant::State(mut state) => { let buffer_id = BufferId::new(state.id)?; let buffer_result = maybe!({ let mut buffer_file = None; if let Some(file) = state.file.take() { let worktree_id = worktree::WorktreeId::from_proto(file.worktree_id); let worktree = self .worktree_store .read(cx) .worktree_for_id(worktree_id, cx) .ok_or_else(|| { anyhow!("no worktree found for id {}", file.worktree_id) })?; buffer_file = Some(Arc::new(File::from_proto(file, worktree.clone(), cx)?) as Arc); } Buffer::from_proto(replica_id, capability, state, buffer_file) }); match buffer_result { Ok(buffer) => { let buffer = cx.new(|_| buffer); self.loading_remote_buffers_by_id.insert(buffer_id, buffer); } Err(error) => { if let Some(listeners) = self.remote_buffer_listeners.remove(&buffer_id) { for listener in listeners { listener.send(Err(anyhow!(error.cloned()))).ok(); } } } } } proto::create_buffer_for_peer::Variant::Chunk(chunk) => { let buffer_id = BufferId::new(chunk.buffer_id)?; let buffer = self .loading_remote_buffers_by_id .get(&buffer_id) .cloned() .ok_or_else(|| { anyhow!( "received chunk for buffer {} without initial state", chunk.buffer_id ) })?; let result = maybe!({ let operations = chunk .operations .into_iter() .map(language::proto::deserialize_operation) .collect::>>()?; buffer.update(cx, |buffer, cx| buffer.apply_ops(operations, cx)); anyhow::Ok(()) }); if let Err(error) = result { self.loading_remote_buffers_by_id.remove(&buffer_id); if let Some(listeners) = self.remote_buffer_listeners.remove(&buffer_id) { for listener in listeners { listener.send(Err(error.cloned())).ok(); } } } else if chunk.is_last { self.loading_remote_buffers_by_id.remove(&buffer_id); if self.upstream_client.is_via_collab() { // retain buffers sent by peers to avoid races. self.shared_with_me.insert(buffer.clone()); } if let Some(senders) = self.remote_buffer_listeners.remove(&buffer_id) { for sender in senders { sender.send(Ok(buffer.clone())).ok(); } } return Ok(Some(buffer)); } } } return Ok(None); } pub fn incomplete_buffer_ids(&self) -> Vec { self.loading_remote_buffers_by_id .keys() .copied() .collect::>() } pub fn deserialize_project_transaction( &self, message: proto::ProjectTransaction, push_to_history: bool, cx: &mut Context, ) -> Task> { cx.spawn(|this, mut cx| async move { let mut project_transaction = ProjectTransaction::default(); for (buffer_id, transaction) in message.buffer_ids.into_iter().zip(message.transactions) { let buffer_id = BufferId::new(buffer_id)?; let buffer = this .update(&mut cx, |this, cx| { this.wait_for_remote_buffer(buffer_id, cx) })? .await?; let transaction = language::proto::deserialize_transaction(transaction)?; project_transaction.0.insert(buffer, transaction); } for (buffer, transaction) in &project_transaction.0 { buffer .update(&mut cx, |buffer, _| { buffer.wait_for_edits(transaction.edit_ids.iter().copied()) })? .await?; if push_to_history { buffer.update(&mut cx, |buffer, _| { buffer.push_transaction(transaction.clone(), Instant::now()); })?; } } Ok(project_transaction) }) } fn open_buffer( &self, path: Arc, worktree: Entity, cx: &mut Context, ) -> Task>> { let worktree_id = worktree.read(cx).id().to_proto(); let project_id = self.project_id; let client = self.upstream_client.clone(); cx.spawn(move |this, mut cx| async move { let response = client .request(proto::OpenBufferByPath { project_id, worktree_id, path: path.to_proto(), }) .await?; let buffer_id = BufferId::new(response.buffer_id)?; let buffer = this .update(&mut cx, { |this, cx| this.wait_for_remote_buffer(buffer_id, cx) })? .await?; Ok(buffer) }) } fn create_buffer(&self, cx: &mut Context) -> Task>> { let create = self.upstream_client.request(proto::OpenNewBuffer { project_id: self.project_id, }); cx.spawn(|this, mut cx| async move { let response = create.await?; let buffer_id = BufferId::new(response.buffer_id)?; this.update(&mut cx, |this, cx| { this.wait_for_remote_buffer(buffer_id, cx) })? .await }) } fn reload_buffers( &self, buffers: HashSet>, push_to_history: bool, cx: &mut Context, ) -> Task> { let request = self.upstream_client.request(proto::ReloadBuffers { project_id: self.project_id, buffer_ids: buffers .iter() .map(|buffer| buffer.read(cx).remote_id().to_proto()) .collect(), }); cx.spawn(|this, mut cx| async move { let response = request .await? .transaction .ok_or_else(|| anyhow!("missing transaction"))?; this.update(&mut cx, |this, cx| { this.deserialize_project_transaction(response, push_to_history, cx) })? .await }) } } impl LocalBufferStore { fn worktree_for_buffer( &self, buffer: &Entity, cx: &App, ) -> Option<(Entity, Arc)> { let file = buffer.read(cx).file()?; let worktree_id = file.worktree_id(cx); let path = file.path().clone(); let worktree = self .worktree_store .read(cx) .worktree_for_id(worktree_id, cx)?; Some((worktree, path)) } fn load_staged_text(&self, buffer: &Entity, cx: &App) -> Task>> { if let Some((worktree, path)) = self.worktree_for_buffer(buffer, cx) { worktree.read(cx).load_staged_file(path.as_ref(), cx) } else { return Task::ready(Err(anyhow!("no such worktree"))); } } fn load_committed_text( &self, buffer: &Entity, cx: &App, ) -> Task>> { if let Some((worktree, path)) = self.worktree_for_buffer(buffer, cx) { worktree.read(cx).load_committed_file(path.as_ref(), cx) } else { Task::ready(Err(anyhow!("no such worktree"))) } } fn save_local_buffer( &self, buffer_handle: Entity, worktree: Entity, path: Arc, mut has_changed_file: bool, cx: &mut Context, ) -> Task> { let buffer = buffer_handle.read(cx); let text = buffer.as_rope().clone(); let line_ending = buffer.line_ending(); let version = buffer.version(); let buffer_id = buffer.remote_id(); if buffer .file() .is_some_and(|file| file.disk_state() == DiskState::New) { has_changed_file = true; } let save = worktree.update(cx, |worktree, cx| { worktree.write_file(path.as_ref(), text, line_ending, cx) }); cx.spawn(move |this, mut cx| async move { let new_file = save.await?; let mtime = new_file.disk_state().mtime(); this.update(&mut cx, |this, cx| { if let Some((downstream_client, project_id)) = this.downstream_client.clone() { if has_changed_file { downstream_client .send(proto::UpdateBufferFile { project_id, buffer_id: buffer_id.to_proto(), file: Some(language::File::to_proto(&*new_file, cx)), }) .log_err(); } downstream_client .send(proto::BufferSaved { project_id, buffer_id: buffer_id.to_proto(), version: serialize_version(&version), mtime: mtime.map(|time| time.into()), }) .log_err(); } })?; buffer_handle.update(&mut cx, |buffer, cx| { if has_changed_file { buffer.file_updated(new_file, cx); } buffer.did_save(version.clone(), mtime, cx); }) }) } fn subscribe_to_worktree( &mut self, worktree: &Entity, cx: &mut Context, ) { cx.subscribe(worktree, |this, worktree, event, cx| { if worktree.read(cx).is_local() { match event { worktree::Event::UpdatedEntries(changes) => { Self::local_worktree_entries_changed(this, &worktree, changes, cx); } worktree::Event::UpdatedGitRepositories(updated_repos) => { Self::local_worktree_git_repos_changed( this, worktree.clone(), updated_repos, cx, ) } _ => {} } } }) .detach(); } fn local_worktree_entries_changed( this: &mut BufferStore, worktree_handle: &Entity, changes: &[(Arc, ProjectEntryId, PathChange)], cx: &mut Context, ) { let snapshot = worktree_handle.read(cx).snapshot(); for (path, entry_id, _) in changes { Self::local_worktree_entry_changed( this, *entry_id, path, worktree_handle, &snapshot, cx, ); } } fn local_worktree_git_repos_changed( this: &mut BufferStore, worktree_handle: Entity, changed_repos: &UpdatedGitRepositoriesSet, cx: &mut Context, ) { debug_assert!(worktree_handle.read(cx).is_local()); let mut diff_state_updates = Vec::new(); for buffer in this.opened_buffers.values() { let OpenBuffer::Complete { buffer, diff_state } = buffer else { continue; }; let Some(buffer) = buffer.upgrade() else { continue; }; let buffer = buffer.read(cx); let Some(file) = File::from_dyn(buffer.file()) else { continue; }; if file.worktree != worktree_handle { continue; } let diff_state = diff_state.read(cx); if changed_repos .iter() .any(|(work_dir, _)| file.path.starts_with(work_dir)) { let snapshot = buffer.text_snapshot(); let has_unstaged_diff = diff_state .unstaged_diff .as_ref() .is_some_and(|diff| diff.is_upgradable()); let has_uncommitted_diff = diff_state .uncommitted_diff .as_ref() .is_some_and(|set| set.is_upgradable()); diff_state_updates.push(( snapshot.clone(), file.path.clone(), has_unstaged_diff.then(|| diff_state.index_text.clone()), has_uncommitted_diff.then(|| diff_state.head_text.clone()), )); } } if diff_state_updates.is_empty() { return; } cx.spawn(move |this, mut cx| async move { let snapshot = worktree_handle.update(&mut cx, |tree, _| tree.as_local().unwrap().snapshot())?; let diff_bases_changes_by_buffer = cx .background_spawn(async move { diff_state_updates .into_iter() .filter_map( |(buffer_snapshot, path, current_index_text, current_head_text)| { let local_repo = snapshot.local_repo_for_path(&path)?; let relative_path = local_repo.relativize(&path).ok()?; let index_text = if current_index_text.is_some() { local_repo.repo().load_index_text(&relative_path) } else { None }; let head_text = if current_head_text.is_some() { local_repo.repo().load_committed_text(&relative_path) } else { None }; // Avoid triggering a diff update if the base text has not changed. if let Some((current_index, current_head)) = current_index_text.as_ref().zip(current_head_text.as_ref()) { if current_index.as_deref() == index_text.as_ref() && current_head.as_deref() == head_text.as_ref() { return None; } } let diff_bases_change = match ( current_index_text.is_some(), current_head_text.is_some(), ) { (true, true) => Some(if index_text == head_text { DiffBasesChange::SetBoth(head_text) } else { DiffBasesChange::SetEach { index: index_text, head: head_text, } }), (true, false) => Some(DiffBasesChange::SetIndex(index_text)), (false, true) => Some(DiffBasesChange::SetHead(head_text)), (false, false) => None, }; Some((buffer_snapshot, diff_bases_change)) }, ) .collect::>() }) .await; this.update(&mut cx, |this, cx| { for (buffer_snapshot, diff_bases_change) in diff_bases_changes_by_buffer { let Some(OpenBuffer::Complete { diff_state, .. }) = this.opened_buffers.get_mut(&buffer_snapshot.remote_id()) else { continue; }; let Some(diff_bases_change) = diff_bases_change else { continue; }; diff_state.update(cx, |diff_state, cx| { use proto::update_diff_bases::Mode; if let Some((client, project_id)) = this.downstream_client.as_ref() { let buffer_id = buffer_snapshot.remote_id().to_proto(); let (staged_text, committed_text, mode) = match diff_bases_change .clone() { DiffBasesChange::SetIndex(index) => (index, None, Mode::IndexOnly), DiffBasesChange::SetHead(head) => (None, head, Mode::HeadOnly), DiffBasesChange::SetEach { index, head } => { (index, head, Mode::IndexAndHead) } DiffBasesChange::SetBoth(text) => { (None, text, Mode::IndexMatchesHead) } }; let message = proto::UpdateDiffBases { project_id: *project_id, buffer_id, staged_text, committed_text, mode: mode as i32, }; client.send(message).log_err(); } let _ = diff_state.diff_bases_changed(buffer_snapshot, diff_bases_change, cx); }); } }) }) .detach_and_log_err(cx); } fn local_worktree_entry_changed( this: &mut BufferStore, entry_id: ProjectEntryId, path: &Arc, worktree: &Entity, snapshot: &worktree::Snapshot, cx: &mut Context, ) -> Option<()> { let project_path = ProjectPath { worktree_id: snapshot.id(), path: path.clone(), }; let buffer_id = { let local = this.as_local_mut()?; match local.local_buffer_ids_by_entry_id.get(&entry_id) { Some(&buffer_id) => buffer_id, None => local.local_buffer_ids_by_path.get(&project_path).copied()?, } }; let buffer = if let Some(buffer) = this.get(buffer_id) { Some(buffer) } else { this.opened_buffers.remove(&buffer_id); None }; let buffer = if let Some(buffer) = buffer { buffer } else { let this = this.as_local_mut()?; this.local_buffer_ids_by_path.remove(&project_path); this.local_buffer_ids_by_entry_id.remove(&entry_id); return None; }; let events = buffer.update(cx, |buffer, cx| { let local = this.as_local_mut()?; let file = buffer.file()?; let old_file = File::from_dyn(Some(file))?; if old_file.worktree != *worktree { return None; } let snapshot_entry = old_file .entry_id .and_then(|entry_id| snapshot.entry_for_id(entry_id)) .or_else(|| snapshot.entry_for_path(old_file.path.as_ref())); let new_file = if let Some(entry) = snapshot_entry { File { disk_state: match entry.mtime { Some(mtime) => DiskState::Present { mtime }, None => old_file.disk_state, }, is_local: true, entry_id: Some(entry.id), path: entry.path.clone(), worktree: worktree.clone(), is_private: entry.is_private, } } else { File { disk_state: DiskState::Deleted, is_local: true, entry_id: old_file.entry_id, path: old_file.path.clone(), worktree: worktree.clone(), is_private: old_file.is_private, } }; if new_file == *old_file { return None; } let mut events = Vec::new(); if new_file.path != old_file.path { local.local_buffer_ids_by_path.remove(&ProjectPath { path: old_file.path.clone(), worktree_id: old_file.worktree_id(cx), }); local.local_buffer_ids_by_path.insert( ProjectPath { worktree_id: new_file.worktree_id(cx), path: new_file.path.clone(), }, buffer_id, ); events.push(BufferStoreEvent::BufferChangedFilePath { buffer: cx.entity(), old_file: buffer.file().cloned(), }); } if new_file.entry_id != old_file.entry_id { if let Some(entry_id) = old_file.entry_id { local.local_buffer_ids_by_entry_id.remove(&entry_id); } if let Some(entry_id) = new_file.entry_id { local .local_buffer_ids_by_entry_id .insert(entry_id, buffer_id); } } if let Some((client, project_id)) = &this.downstream_client { client .send(proto::UpdateBufferFile { project_id: *project_id, buffer_id: buffer_id.to_proto(), file: Some(new_file.to_proto(cx)), }) .ok(); } buffer.file_updated(Arc::new(new_file), cx); Some(events) })?; for event in events { cx.emit(event); } None } fn buffer_changed_file(&mut self, buffer: Entity, cx: &mut App) -> Option<()> { let file = File::from_dyn(buffer.read(cx).file())?; let remote_id = buffer.read(cx).remote_id(); if let Some(entry_id) = file.entry_id { match self.local_buffer_ids_by_entry_id.get(&entry_id) { Some(_) => { return None; } None => { self.local_buffer_ids_by_entry_id .insert(entry_id, remote_id); } } }; self.local_buffer_ids_by_path.insert( ProjectPath { worktree_id: file.worktree_id(cx), path: file.path.clone(), }, remote_id, ); Some(()) } fn save_buffer( &self, buffer: Entity, cx: &mut Context, ) -> Task> { let Some(file) = File::from_dyn(buffer.read(cx).file()) else { return Task::ready(Err(anyhow!("buffer doesn't have a file"))); }; let worktree = file.worktree.clone(); self.save_local_buffer(buffer, worktree, file.path.clone(), false, cx) } fn save_buffer_as( &self, buffer: Entity, path: ProjectPath, cx: &mut Context, ) -> Task> { let Some(worktree) = self .worktree_store .read(cx) .worktree_for_id(path.worktree_id, cx) else { return Task::ready(Err(anyhow!("no such worktree"))); }; self.save_local_buffer(buffer, worktree, path.path.clone(), true, cx) } fn open_buffer( &self, path: Arc, worktree: Entity, cx: &mut Context, ) -> Task>> { let load_buffer = worktree.update(cx, |worktree, cx| { let load_file = worktree.load_file(path.as_ref(), cx); let reservation = cx.reserve_entity(); let buffer_id = BufferId::from(reservation.entity_id().as_non_zero_u64()); cx.spawn(move |_, mut cx| async move { let loaded = load_file.await?; let text_buffer = cx .background_spawn(async move { text::Buffer::new(0, buffer_id, loaded.text) }) .await; cx.insert_entity(reservation, |_| { Buffer::build(text_buffer, Some(loaded.file), Capability::ReadWrite) }) }) }); cx.spawn(move |this, mut cx| async move { let buffer = match load_buffer.await { Ok(buffer) => Ok(buffer), Err(error) if is_not_found_error(&error) => cx.new(|cx| { let buffer_id = BufferId::from(cx.entity_id().as_non_zero_u64()); let text_buffer = text::Buffer::new(0, buffer_id, "".into()); Buffer::build( text_buffer, Some(Arc::new(File { worktree, path, disk_state: DiskState::New, entry_id: None, is_local: true, is_private: false, })), Capability::ReadWrite, ) }), Err(e) => Err(e), }?; this.update(&mut cx, |this, cx| { this.add_buffer(buffer.clone(), cx)?; let buffer_id = buffer.read(cx).remote_id(); if let Some(file) = File::from_dyn(buffer.read(cx).file()) { let this = this.as_local_mut().unwrap(); this.local_buffer_ids_by_path.insert( ProjectPath { worktree_id: file.worktree_id(cx), path: file.path.clone(), }, buffer_id, ); if let Some(entry_id) = file.entry_id { this.local_buffer_ids_by_entry_id .insert(entry_id, buffer_id); } } anyhow::Ok(()) })??; Ok(buffer) }) } fn create_buffer(&self, cx: &mut Context) -> Task>> { cx.spawn(|buffer_store, mut cx| async move { let buffer = cx.new(|cx| Buffer::local("", cx).with_language(language::PLAIN_TEXT.clone(), cx))?; buffer_store.update(&mut cx, |buffer_store, cx| { buffer_store.add_buffer(buffer.clone(), cx).log_err(); })?; Ok(buffer) }) } fn reload_buffers( &self, buffers: HashSet>, push_to_history: bool, cx: &mut Context, ) -> Task> { cx.spawn(move |_, mut cx| async move { let mut project_transaction = ProjectTransaction::default(); for buffer in buffers { let transaction = buffer .update(&mut cx, |buffer, cx| buffer.reload(cx))? .await?; buffer.update(&mut cx, |buffer, cx| { if let Some(transaction) = transaction { if !push_to_history { buffer.forget_transaction(transaction.id); } project_transaction.0.insert(cx.entity(), transaction); } })?; } Ok(project_transaction) }) } } impl BufferStore { pub fn init(client: &AnyProtoClient) { client.add_entity_message_handler(Self::handle_buffer_reloaded); client.add_entity_message_handler(Self::handle_buffer_saved); client.add_entity_message_handler(Self::handle_update_buffer_file); client.add_entity_request_handler(Self::handle_save_buffer); client.add_entity_request_handler(Self::handle_blame_buffer); client.add_entity_request_handler(Self::handle_reload_buffers); client.add_entity_request_handler(Self::handle_get_permalink_to_line); client.add_entity_request_handler(Self::handle_open_unstaged_diff); client.add_entity_request_handler(Self::handle_open_uncommitted_diff); client.add_entity_message_handler(Self::handle_update_diff_bases); } /// Creates a buffer store, optionally retaining its buffers. pub fn local(worktree_store: Entity, cx: &mut Context) -> Self { Self { state: BufferStoreState::Local(LocalBufferStore { local_buffer_ids_by_path: Default::default(), local_buffer_ids_by_entry_id: Default::default(), worktree_store: worktree_store.clone(), _subscription: cx.subscribe(&worktree_store, |this, _, event, cx| { if let WorktreeStoreEvent::WorktreeAdded(worktree) = event { let this = this.as_local_mut().unwrap(); this.subscribe_to_worktree(worktree, cx); } }), }), downstream_client: None, opened_buffers: Default::default(), shared_buffers: Default::default(), loading_buffers: Default::default(), loading_diffs: Default::default(), worktree_store, } } pub fn remote( worktree_store: Entity, upstream_client: AnyProtoClient, remote_id: u64, _cx: &mut Context, ) -> Self { Self { state: BufferStoreState::Remote(RemoteBufferStore { shared_with_me: Default::default(), loading_remote_buffers_by_id: Default::default(), remote_buffer_listeners: Default::default(), project_id: remote_id, upstream_client, worktree_store: worktree_store.clone(), }), downstream_client: None, opened_buffers: Default::default(), loading_buffers: Default::default(), loading_diffs: Default::default(), shared_buffers: Default::default(), worktree_store, } } fn as_local_mut(&mut self) -> Option<&mut LocalBufferStore> { match &mut self.state { BufferStoreState::Local(state) => Some(state), _ => None, } } fn as_remote_mut(&mut self) -> Option<&mut RemoteBufferStore> { match &mut self.state { BufferStoreState::Remote(state) => Some(state), _ => None, } } fn as_remote(&self) -> Option<&RemoteBufferStore> { match &self.state { BufferStoreState::Remote(state) => Some(state), _ => None, } } pub fn open_buffer( &mut self, project_path: ProjectPath, cx: &mut Context, ) -> Task>> { if let Some(buffer) = self.get_by_path(&project_path, cx) { return Task::ready(Ok(buffer)); } let task = match self.loading_buffers.entry(project_path.clone()) { hash_map::Entry::Occupied(e) => e.get().clone(), hash_map::Entry::Vacant(entry) => { let path = project_path.path.clone(); let Some(worktree) = self .worktree_store .read(cx) .worktree_for_id(project_path.worktree_id, cx) else { return Task::ready(Err(anyhow!("no such worktree"))); }; let load_buffer = match &self.state { BufferStoreState::Local(this) => this.open_buffer(path, worktree, cx), BufferStoreState::Remote(this) => this.open_buffer(path, worktree, cx), }; entry .insert( cx.spawn(move |this, mut cx| async move { let load_result = load_buffer.await; this.update(&mut cx, |this, _cx| { // Record the fact that the buffer is no longer loading. this.loading_buffers.remove(&project_path); }) .ok(); load_result.map_err(Arc::new) }) .shared(), ) .clone() } }; cx.background_spawn(async move { task.await.map_err(|e| anyhow!("{e}")) }) } pub fn open_unstaged_diff( &mut self, buffer: Entity, cx: &mut Context, ) -> Task>> { let buffer_id = buffer.read(cx).remote_id(); if let Some(OpenBuffer::Complete { diff_state, .. }) = self.opened_buffers.get(&buffer_id) { if let Some(unstaged_diff) = diff_state .read(cx) .unstaged_diff .as_ref() .and_then(|weak| weak.upgrade()) { if let Some(task) = diff_state.update(cx, |diff_state, _| diff_state.wait_for_recalculation()) { return cx.background_executor().spawn(async move { task.await?; Ok(unstaged_diff) }); } return Task::ready(Ok(unstaged_diff)); } } let task = match self.loading_diffs.entry((buffer_id, DiffKind::Unstaged)) { hash_map::Entry::Occupied(e) => e.get().clone(), hash_map::Entry::Vacant(entry) => { let staged_text = match &self.state { BufferStoreState::Local(this) => this.load_staged_text(&buffer, cx), BufferStoreState::Remote(this) => this.open_unstaged_diff(buffer_id, cx), }; entry .insert( cx.spawn(move |this, cx| async move { Self::open_diff_internal( this, DiffKind::Unstaged, staged_text.await.map(DiffBasesChange::SetIndex), buffer, cx, ) .await .map_err(Arc::new) }) .shared(), ) .clone() } }; cx.background_spawn(async move { task.await.map_err(|e| anyhow!("{e}")) }) } pub fn open_uncommitted_diff( &mut self, buffer: Entity, cx: &mut Context, ) -> Task>> { let buffer_id = buffer.read(cx).remote_id(); if let Some(OpenBuffer::Complete { diff_state, .. }) = self.opened_buffers.get(&buffer_id) { if let Some(uncommitted_diff) = diff_state .read(cx) .uncommitted_diff .as_ref() .and_then(|weak| weak.upgrade()) { if let Some(task) = diff_state.update(cx, |diff_state, _| diff_state.wait_for_recalculation()) { return cx.background_executor().spawn(async move { task.await?; Ok(uncommitted_diff) }); } return Task::ready(Ok(uncommitted_diff)); } } let task = match self.loading_diffs.entry((buffer_id, DiffKind::Uncommitted)) { hash_map::Entry::Occupied(e) => e.get().clone(), hash_map::Entry::Vacant(entry) => { let changes = match &self.state { BufferStoreState::Local(this) => { let committed_text = this.load_committed_text(&buffer, cx); let staged_text = this.load_staged_text(&buffer, cx); cx.background_spawn(async move { let committed_text = committed_text.await?; let staged_text = staged_text.await?; let diff_bases_change = if committed_text == staged_text { DiffBasesChange::SetBoth(committed_text) } else { DiffBasesChange::SetEach { index: staged_text, head: committed_text, } }; Ok(diff_bases_change) }) } BufferStoreState::Remote(this) => this.open_uncommitted_diff(buffer_id, cx), }; entry .insert( cx.spawn(move |this, cx| async move { Self::open_diff_internal( this, DiffKind::Uncommitted, changes.await, buffer, cx, ) .await .map_err(Arc::new) }) .shared(), ) .clone() } }; cx.background_spawn(async move { task.await.map_err(|e| anyhow!("{e}")) }) } async fn open_diff_internal( this: WeakEntity, kind: DiffKind, texts: Result, buffer_entity: Entity, mut cx: AsyncApp, ) -> Result> { let diff_bases_change = match texts { Err(e) => { this.update(&mut cx, |this, cx| { let buffer = buffer_entity.read(cx); let buffer_id = buffer.remote_id(); this.loading_diffs.remove(&(buffer_id, kind)); })?; return Err(e); } Ok(change) => change, }; this.update(&mut cx, |this, cx| { let buffer = buffer_entity.read(cx); let buffer_id = buffer.remote_id(); let language = buffer.language().cloned(); let language_registry = buffer.language_registry(); let text_snapshot = buffer.text_snapshot(); this.loading_diffs.remove(&(buffer_id, kind)); if let Some(OpenBuffer::Complete { diff_state, .. }) = this.opened_buffers.get_mut(&buffer_id) { diff_state.update(cx, |diff_state, cx| { diff_state.language = language; diff_state.language_registry = language_registry; let diff = cx.new(|cx| BufferDiff::new(&text_snapshot, cx)); match kind { DiffKind::Unstaged => diff_state.unstaged_diff = Some(diff.downgrade()), DiffKind::Uncommitted => { let unstaged_diff = if let Some(diff) = diff_state.unstaged_diff() { diff } else { let unstaged_diff = cx.new(|cx| BufferDiff::new(&text_snapshot, cx)); diff_state.unstaged_diff = Some(unstaged_diff.downgrade()); unstaged_diff }; diff.update(cx, |diff, _| diff.set_secondary_diff(unstaged_diff)); diff_state.uncommitted_diff = Some(diff.downgrade()) } }; let rx = diff_state.diff_bases_changed(text_snapshot, diff_bases_change, cx); Ok(async move { rx.await.ok(); Ok(diff) }) }) } else { Err(anyhow!("buffer was closed")) } })?? .await } pub fn create_buffer(&mut self, cx: &mut Context) -> Task>> { match &self.state { BufferStoreState::Local(this) => this.create_buffer(cx), BufferStoreState::Remote(this) => this.create_buffer(cx), } } pub fn save_buffer( &mut self, buffer: Entity, cx: &mut Context, ) -> Task> { match &mut self.state { BufferStoreState::Local(this) => this.save_buffer(buffer, cx), BufferStoreState::Remote(this) => this.save_remote_buffer(buffer.clone(), None, cx), } } pub fn save_buffer_as( &mut self, buffer: Entity, path: ProjectPath, cx: &mut Context, ) -> Task> { let old_file = buffer.read(cx).file().cloned(); let task = match &self.state { BufferStoreState::Local(this) => this.save_buffer_as(buffer.clone(), path, cx), BufferStoreState::Remote(this) => { this.save_remote_buffer(buffer.clone(), Some(path.to_proto()), cx) } }; cx.spawn(|this, mut cx| async move { task.await?; this.update(&mut cx, |_, cx| { cx.emit(BufferStoreEvent::BufferChangedFilePath { buffer, old_file }); }) }) } pub fn blame_buffer( &self, buffer: &Entity, version: Option, cx: &App, ) -> Task>> { let buffer = buffer.read(cx); let Some(file) = File::from_dyn(buffer.file()) else { return Task::ready(Err(anyhow!("buffer has no file"))); }; match file.worktree.clone().read(cx) { Worktree::Local(worktree) => { let worktree = worktree.snapshot(); let blame_params = maybe!({ let local_repo = match worktree.local_repo_for_path(&file.path) { Some(repo_for_path) => repo_for_path, None => return Ok(None), }; let relative_path = local_repo .relativize(&file.path) .context("failed to relativize buffer path")?; let repo = local_repo.repo().clone(); let content = match version { Some(version) => buffer.rope_for_version(&version).clone(), None => buffer.as_rope().clone(), }; anyhow::Ok(Some((repo, relative_path, content))) }); cx.background_spawn(async move { let Some((repo, relative_path, content)) = blame_params? else { return Ok(None); }; repo.blame(&relative_path, content) .with_context(|| format!("Failed to blame {:?}", relative_path.0)) .map(Some) }) } Worktree::Remote(worktree) => { let buffer_id = buffer.remote_id(); let version = buffer.version(); let project_id = worktree.project_id(); let client = worktree.client(); cx.spawn(|_| async move { let response = client .request(proto::BlameBuffer { project_id, buffer_id: buffer_id.into(), version: serialize_version(&version), }) .await?; Ok(deserialize_blame_buffer_response(response)) }) } } } pub fn get_permalink_to_line( &self, buffer: &Entity, selection: Range, cx: &App, ) -> Task> { let buffer = buffer.read(cx); let Some(file) = File::from_dyn(buffer.file()) else { return Task::ready(Err(anyhow!("buffer has no file"))); }; match file.worktree.read(cx) { Worktree::Local(worktree) => { let worktree_path = worktree.abs_path().clone(); let Some((repo_entry, repo)) = worktree.repository_for_path(file.path()).and_then(|entry| { let repo = worktree.get_local_repo(&entry)?.repo().clone(); Some((entry, repo)) }) else { // If we're not in a Git repo, check whether this is a Rust source // file in the Cargo registry (presumably opened with go-to-definition // from a normal Rust file). If so, we can put together a permalink // using crate metadata. if buffer .language() .is_none_or(|lang| lang.name() != "Rust".into()) { return Task::ready(Err(anyhow!("no permalink available"))); } let file_path = worktree_path.join(file.path()); return cx.spawn(|cx| async move { let provider_registry = cx.update(GitHostingProviderRegistry::default_global)?; get_permalink_in_rust_registry_src(provider_registry, file_path, selection) .map_err(|_| anyhow!("no permalink available")) }); }; let path = match repo_entry.relativize(file.path()) { Ok(RepoPath(path)) => path, Err(e) => return Task::ready(Err(e)), }; cx.spawn(|cx| async move { const REMOTE_NAME: &str = "origin"; let origin_url = repo .remote_url(REMOTE_NAME) .ok_or_else(|| anyhow!("remote \"{REMOTE_NAME}\" not found"))?; let sha = repo .head_sha() .ok_or_else(|| anyhow!("failed to read HEAD SHA"))?; let provider_registry = cx.update(GitHostingProviderRegistry::default_global)?; let (provider, remote) = parse_git_remote_url(provider_registry, &origin_url) .ok_or_else(|| anyhow!("failed to parse Git remote URL"))?; let path = path .to_str() .ok_or_else(|| anyhow!("failed to convert path to string"))?; Ok(provider.build_permalink( remote, BuildPermalinkParams { sha: &sha, path, selection: Some(selection), }, )) }) } Worktree::Remote(worktree) => { let buffer_id = buffer.remote_id(); let project_id = worktree.project_id(); let client = worktree.client(); cx.spawn(|_| async move { let response = client .request(proto::GetPermalinkToLine { project_id, buffer_id: buffer_id.into(), selection: Some(proto::Range { start: selection.start as u64, end: selection.end as u64, }), }) .await?; url::Url::parse(&response.permalink).context("failed to parse permalink") }) } } } fn add_buffer(&mut self, buffer_entity: Entity, cx: &mut Context) -> Result<()> { let buffer = buffer_entity.read(cx); let language = buffer.language().cloned(); let language_registry = buffer.language_registry(); let remote_id = buffer.remote_id(); let is_remote = buffer.replica_id() != 0; let open_buffer = OpenBuffer::Complete { buffer: buffer_entity.downgrade(), diff_state: cx.new(|_| BufferDiffState { language, language_registry, ..Default::default() }), }; let handle = cx.entity().downgrade(); buffer_entity.update(cx, move |_, cx| { cx.on_release(move |buffer, cx| { handle .update(cx, |_, cx| { cx.emit(BufferStoreEvent::BufferDropped(buffer.remote_id())) }) .ok(); }) .detach() }); match self.opened_buffers.entry(remote_id) { hash_map::Entry::Vacant(entry) => { entry.insert(open_buffer); } hash_map::Entry::Occupied(mut entry) => { if let OpenBuffer::Operations(operations) = entry.get_mut() { buffer_entity.update(cx, |b, cx| b.apply_ops(operations.drain(..), cx)); } else if entry.get().upgrade().is_some() { if is_remote { return Ok(()); } else { debug_panic!("buffer {} was already registered", remote_id); Err(anyhow!("buffer {} was already registered", remote_id))?; } } entry.insert(open_buffer); } } cx.subscribe(&buffer_entity, Self::on_buffer_event).detach(); cx.emit(BufferStoreEvent::BufferAdded(buffer_entity)); Ok(()) } pub fn buffers(&self) -> impl '_ + Iterator> { self.opened_buffers .values() .filter_map(|buffer| buffer.upgrade()) } pub fn loading_buffers( &self, ) -> impl Iterator>>)> { self.loading_buffers.iter().map(|(path, task)| { let task = task.clone(); (path, async move { task.await.map_err(|e| anyhow!("{e}")) }) }) } pub fn get_by_path(&self, path: &ProjectPath, cx: &App) -> Option> { self.buffers().find_map(|buffer| { let file = File::from_dyn(buffer.read(cx).file())?; if file.worktree_id(cx) == path.worktree_id && file.path == path.path { Some(buffer) } else { None } }) } pub fn get(&self, buffer_id: BufferId) -> Option> { self.opened_buffers.get(&buffer_id)?.upgrade() } pub fn get_existing(&self, buffer_id: BufferId) -> Result> { self.get(buffer_id) .ok_or_else(|| anyhow!("unknown buffer id {}", buffer_id)) } pub fn get_possibly_incomplete(&self, buffer_id: BufferId) -> Option> { self.get(buffer_id).or_else(|| { self.as_remote() .and_then(|remote| remote.loading_remote_buffers_by_id.get(&buffer_id).cloned()) }) } pub fn get_unstaged_diff(&self, buffer_id: BufferId, cx: &App) -> Option> { if let OpenBuffer::Complete { diff_state, .. } = self.opened_buffers.get(&buffer_id)? { diff_state.read(cx).unstaged_diff.as_ref()?.upgrade() } else { None } } pub fn get_uncommitted_diff( &self, buffer_id: BufferId, cx: &App, ) -> Option> { if let OpenBuffer::Complete { diff_state, .. } = self.opened_buffers.get(&buffer_id)? { diff_state.read(cx).uncommitted_diff.as_ref()?.upgrade() } else { None } } pub fn buffer_version_info(&self, cx: &App) -> (Vec, Vec) { let buffers = self .buffers() .map(|buffer| { let buffer = buffer.read(cx); proto::BufferVersion { id: buffer.remote_id().into(), version: language::proto::serialize_version(&buffer.version), } }) .collect(); let incomplete_buffer_ids = self .as_remote() .map(|remote| remote.incomplete_buffer_ids()) .unwrap_or_default(); (buffers, incomplete_buffer_ids) } pub fn disconnected_from_host(&mut self, cx: &mut App) { for open_buffer in self.opened_buffers.values_mut() { if let Some(buffer) = open_buffer.upgrade() { buffer.update(cx, |buffer, _| buffer.give_up_waiting()); } } for buffer in self.buffers() { buffer.update(cx, |buffer, cx| { buffer.set_capability(Capability::ReadOnly, cx) }); } if let Some(remote) = self.as_remote_mut() { // Wake up all futures currently waiting on a buffer to get opened, // to give them a chance to fail now that we've disconnected. remote.remote_buffer_listeners.clear() } } pub fn shared(&mut self, remote_id: u64, downstream_client: AnyProtoClient, _cx: &mut App) { self.downstream_client = Some((downstream_client, remote_id)); } pub fn unshared(&mut self, _cx: &mut Context) { self.downstream_client.take(); self.forget_shared_buffers(); } pub fn discard_incomplete(&mut self) { self.opened_buffers .retain(|_, buffer| !matches!(buffer, OpenBuffer::Operations(_))); } pub fn find_search_candidates( &mut self, query: &SearchQuery, mut limit: usize, fs: Arc, cx: &mut Context, ) -> Receiver> { let (tx, rx) = smol::channel::unbounded(); let mut open_buffers = HashSet::default(); let mut unnamed_buffers = Vec::new(); for handle in self.buffers() { let buffer = handle.read(cx); if let Some(entry_id) = buffer.entry_id(cx) { open_buffers.insert(entry_id); } else { limit = limit.saturating_sub(1); unnamed_buffers.push(handle) }; } const MAX_CONCURRENT_BUFFER_OPENS: usize = 64; let project_paths_rx = self .worktree_store .update(cx, |worktree_store, cx| { worktree_store.find_search_candidates(query.clone(), limit, open_buffers, fs, cx) }) .chunks(MAX_CONCURRENT_BUFFER_OPENS); cx.spawn(|this, mut cx| async move { for buffer in unnamed_buffers { tx.send(buffer).await.ok(); } let mut project_paths_rx = pin!(project_paths_rx); while let Some(project_paths) = project_paths_rx.next().await { let buffers = this.update(&mut cx, |this, cx| { project_paths .into_iter() .map(|project_path| this.open_buffer(project_path, cx)) .collect::>() })?; for buffer_task in buffers { if let Some(buffer) = buffer_task.await.log_err() { if tx.send(buffer).await.is_err() { return anyhow::Ok(()); } } } } anyhow::Ok(()) }) .detach(); rx } pub fn recalculate_buffer_diffs( &mut self, buffers: Vec>, cx: &mut Context, ) -> impl Future { let mut futures = Vec::new(); for buffer in buffers { if let Some(OpenBuffer::Complete { diff_state, .. }) = self.opened_buffers.get_mut(&buffer.read(cx).remote_id()) { let buffer = buffer.read(cx).text_snapshot(); futures.push(diff_state.update(cx, |diff_state, cx| { diff_state.recalculate_diffs(buffer, cx) })); } } async move { futures::future::join_all(futures).await; } } fn on_buffer_event( &mut self, buffer: Entity, event: &BufferEvent, cx: &mut Context, ) { match event { BufferEvent::FileHandleChanged => { if let Some(local) = self.as_local_mut() { local.buffer_changed_file(buffer, cx); } } BufferEvent::Reloaded => { let Some((downstream_client, project_id)) = self.downstream_client.as_ref() else { return; }; let buffer = buffer.read(cx); downstream_client .send(proto::BufferReloaded { project_id: *project_id, buffer_id: buffer.remote_id().to_proto(), version: serialize_version(&buffer.version()), mtime: buffer.saved_mtime().map(|t| t.into()), line_ending: serialize_line_ending(buffer.line_ending()) as i32, }) .log_err(); } BufferEvent::LanguageChanged => { let buffer_id = buffer.read(cx).remote_id(); if let Some(OpenBuffer::Complete { diff_state, .. }) = self.opened_buffers.get(&buffer_id) { diff_state.update(cx, |diff_state, cx| { diff_state.buffer_language_changed(buffer, cx); }); } } _ => {} } } pub async fn handle_update_buffer( this: Entity, envelope: TypedEnvelope, mut cx: AsyncApp, ) -> Result { let payload = envelope.payload.clone(); let buffer_id = BufferId::new(payload.buffer_id)?; let ops = payload .operations .into_iter() .map(language::proto::deserialize_operation) .collect::, _>>()?; this.update(&mut cx, |this, cx| { match this.opened_buffers.entry(buffer_id) { hash_map::Entry::Occupied(mut e) => match e.get_mut() { OpenBuffer::Operations(operations) => operations.extend_from_slice(&ops), OpenBuffer::Complete { buffer, .. } => { if let Some(buffer) = buffer.upgrade() { buffer.update(cx, |buffer, cx| buffer.apply_ops(ops, cx)); } } }, hash_map::Entry::Vacant(e) => { e.insert(OpenBuffer::Operations(ops)); } } Ok(proto::Ack {}) })? } pub fn register_shared_lsp_handle( &mut self, peer_id: proto::PeerId, buffer_id: BufferId, handle: OpenLspBufferHandle, ) { if let Some(shared_buffers) = self.shared_buffers.get_mut(&peer_id) { if let Some(buffer) = shared_buffers.get_mut(&buffer_id) { buffer.lsp_handle = Some(handle); return; } } debug_panic!("tried to register shared lsp handle, but buffer was not shared") } pub fn handle_synchronize_buffers( &mut self, envelope: TypedEnvelope, cx: &mut Context, client: Arc, ) -> Result { let project_id = envelope.payload.project_id; let mut response = proto::SynchronizeBuffersResponse { buffers: Default::default(), }; let Some(guest_id) = envelope.original_sender_id else { anyhow::bail!("missing original_sender_id on SynchronizeBuffers request"); }; self.shared_buffers.entry(guest_id).or_default().clear(); for buffer in envelope.payload.buffers { let buffer_id = BufferId::new(buffer.id)?; let remote_version = language::proto::deserialize_version(&buffer.version); if let Some(buffer) = self.get(buffer_id) { self.shared_buffers .entry(guest_id) .or_default() .entry(buffer_id) .or_insert_with(|| SharedBuffer { buffer: buffer.clone(), diff: None, lsp_handle: None, }); let buffer = buffer.read(cx); response.buffers.push(proto::BufferVersion { id: buffer_id.into(), version: language::proto::serialize_version(&buffer.version), }); let operations = buffer.serialize_ops(Some(remote_version), cx); let client = client.clone(); if let Some(file) = buffer.file() { client .send(proto::UpdateBufferFile { project_id, buffer_id: buffer_id.into(), file: Some(file.to_proto(cx)), }) .log_err(); } // TODO(max): do something // client // .send(proto::UpdateStagedText { // project_id, // buffer_id: buffer_id.into(), // diff_base: buffer.diff_base().map(ToString::to_string), // }) // .log_err(); client .send(proto::BufferReloaded { project_id, buffer_id: buffer_id.into(), version: language::proto::serialize_version(buffer.saved_version()), mtime: buffer.saved_mtime().map(|time| time.into()), line_ending: language::proto::serialize_line_ending(buffer.line_ending()) as i32, }) .log_err(); cx.background_spawn( async move { let operations = operations.await; for chunk in split_operations(operations) { client .request(proto::UpdateBuffer { project_id, buffer_id: buffer_id.into(), operations: chunk, }) .await?; } anyhow::Ok(()) } .log_err(), ) .detach(); } } Ok(response) } pub fn handle_create_buffer_for_peer( &mut self, envelope: TypedEnvelope, replica_id: u16, capability: Capability, cx: &mut Context, ) -> Result<()> { let Some(remote) = self.as_remote_mut() else { return Err(anyhow!("buffer store is not a remote")); }; if let Some(buffer) = remote.handle_create_buffer_for_peer(envelope, replica_id, capability, cx)? { self.add_buffer(buffer, cx)?; } Ok(()) } pub async fn handle_update_buffer_file( this: Entity, envelope: TypedEnvelope, mut cx: AsyncApp, ) -> Result<()> { let buffer_id = envelope.payload.buffer_id; let buffer_id = BufferId::new(buffer_id)?; this.update(&mut cx, |this, cx| { let payload = envelope.payload.clone(); if let Some(buffer) = this.get_possibly_incomplete(buffer_id) { let file = payload.file.ok_or_else(|| anyhow!("invalid file"))?; let worktree = this .worktree_store .read(cx) .worktree_for_id(WorktreeId::from_proto(file.worktree_id), cx) .ok_or_else(|| anyhow!("no such worktree"))?; let file = File::from_proto(file, worktree, cx)?; let old_file = buffer.update(cx, |buffer, cx| { let old_file = buffer.file().cloned(); let new_path = file.path.clone(); buffer.file_updated(Arc::new(file), cx); if old_file .as_ref() .map_or(true, |old| *old.path() != new_path) { Some(old_file) } else { None } }); if let Some(old_file) = old_file { cx.emit(BufferStoreEvent::BufferChangedFilePath { buffer, old_file }); } } if let Some((downstream_client, project_id)) = this.downstream_client.as_ref() { downstream_client .send(proto::UpdateBufferFile { project_id: *project_id, buffer_id: buffer_id.into(), file: envelope.payload.file, }) .log_err(); } Ok(()) })? } pub async fn handle_save_buffer( this: Entity, envelope: TypedEnvelope, mut cx: AsyncApp, ) -> Result { let buffer_id = BufferId::new(envelope.payload.buffer_id)?; let (buffer, project_id) = this.update(&mut cx, |this, _| { anyhow::Ok(( this.get_existing(buffer_id)?, this.downstream_client .as_ref() .map(|(_, project_id)| *project_id) .context("project is not shared")?, )) })??; buffer .update(&mut cx, |buffer, _| { buffer.wait_for_version(deserialize_version(&envelope.payload.version)) })? .await?; let buffer_id = buffer.update(&mut cx, |buffer, _| buffer.remote_id())?; if let Some(new_path) = envelope.payload.new_path { let new_path = ProjectPath::from_proto(new_path); this.update(&mut cx, |this, cx| { this.save_buffer_as(buffer.clone(), new_path, cx) })? .await?; } else { this.update(&mut cx, |this, cx| this.save_buffer(buffer.clone(), cx))? .await?; } buffer.update(&mut cx, |buffer, _| proto::BufferSaved { project_id, buffer_id: buffer_id.into(), version: serialize_version(buffer.saved_version()), mtime: buffer.saved_mtime().map(|time| time.into()), }) } pub async fn handle_close_buffer( this: Entity, envelope: TypedEnvelope, mut cx: AsyncApp, ) -> Result<()> { let peer_id = envelope.sender_id; let buffer_id = BufferId::new(envelope.payload.buffer_id)?; this.update(&mut cx, |this, _| { if let Some(shared) = this.shared_buffers.get_mut(&peer_id) { if shared.remove(&buffer_id).is_some() { if shared.is_empty() { this.shared_buffers.remove(&peer_id); } return; } } debug_panic!( "peer_id {} closed buffer_id {} which was either not open or already closed", peer_id, buffer_id ) }) } pub async fn handle_buffer_saved( this: Entity, envelope: TypedEnvelope, mut cx: AsyncApp, ) -> Result<()> { let buffer_id = BufferId::new(envelope.payload.buffer_id)?; let version = deserialize_version(&envelope.payload.version); let mtime = envelope.payload.mtime.clone().map(|time| time.into()); this.update(&mut cx, move |this, cx| { if let Some(buffer) = this.get_possibly_incomplete(buffer_id) { buffer.update(cx, |buffer, cx| { buffer.did_save(version, mtime, cx); }); } if let Some((downstream_client, project_id)) = this.downstream_client.as_ref() { downstream_client .send(proto::BufferSaved { project_id: *project_id, buffer_id: buffer_id.into(), mtime: envelope.payload.mtime, version: envelope.payload.version, }) .log_err(); } }) } pub async fn handle_buffer_reloaded( this: Entity, envelope: TypedEnvelope, mut cx: AsyncApp, ) -> Result<()> { let buffer_id = BufferId::new(envelope.payload.buffer_id)?; let version = deserialize_version(&envelope.payload.version); let mtime = envelope.payload.mtime.clone().map(|time| time.into()); let line_ending = deserialize_line_ending( proto::LineEnding::from_i32(envelope.payload.line_ending) .ok_or_else(|| anyhow!("missing line ending"))?, ); this.update(&mut cx, |this, cx| { if let Some(buffer) = this.get_possibly_incomplete(buffer_id) { buffer.update(cx, |buffer, cx| { buffer.did_reload(version, line_ending, mtime, cx); }); } if let Some((downstream_client, project_id)) = this.downstream_client.as_ref() { downstream_client .send(proto::BufferReloaded { project_id: *project_id, buffer_id: buffer_id.into(), mtime: envelope.payload.mtime, version: envelope.payload.version, line_ending: envelope.payload.line_ending, }) .log_err(); } }) } pub async fn handle_blame_buffer( this: Entity, envelope: TypedEnvelope, mut cx: AsyncApp, ) -> Result { let buffer_id = BufferId::new(envelope.payload.buffer_id)?; let version = deserialize_version(&envelope.payload.version); let buffer = this.read_with(&cx, |this, _| this.get_existing(buffer_id))??; buffer .update(&mut cx, |buffer, _| { buffer.wait_for_version(version.clone()) })? .await?; let blame = this .update(&mut cx, |this, cx| { this.blame_buffer(&buffer, Some(version), cx) })? .await?; Ok(serialize_blame_buffer_response(blame)) } pub async fn handle_get_permalink_to_line( this: Entity, envelope: TypedEnvelope, mut cx: AsyncApp, ) -> Result { let buffer_id = BufferId::new(envelope.payload.buffer_id)?; // let version = deserialize_version(&envelope.payload.version); let selection = { let proto_selection = envelope .payload .selection .context("no selection to get permalink for defined")?; proto_selection.start as u32..proto_selection.end as u32 }; let buffer = this.read_with(&cx, |this, _| this.get_existing(buffer_id))??; let permalink = this .update(&mut cx, |this, cx| { this.get_permalink_to_line(&buffer, selection, cx) })? .await?; Ok(proto::GetPermalinkToLineResponse { permalink: permalink.to_string(), }) } pub async fn handle_open_unstaged_diff( this: Entity, request: TypedEnvelope, mut cx: AsyncApp, ) -> Result { let buffer_id = BufferId::new(request.payload.buffer_id)?; let diff = this .update(&mut cx, |this, cx| { let buffer = this.get(buffer_id)?; Some(this.open_unstaged_diff(buffer, cx)) })? .ok_or_else(|| anyhow!("no such buffer"))? .await?; this.update(&mut cx, |this, _| { let shared_buffers = this .shared_buffers .entry(request.original_sender_id.unwrap_or(request.sender_id)) .or_default(); debug_assert!(shared_buffers.contains_key(&buffer_id)); if let Some(shared) = shared_buffers.get_mut(&buffer_id) { shared.diff = Some(diff.clone()); } })?; let staged_text = diff.read_with(&cx, |diff, _| diff.base_text_string())?; Ok(proto::OpenUnstagedDiffResponse { staged_text }) } pub async fn handle_open_uncommitted_diff( this: Entity, request: TypedEnvelope, mut cx: AsyncApp, ) -> Result { let buffer_id = BufferId::new(request.payload.buffer_id)?; let diff = this .update(&mut cx, |this, cx| { let buffer = this.get(buffer_id)?; Some(this.open_uncommitted_diff(buffer, cx)) })? .ok_or_else(|| anyhow!("no such buffer"))? .await?; this.update(&mut cx, |this, _| { let shared_buffers = this .shared_buffers .entry(request.original_sender_id.unwrap_or(request.sender_id)) .or_default(); debug_assert!(shared_buffers.contains_key(&buffer_id)); if let Some(shared) = shared_buffers.get_mut(&buffer_id) { shared.diff = Some(diff.clone()); } })?; diff.read_with(&cx, |diff, cx| { use proto::open_uncommitted_diff_response::Mode; let unstaged_diff = diff.secondary_diff(); let index_snapshot = unstaged_diff.and_then(|diff| { let diff = diff.read(cx); diff.base_text_exists().then(|| diff.base_text()) }); let mode; let staged_text; let committed_text; if diff.base_text_exists() { let committed_snapshot = diff.base_text(); committed_text = Some(committed_snapshot.text()); if let Some(index_text) = index_snapshot { if index_text.remote_id() == committed_snapshot.remote_id() { mode = Mode::IndexMatchesHead; staged_text = None; } else { mode = Mode::IndexAndHead; staged_text = Some(index_text.text()); } } else { mode = Mode::IndexAndHead; staged_text = None; } } else { mode = Mode::IndexAndHead; committed_text = None; staged_text = index_snapshot.as_ref().map(|buffer| buffer.text()); } proto::OpenUncommittedDiffResponse { committed_text, staged_text, mode: mode.into(), } }) } pub async fn handle_update_diff_bases( this: Entity, request: TypedEnvelope, mut cx: AsyncApp, ) -> Result<()> { let buffer_id = BufferId::new(request.payload.buffer_id)?; this.update(&mut cx, |this, cx| { if let Some(OpenBuffer::Complete { diff_state, buffer }) = this.opened_buffers.get_mut(&buffer_id) { if let Some(buffer) = buffer.upgrade() { let buffer = buffer.read(cx).text_snapshot(); diff_state.update(cx, |diff_state, cx| { diff_state.handle_base_texts_updated(buffer, request.payload, cx); }) } } }) } pub fn reload_buffers( &self, buffers: HashSet>, push_to_history: bool, cx: &mut Context, ) -> Task> { if buffers.is_empty() { return Task::ready(Ok(ProjectTransaction::default())); } match &self.state { BufferStoreState::Local(this) => this.reload_buffers(buffers, push_to_history, cx), BufferStoreState::Remote(this) => this.reload_buffers(buffers, push_to_history, cx), } } async fn handle_reload_buffers( this: Entity, envelope: TypedEnvelope, mut cx: AsyncApp, ) -> Result { let sender_id = envelope.original_sender_id().unwrap_or_default(); let reload = this.update(&mut cx, |this, cx| { let mut buffers = HashSet::default(); for buffer_id in &envelope.payload.buffer_ids { let buffer_id = BufferId::new(*buffer_id)?; buffers.insert(this.get_existing(buffer_id)?); } Ok::<_, anyhow::Error>(this.reload_buffers(buffers, false, cx)) })??; let project_transaction = reload.await?; let project_transaction = this.update(&mut cx, |this, cx| { this.serialize_project_transaction_for_peer(project_transaction, sender_id, cx) })?; Ok(proto::ReloadBuffersResponse { transaction: Some(project_transaction), }) } pub fn create_buffer_for_peer( &mut self, buffer: &Entity, peer_id: proto::PeerId, cx: &mut Context, ) -> Task> { let buffer_id = buffer.read(cx).remote_id(); let shared_buffers = self.shared_buffers.entry(peer_id).or_default(); if shared_buffers.contains_key(&buffer_id) { return Task::ready(Ok(())); } shared_buffers.insert( buffer_id, SharedBuffer { buffer: buffer.clone(), diff: None, lsp_handle: None, }, ); let Some((client, project_id)) = self.downstream_client.clone() else { return Task::ready(Ok(())); }; cx.spawn(|this, mut cx| async move { let Some(buffer) = this.update(&mut cx, |this, _| this.get(buffer_id))? else { return anyhow::Ok(()); }; let operations = buffer.update(&mut cx, |b, cx| b.serialize_ops(None, cx))?; let operations = operations.await; let state = buffer.update(&mut cx, |buffer, cx| buffer.to_proto(cx))?; let initial_state = proto::CreateBufferForPeer { project_id, peer_id: Some(peer_id), variant: Some(proto::create_buffer_for_peer::Variant::State(state)), }; if client.send(initial_state).log_err().is_some() { let client = client.clone(); cx.background_spawn(async move { let mut chunks = split_operations(operations).peekable(); while let Some(chunk) = chunks.next() { let is_last = chunks.peek().is_none(); client.send(proto::CreateBufferForPeer { project_id, peer_id: Some(peer_id), variant: Some(proto::create_buffer_for_peer::Variant::Chunk( proto::BufferChunk { buffer_id: buffer_id.into(), operations: chunk, is_last, }, )), })?; } anyhow::Ok(()) }) .await .log_err(); } Ok(()) }) } pub fn forget_shared_buffers(&mut self) { self.shared_buffers.clear(); } pub fn forget_shared_buffers_for(&mut self, peer_id: &proto::PeerId) { self.shared_buffers.remove(peer_id); } pub fn update_peer_id(&mut self, old_peer_id: &proto::PeerId, new_peer_id: proto::PeerId) { if let Some(buffers) = self.shared_buffers.remove(old_peer_id) { self.shared_buffers.insert(new_peer_id, buffers); } } pub fn has_shared_buffers(&self) -> bool { !self.shared_buffers.is_empty() } pub fn create_local_buffer( &mut self, text: &str, language: Option>, cx: &mut Context, ) -> Entity { let buffer = cx.new(|cx| { Buffer::local(text, cx) .with_language(language.unwrap_or_else(|| language::PLAIN_TEXT.clone()), cx) }); self.add_buffer(buffer.clone(), cx).log_err(); let buffer_id = buffer.read(cx).remote_id(); let this = self .as_local_mut() .expect("local-only method called in a non-local context"); if let Some(file) = File::from_dyn(buffer.read(cx).file()) { this.local_buffer_ids_by_path.insert( ProjectPath { worktree_id: file.worktree_id(cx), path: file.path.clone(), }, buffer_id, ); if let Some(entry_id) = file.entry_id { this.local_buffer_ids_by_entry_id .insert(entry_id, buffer_id); } } buffer } pub fn deserialize_project_transaction( &mut self, message: proto::ProjectTransaction, push_to_history: bool, cx: &mut Context, ) -> Task> { if let Some(this) = self.as_remote_mut() { this.deserialize_project_transaction(message, push_to_history, cx) } else { debug_panic!("not a remote buffer store"); Task::ready(Err(anyhow!("not a remote buffer store"))) } } pub fn wait_for_remote_buffer( &mut self, id: BufferId, cx: &mut Context, ) -> Task>> { if let Some(this) = self.as_remote_mut() { this.wait_for_remote_buffer(id, cx) } else { debug_panic!("not a remote buffer store"); Task::ready(Err(anyhow!("not a remote buffer store"))) } } pub fn serialize_project_transaction_for_peer( &mut self, project_transaction: ProjectTransaction, peer_id: proto::PeerId, cx: &mut Context, ) -> proto::ProjectTransaction { let mut serialized_transaction = proto::ProjectTransaction { buffer_ids: Default::default(), transactions: Default::default(), }; for (buffer, transaction) in project_transaction.0 { self.create_buffer_for_peer(&buffer, peer_id, cx) .detach_and_log_err(cx); serialized_transaction .buffer_ids .push(buffer.read(cx).remote_id().into()); serialized_transaction .transactions .push(language::proto::serialize_transaction(&transaction)); } serialized_transaction } } impl OpenBuffer { fn upgrade(&self) -> Option> { match self { OpenBuffer::Complete { buffer, .. } => buffer.upgrade(), OpenBuffer::Operations(_) => None, } } } fn is_not_found_error(error: &anyhow::Error) -> bool { error .root_cause() .downcast_ref::() .is_some_and(|err| err.kind() == io::ErrorKind::NotFound) } fn serialize_blame_buffer_response(blame: Option) -> proto::BlameBufferResponse { let Some(blame) = blame else { return proto::BlameBufferResponse { blame_response: None, }; }; let entries = blame .entries .into_iter() .map(|entry| proto::BlameEntry { sha: entry.sha.as_bytes().into(), start_line: entry.range.start, end_line: entry.range.end, original_line_number: entry.original_line_number, author: entry.author.clone(), author_mail: entry.author_mail.clone(), author_time: entry.author_time, author_tz: entry.author_tz.clone(), committer: entry.committer_name.clone(), committer_mail: entry.committer_email.clone(), committer_time: entry.committer_time, committer_tz: entry.committer_tz.clone(), summary: entry.summary.clone(), previous: entry.previous.clone(), filename: entry.filename.clone(), }) .collect::>(); let messages = blame .messages .into_iter() .map(|(oid, message)| proto::CommitMessage { oid: oid.as_bytes().into(), message, }) .collect::>(); let permalinks = blame .permalinks .into_iter() .map(|(oid, url)| proto::CommitPermalink { oid: oid.as_bytes().into(), permalink: url.to_string(), }) .collect::>(); proto::BlameBufferResponse { blame_response: Some(proto::blame_buffer_response::BlameResponse { entries, messages, permalinks, remote_url: blame.remote_url, }), } } fn deserialize_blame_buffer_response( response: proto::BlameBufferResponse, ) -> Option { let response = response.blame_response?; let entries = response .entries .into_iter() .filter_map(|entry| { Some(git::blame::BlameEntry { sha: git::Oid::from_bytes(&entry.sha).ok()?, range: entry.start_line..entry.end_line, original_line_number: entry.original_line_number, committer_name: entry.committer, committer_time: entry.committer_time, committer_tz: entry.committer_tz, committer_email: entry.committer_mail, author: entry.author, author_mail: entry.author_mail, author_time: entry.author_time, author_tz: entry.author_tz, summary: entry.summary, previous: entry.previous, filename: entry.filename, }) }) .collect::>(); let messages = response .messages .into_iter() .filter_map(|message| Some((git::Oid::from_bytes(&message.oid).ok()?, message.message))) .collect::>(); let permalinks = response .permalinks .into_iter() .filter_map(|permalink| { Some(( git::Oid::from_bytes(&permalink.oid).ok()?, Url::from_str(&permalink.permalink).ok()?, )) }) .collect::>(); Some(Blame { entries, permalinks, messages, remote_url: response.remote_url, }) } fn get_permalink_in_rust_registry_src( provider_registry: Arc, path: PathBuf, selection: Range, ) -> Result { #[derive(Deserialize)] struct CargoVcsGit { sha1: String, } #[derive(Deserialize)] struct CargoVcsInfo { git: CargoVcsGit, path_in_vcs: String, } #[derive(Deserialize)] struct CargoPackage { repository: String, } #[derive(Deserialize)] struct CargoToml { package: CargoPackage, } let Some((dir, cargo_vcs_info_json)) = path.ancestors().skip(1).find_map(|dir| { let json = std::fs::read_to_string(dir.join(".cargo_vcs_info.json")).ok()?; Some((dir, json)) }) else { bail!("No .cargo_vcs_info.json found in parent directories") }; let cargo_vcs_info = serde_json::from_str::(&cargo_vcs_info_json)?; let cargo_toml = std::fs::read_to_string(dir.join("Cargo.toml"))?; let manifest = toml::from_str::(&cargo_toml)?; let (provider, remote) = parse_git_remote_url(provider_registry, &manifest.package.repository) .ok_or_else(|| anyhow!("Failed to parse package.repository field of manifest"))?; let path = PathBuf::from(cargo_vcs_info.path_in_vcs).join(path.strip_prefix(dir).unwrap()); let permalink = provider.build_permalink( remote, BuildPermalinkParams { sha: &cargo_vcs_info.git.sha1, path: &path.to_string_lossy(), selection: Some(selection), }, ); Ok(permalink) }