
The `PromptCapabilities` introduced in previous PRs were only getting set on the main message editor and not for the editors in user messages. This caused a bug where mentions would disappear after resending the message, and for the completion provider to be limited to files. Release Notes: - N/A
2472 lines
88 KiB
Rust
2472 lines
88 KiB
Rust
use crate::{
|
|
acp::completion_provider::ContextPickerCompletionProvider,
|
|
context_picker::{ContextPickerAction, fetch_context_picker::fetch_url_content},
|
|
};
|
|
use acp_thread::{MentionUri, selection_name};
|
|
use agent_client_protocol as acp;
|
|
use agent_servers::AgentServer;
|
|
use agent2::HistoryStore;
|
|
use anyhow::{Context as _, Result, anyhow};
|
|
use assistant_slash_commands::codeblock_fence_for_path;
|
|
use collections::{HashMap, HashSet};
|
|
use editor::{
|
|
Addon, Anchor, AnchorRangeExt, ContextMenuOptions, ContextMenuPlacement, Editor, EditorElement,
|
|
EditorEvent, EditorMode, EditorSnapshot, EditorStyle, ExcerptId, FoldPlaceholder, MultiBuffer,
|
|
SemanticsProvider, ToOffset,
|
|
actions::Paste,
|
|
display_map::{Crease, CreaseId, FoldId},
|
|
};
|
|
use futures::{
|
|
FutureExt as _, TryFutureExt as _,
|
|
future::{Shared, join_all, try_join_all},
|
|
};
|
|
use gpui::{
|
|
AppContext, ClipboardEntry, Context, Entity, EventEmitter, FocusHandle, Focusable,
|
|
HighlightStyle, Image, ImageFormat, Img, KeyContext, Subscription, Task, TextStyle,
|
|
UnderlineStyle, WeakEntity,
|
|
};
|
|
use language::{Buffer, Language};
|
|
use language_model::LanguageModelImage;
|
|
use project::{CompletionIntent, Project, ProjectItem, ProjectPath, Worktree};
|
|
use prompt_store::PromptStore;
|
|
use rope::Point;
|
|
use settings::Settings;
|
|
use std::{
|
|
cell::Cell,
|
|
ffi::OsStr,
|
|
fmt::Write,
|
|
ops::Range,
|
|
path::{Path, PathBuf},
|
|
rc::Rc,
|
|
sync::Arc,
|
|
time::Duration,
|
|
};
|
|
use text::{OffsetRangeExt, ToOffset as _};
|
|
use theme::ThemeSettings;
|
|
use ui::{
|
|
ActiveTheme, AnyElement, App, ButtonCommon, ButtonLike, ButtonStyle, Color, Icon, IconName,
|
|
IconSize, InteractiveElement, IntoElement, Label, LabelCommon, LabelSize, ParentElement,
|
|
Render, SelectableButton, SharedString, Styled, TextSize, TintColor, Toggleable, Window, div,
|
|
h_flex, px,
|
|
};
|
|
use url::Url;
|
|
use util::ResultExt;
|
|
use workspace::{
|
|
Toast, Workspace,
|
|
notifications::{NotificationId, NotifyResultExt as _},
|
|
};
|
|
use zed_actions::agent::Chat;
|
|
|
|
const PARSE_SLASH_COMMAND_DEBOUNCE: Duration = Duration::from_millis(50);
|
|
|
|
pub struct MessageEditor {
|
|
mention_set: MentionSet,
|
|
editor: Entity<Editor>,
|
|
project: Entity<Project>,
|
|
workspace: WeakEntity<Workspace>,
|
|
history_store: Entity<HistoryStore>,
|
|
prompt_store: Option<Entity<PromptStore>>,
|
|
prevent_slash_commands: bool,
|
|
prompt_capabilities: Rc<Cell<acp::PromptCapabilities>>,
|
|
_subscriptions: Vec<Subscription>,
|
|
_parse_slash_command_task: Task<()>,
|
|
}
|
|
|
|
#[derive(Clone, Copy, Debug)]
|
|
pub enum MessageEditorEvent {
|
|
Send,
|
|
Cancel,
|
|
Focus,
|
|
}
|
|
|
|
impl EventEmitter<MessageEditorEvent> for MessageEditor {}
|
|
|
|
impl MessageEditor {
|
|
pub fn new(
|
|
workspace: WeakEntity<Workspace>,
|
|
project: Entity<Project>,
|
|
history_store: Entity<HistoryStore>,
|
|
prompt_store: Option<Entity<PromptStore>>,
|
|
prompt_capabilities: Rc<Cell<acp::PromptCapabilities>>,
|
|
placeholder: impl Into<Arc<str>>,
|
|
prevent_slash_commands: bool,
|
|
mode: EditorMode,
|
|
window: &mut Window,
|
|
cx: &mut Context<Self>,
|
|
) -> Self {
|
|
let language = Language::new(
|
|
language::LanguageConfig {
|
|
completion_query_characters: HashSet::from_iter(['.', '-', '_', '@']),
|
|
..Default::default()
|
|
},
|
|
None,
|
|
);
|
|
let completion_provider = ContextPickerCompletionProvider::new(
|
|
cx.weak_entity(),
|
|
workspace.clone(),
|
|
history_store.clone(),
|
|
prompt_store.clone(),
|
|
prompt_capabilities.clone(),
|
|
);
|
|
let semantics_provider = Rc::new(SlashCommandSemanticsProvider {
|
|
range: Cell::new(None),
|
|
});
|
|
let mention_set = MentionSet::default();
|
|
let editor = cx.new(|cx| {
|
|
let buffer = cx.new(|cx| Buffer::local("", cx).with_language(Arc::new(language), cx));
|
|
let buffer = cx.new(|cx| MultiBuffer::singleton(buffer, cx));
|
|
|
|
let mut editor = Editor::new(mode, buffer, None, window, cx);
|
|
editor.set_placeholder_text(placeholder, cx);
|
|
editor.set_show_indent_guides(false, cx);
|
|
editor.set_soft_wrap();
|
|
editor.set_use_modal_editing(true);
|
|
editor.set_completion_provider(Some(Rc::new(completion_provider)));
|
|
editor.set_context_menu_options(ContextMenuOptions {
|
|
min_entries_visible: 12,
|
|
max_entries_visible: 12,
|
|
placement: Some(ContextMenuPlacement::Above),
|
|
});
|
|
if prevent_slash_commands {
|
|
editor.set_semantics_provider(Some(semantics_provider.clone()));
|
|
}
|
|
editor.register_addon(MessageEditorAddon::new());
|
|
editor
|
|
});
|
|
|
|
cx.on_focus(&editor.focus_handle(cx), window, |_, _, cx| {
|
|
cx.emit(MessageEditorEvent::Focus)
|
|
})
|
|
.detach();
|
|
|
|
let mut subscriptions = Vec::new();
|
|
subscriptions.push(cx.subscribe_in(&editor, window, {
|
|
let semantics_provider = semantics_provider.clone();
|
|
move |this, editor, event, window, cx| {
|
|
if let EditorEvent::Edited { .. } = event {
|
|
if prevent_slash_commands {
|
|
this.highlight_slash_command(
|
|
semantics_provider.clone(),
|
|
editor.clone(),
|
|
window,
|
|
cx,
|
|
);
|
|
}
|
|
let snapshot = editor.update(cx, |editor, cx| editor.snapshot(window, cx));
|
|
this.mention_set.remove_invalid(snapshot);
|
|
cx.notify();
|
|
}
|
|
}
|
|
}));
|
|
|
|
Self {
|
|
editor,
|
|
project,
|
|
mention_set,
|
|
workspace,
|
|
history_store,
|
|
prompt_store,
|
|
prevent_slash_commands,
|
|
prompt_capabilities,
|
|
_subscriptions: subscriptions,
|
|
_parse_slash_command_task: Task::ready(()),
|
|
}
|
|
}
|
|
|
|
pub fn insert_thread_summary(
|
|
&mut self,
|
|
thread: agent2::DbThreadMetadata,
|
|
window: &mut Window,
|
|
cx: &mut Context<Self>,
|
|
) {
|
|
let start = self.editor.update(cx, |editor, cx| {
|
|
editor.set_text(format!("{}\n", thread.title), window, cx);
|
|
editor
|
|
.buffer()
|
|
.read(cx)
|
|
.snapshot(cx)
|
|
.anchor_before(Point::zero())
|
|
.text_anchor
|
|
});
|
|
|
|
self.confirm_completion(
|
|
thread.title.clone(),
|
|
start,
|
|
thread.title.len(),
|
|
MentionUri::Thread {
|
|
id: thread.id.clone(),
|
|
name: thread.title.to_string(),
|
|
},
|
|
window,
|
|
cx,
|
|
)
|
|
.detach();
|
|
}
|
|
|
|
#[cfg(test)]
|
|
pub(crate) fn editor(&self) -> &Entity<Editor> {
|
|
&self.editor
|
|
}
|
|
|
|
#[cfg(test)]
|
|
pub(crate) fn mention_set(&mut self) -> &mut MentionSet {
|
|
&mut self.mention_set
|
|
}
|
|
|
|
pub fn is_empty(&self, cx: &App) -> bool {
|
|
self.editor.read(cx).is_empty(cx)
|
|
}
|
|
|
|
pub fn mentions(&self) -> HashSet<MentionUri> {
|
|
self.mention_set
|
|
.uri_by_crease_id
|
|
.values()
|
|
.cloned()
|
|
.collect()
|
|
}
|
|
|
|
pub fn confirm_completion(
|
|
&mut self,
|
|
crease_text: SharedString,
|
|
start: text::Anchor,
|
|
content_len: usize,
|
|
mention_uri: MentionUri,
|
|
window: &mut Window,
|
|
cx: &mut Context<Self>,
|
|
) -> Task<()> {
|
|
let snapshot = self
|
|
.editor
|
|
.update(cx, |editor, cx| editor.snapshot(window, cx));
|
|
let Some((excerpt_id, _, _)) = snapshot.buffer_snapshot.as_singleton() else {
|
|
return Task::ready(());
|
|
};
|
|
let Some(start_anchor) = snapshot
|
|
.buffer_snapshot
|
|
.anchor_in_excerpt(*excerpt_id, start)
|
|
else {
|
|
return Task::ready(());
|
|
};
|
|
|
|
if let MentionUri::File { abs_path, .. } = &mention_uri {
|
|
let extension = abs_path
|
|
.extension()
|
|
.and_then(OsStr::to_str)
|
|
.unwrap_or_default();
|
|
|
|
if Img::extensions().contains(&extension) && !extension.contains("svg") {
|
|
if !self.prompt_capabilities.get().image {
|
|
struct ImagesNotAllowed;
|
|
|
|
let end_anchor = snapshot.buffer_snapshot.anchor_before(
|
|
start_anchor.to_offset(&snapshot.buffer_snapshot) + content_len + 1,
|
|
);
|
|
|
|
self.editor.update(cx, |editor, cx| {
|
|
// Remove mention
|
|
editor.edit([((start_anchor..end_anchor), "")], cx);
|
|
});
|
|
|
|
self.workspace
|
|
.update(cx, |workspace, cx| {
|
|
workspace.show_toast(
|
|
Toast::new(
|
|
NotificationId::unique::<ImagesNotAllowed>(),
|
|
"This agent does not support images yet",
|
|
)
|
|
.autohide(),
|
|
cx,
|
|
);
|
|
})
|
|
.ok();
|
|
return Task::ready(());
|
|
}
|
|
|
|
let project = self.project.clone();
|
|
let Some(project_path) = project
|
|
.read(cx)
|
|
.project_path_for_absolute_path(abs_path, cx)
|
|
else {
|
|
return Task::ready(());
|
|
};
|
|
let image = cx
|
|
.spawn(async move |_, cx| {
|
|
let image = project
|
|
.update(cx, |project, cx| project.open_image(project_path, cx))
|
|
.map_err(|e| e.to_string())?
|
|
.await
|
|
.map_err(|e| e.to_string())?;
|
|
image
|
|
.read_with(cx, |image, _cx| image.image.clone())
|
|
.map_err(|e| e.to_string())
|
|
})
|
|
.shared();
|
|
let Some(crease_id) = insert_crease_for_image(
|
|
*excerpt_id,
|
|
start,
|
|
content_len,
|
|
Some(abs_path.as_path().into()),
|
|
image.clone(),
|
|
self.editor.clone(),
|
|
window,
|
|
cx,
|
|
) else {
|
|
return Task::ready(());
|
|
};
|
|
return self.confirm_mention_for_image(
|
|
crease_id,
|
|
start_anchor,
|
|
Some(abs_path.clone()),
|
|
image,
|
|
window,
|
|
cx,
|
|
);
|
|
}
|
|
}
|
|
|
|
let Some(crease_id) = crate::context_picker::insert_crease_for_mention(
|
|
*excerpt_id,
|
|
start,
|
|
content_len,
|
|
crease_text,
|
|
mention_uri.icon_path(cx),
|
|
self.editor.clone(),
|
|
window,
|
|
cx,
|
|
) else {
|
|
return Task::ready(());
|
|
};
|
|
|
|
match mention_uri {
|
|
MentionUri::Fetch { url } => {
|
|
self.confirm_mention_for_fetch(crease_id, start_anchor, url, window, cx)
|
|
}
|
|
MentionUri::Directory { abs_path } => {
|
|
self.confirm_mention_for_directory(crease_id, start_anchor, abs_path, window, cx)
|
|
}
|
|
MentionUri::Thread { id, name } => {
|
|
self.confirm_mention_for_thread(crease_id, start_anchor, id, name, window, cx)
|
|
}
|
|
MentionUri::TextThread { path, name } => self.confirm_mention_for_text_thread(
|
|
crease_id,
|
|
start_anchor,
|
|
path,
|
|
name,
|
|
window,
|
|
cx,
|
|
),
|
|
MentionUri::File { .. }
|
|
| MentionUri::Symbol { .. }
|
|
| MentionUri::Rule { .. }
|
|
| MentionUri::Selection { .. } => {
|
|
self.mention_set.insert_uri(crease_id, mention_uri.clone());
|
|
Task::ready(())
|
|
}
|
|
}
|
|
}
|
|
|
|
fn confirm_mention_for_directory(
|
|
&mut self,
|
|
crease_id: CreaseId,
|
|
anchor: Anchor,
|
|
abs_path: PathBuf,
|
|
window: &mut Window,
|
|
cx: &mut Context<Self>,
|
|
) -> Task<()> {
|
|
fn collect_files_in_path(worktree: &Worktree, path: &Path) -> Vec<(Arc<Path>, PathBuf)> {
|
|
let mut files = Vec::new();
|
|
|
|
for entry in worktree.child_entries(path) {
|
|
if entry.is_dir() {
|
|
files.extend(collect_files_in_path(worktree, &entry.path));
|
|
} else if entry.is_file() {
|
|
files.push((entry.path.clone(), worktree.full_path(&entry.path)));
|
|
}
|
|
}
|
|
|
|
files
|
|
}
|
|
|
|
let uri = MentionUri::Directory {
|
|
abs_path: abs_path.clone(),
|
|
};
|
|
let Some(project_path) = self
|
|
.project
|
|
.read(cx)
|
|
.project_path_for_absolute_path(&abs_path, cx)
|
|
else {
|
|
return Task::ready(());
|
|
};
|
|
let Some(entry) = self.project.read(cx).entry_for_path(&project_path, cx) else {
|
|
return Task::ready(());
|
|
};
|
|
let Some(worktree) = self.project.read(cx).worktree_for_entry(entry.id, cx) else {
|
|
return Task::ready(());
|
|
};
|
|
let project = self.project.clone();
|
|
let task = cx.spawn(async move |_, cx| {
|
|
let directory_path = entry.path.clone();
|
|
|
|
let worktree_id = worktree.read_with(cx, |worktree, _| worktree.id())?;
|
|
let file_paths = worktree.read_with(cx, |worktree, _cx| {
|
|
collect_files_in_path(worktree, &directory_path)
|
|
})?;
|
|
let descendants_future = cx.update(|cx| {
|
|
join_all(file_paths.into_iter().map(|(worktree_path, full_path)| {
|
|
let rel_path = worktree_path
|
|
.strip_prefix(&directory_path)
|
|
.log_err()
|
|
.map_or_else(|| worktree_path.clone(), |rel_path| rel_path.into());
|
|
|
|
let open_task = project.update(cx, |project, cx| {
|
|
project.buffer_store().update(cx, |buffer_store, cx| {
|
|
let project_path = ProjectPath {
|
|
worktree_id,
|
|
path: worktree_path,
|
|
};
|
|
buffer_store.open_buffer(project_path, cx)
|
|
})
|
|
});
|
|
|
|
// TODO: report load errors instead of just logging
|
|
let rope_task = cx.spawn(async move |cx| {
|
|
let buffer = open_task.await.log_err()?;
|
|
let rope = buffer
|
|
.read_with(cx, |buffer, _cx| buffer.as_rope().clone())
|
|
.log_err()?;
|
|
Some((rope, buffer))
|
|
});
|
|
|
|
cx.background_spawn(async move {
|
|
let (rope, buffer) = rope_task.await?;
|
|
Some((rel_path, full_path, rope.to_string(), buffer))
|
|
})
|
|
}))
|
|
})?;
|
|
|
|
let contents = cx
|
|
.background_spawn(async move {
|
|
let (contents, tracked_buffers) = descendants_future
|
|
.await
|
|
.into_iter()
|
|
.flatten()
|
|
.map(|(rel_path, full_path, rope, buffer)| {
|
|
((rel_path, full_path, rope), buffer)
|
|
})
|
|
.unzip();
|
|
(render_directory_contents(contents), tracked_buffers)
|
|
})
|
|
.await;
|
|
anyhow::Ok(contents)
|
|
});
|
|
let task = cx
|
|
.spawn(async move |_, _| task.await.map_err(|e| e.to_string()))
|
|
.shared();
|
|
|
|
self.mention_set
|
|
.directories
|
|
.insert(abs_path.clone(), task.clone());
|
|
|
|
let editor = self.editor.clone();
|
|
cx.spawn_in(window, async move |this, cx| {
|
|
if task.await.notify_async_err(cx).is_some() {
|
|
this.update(cx, |this, _| {
|
|
this.mention_set.insert_uri(crease_id, uri);
|
|
})
|
|
.ok();
|
|
} else {
|
|
editor
|
|
.update(cx, |editor, cx| {
|
|
editor.display_map.update(cx, |display_map, cx| {
|
|
display_map.unfold_intersecting(vec![anchor..anchor], true, cx);
|
|
});
|
|
editor.remove_creases([crease_id], cx);
|
|
})
|
|
.ok();
|
|
this.update(cx, |this, _cx| {
|
|
this.mention_set.directories.remove(&abs_path);
|
|
})
|
|
.ok();
|
|
}
|
|
})
|
|
}
|
|
|
|
fn confirm_mention_for_fetch(
|
|
&mut self,
|
|
crease_id: CreaseId,
|
|
anchor: Anchor,
|
|
url: url::Url,
|
|
window: &mut Window,
|
|
cx: &mut Context<Self>,
|
|
) -> Task<()> {
|
|
let Some(http_client) = self
|
|
.workspace
|
|
.update(cx, |workspace, _cx| workspace.client().http_client())
|
|
.ok()
|
|
else {
|
|
return Task::ready(());
|
|
};
|
|
|
|
let url_string = url.to_string();
|
|
let fetch = cx
|
|
.background_executor()
|
|
.spawn(async move {
|
|
fetch_url_content(http_client, url_string)
|
|
.map_err(|e| e.to_string())
|
|
.await
|
|
})
|
|
.shared();
|
|
self.mention_set
|
|
.add_fetch_result(url.clone(), fetch.clone());
|
|
|
|
cx.spawn_in(window, async move |this, cx| {
|
|
let fetch = fetch.await.notify_async_err(cx);
|
|
this.update(cx, |this, cx| {
|
|
if fetch.is_some() {
|
|
this.mention_set
|
|
.insert_uri(crease_id, MentionUri::Fetch { url });
|
|
} else {
|
|
// Remove crease if we failed to fetch
|
|
this.editor.update(cx, |editor, cx| {
|
|
editor.display_map.update(cx, |display_map, cx| {
|
|
display_map.unfold_intersecting(vec![anchor..anchor], true, cx);
|
|
});
|
|
editor.remove_creases([crease_id], cx);
|
|
});
|
|
this.mention_set.fetch_results.remove(&url);
|
|
}
|
|
})
|
|
.ok();
|
|
})
|
|
}
|
|
|
|
pub fn confirm_mention_for_selection(
|
|
&mut self,
|
|
source_range: Range<text::Anchor>,
|
|
selections: Vec<(Entity<Buffer>, Range<text::Anchor>, Range<usize>)>,
|
|
window: &mut Window,
|
|
cx: &mut Context<Self>,
|
|
) {
|
|
let snapshot = self.editor.read(cx).buffer().read(cx).snapshot(cx);
|
|
let Some((&excerpt_id, _, _)) = snapshot.as_singleton() else {
|
|
return;
|
|
};
|
|
let Some(start) = snapshot.anchor_in_excerpt(excerpt_id, source_range.start) else {
|
|
return;
|
|
};
|
|
|
|
let offset = start.to_offset(&snapshot);
|
|
|
|
for (buffer, selection_range, range_to_fold) in selections {
|
|
let range = snapshot.anchor_after(offset + range_to_fold.start)
|
|
..snapshot.anchor_after(offset + range_to_fold.end);
|
|
|
|
// TODO support selections from buffers with no path
|
|
let Some(project_path) = buffer.read(cx).project_path(cx) else {
|
|
continue;
|
|
};
|
|
let Some(abs_path) = self.project.read(cx).absolute_path(&project_path, cx) else {
|
|
continue;
|
|
};
|
|
let snapshot = buffer.read(cx).snapshot();
|
|
|
|
let point_range = selection_range.to_point(&snapshot);
|
|
let line_range = point_range.start.row..point_range.end.row;
|
|
|
|
let uri = MentionUri::Selection {
|
|
path: abs_path.clone(),
|
|
line_range: line_range.clone(),
|
|
};
|
|
let crease = crate::context_picker::crease_for_mention(
|
|
selection_name(&abs_path, &line_range).into(),
|
|
uri.icon_path(cx),
|
|
range,
|
|
self.editor.downgrade(),
|
|
);
|
|
|
|
let crease_id = self.editor.update(cx, |editor, cx| {
|
|
let crease_ids = editor.insert_creases(vec![crease.clone()], cx);
|
|
editor.fold_creases(vec![crease], false, window, cx);
|
|
crease_ids.first().copied().unwrap()
|
|
});
|
|
|
|
self.mention_set.insert_uri(crease_id, uri);
|
|
}
|
|
}
|
|
|
|
fn confirm_mention_for_thread(
|
|
&mut self,
|
|
crease_id: CreaseId,
|
|
anchor: Anchor,
|
|
id: acp::SessionId,
|
|
name: String,
|
|
window: &mut Window,
|
|
cx: &mut Context<Self>,
|
|
) -> Task<()> {
|
|
let uri = MentionUri::Thread {
|
|
id: id.clone(),
|
|
name,
|
|
};
|
|
let server = Rc::new(agent2::NativeAgentServer::new(
|
|
self.project.read(cx).fs().clone(),
|
|
self.history_store.clone(),
|
|
));
|
|
let connection = server.connect(Path::new(""), &self.project, cx);
|
|
let load_summary = cx.spawn({
|
|
let id = id.clone();
|
|
async move |_, cx| {
|
|
let agent = connection.await?;
|
|
let agent = agent.downcast::<agent2::NativeAgentConnection>().unwrap();
|
|
let summary = agent
|
|
.0
|
|
.update(cx, |agent, cx| agent.thread_summary(id, cx))?
|
|
.await?;
|
|
anyhow::Ok(summary)
|
|
}
|
|
});
|
|
let task = cx
|
|
.spawn(async move |_, _| load_summary.await.map_err(|e| format!("{e}")))
|
|
.shared();
|
|
|
|
self.mention_set.insert_thread(id.clone(), task.clone());
|
|
self.mention_set.insert_uri(crease_id, uri);
|
|
|
|
let editor = self.editor.clone();
|
|
cx.spawn_in(window, async move |this, cx| {
|
|
if task.await.notify_async_err(cx).is_none() {
|
|
editor
|
|
.update(cx, |editor, cx| {
|
|
editor.display_map.update(cx, |display_map, cx| {
|
|
display_map.unfold_intersecting(vec![anchor..anchor], true, cx);
|
|
});
|
|
editor.remove_creases([crease_id], cx);
|
|
})
|
|
.ok();
|
|
this.update(cx, |this, _| {
|
|
this.mention_set.thread_summaries.remove(&id);
|
|
this.mention_set.uri_by_crease_id.remove(&crease_id);
|
|
})
|
|
.ok();
|
|
}
|
|
})
|
|
}
|
|
|
|
fn confirm_mention_for_text_thread(
|
|
&mut self,
|
|
crease_id: CreaseId,
|
|
anchor: Anchor,
|
|
path: PathBuf,
|
|
name: String,
|
|
window: &mut Window,
|
|
cx: &mut Context<Self>,
|
|
) -> Task<()> {
|
|
let uri = MentionUri::TextThread {
|
|
path: path.clone(),
|
|
name,
|
|
};
|
|
let context = self.history_store.update(cx, |text_thread_store, cx| {
|
|
text_thread_store.load_text_thread(path.as_path().into(), cx)
|
|
});
|
|
let task = cx
|
|
.spawn(async move |_, cx| {
|
|
let context = context.await.map_err(|e| e.to_string())?;
|
|
let xml = context
|
|
.update(cx, |context, cx| context.to_xml(cx))
|
|
.map_err(|e| e.to_string())?;
|
|
Ok(xml)
|
|
})
|
|
.shared();
|
|
|
|
self.mention_set
|
|
.insert_text_thread(path.clone(), task.clone());
|
|
|
|
let editor = self.editor.clone();
|
|
cx.spawn_in(window, async move |this, cx| {
|
|
if task.await.notify_async_err(cx).is_some() {
|
|
this.update(cx, |this, _| {
|
|
this.mention_set.insert_uri(crease_id, uri);
|
|
})
|
|
.ok();
|
|
} else {
|
|
editor
|
|
.update(cx, |editor, cx| {
|
|
editor.display_map.update(cx, |display_map, cx| {
|
|
display_map.unfold_intersecting(vec![anchor..anchor], true, cx);
|
|
});
|
|
editor.remove_creases([crease_id], cx);
|
|
})
|
|
.ok();
|
|
this.update(cx, |this, _| {
|
|
this.mention_set.text_thread_summaries.remove(&path);
|
|
})
|
|
.ok();
|
|
}
|
|
})
|
|
}
|
|
|
|
pub fn contents(
|
|
&self,
|
|
window: &mut Window,
|
|
cx: &mut Context<Self>,
|
|
) -> Task<Result<(Vec<acp::ContentBlock>, Vec<Entity<Buffer>>)>> {
|
|
let contents = self.mention_set.contents(
|
|
&self.project,
|
|
self.prompt_store.as_ref(),
|
|
&self.prompt_capabilities.get(),
|
|
window,
|
|
cx,
|
|
);
|
|
let editor = self.editor.clone();
|
|
let prevent_slash_commands = self.prevent_slash_commands;
|
|
|
|
cx.spawn(async move |_, cx| {
|
|
let contents = contents.await?;
|
|
let mut all_tracked_buffers = Vec::new();
|
|
|
|
editor.update(cx, |editor, cx| {
|
|
let mut ix = 0;
|
|
let mut chunks: Vec<acp::ContentBlock> = Vec::new();
|
|
let text = editor.text(cx);
|
|
editor.display_map.update(cx, |map, cx| {
|
|
let snapshot = map.snapshot(cx);
|
|
for (crease_id, crease) in snapshot.crease_snapshot.creases() {
|
|
let Some(mention) = contents.get(&crease_id) else {
|
|
continue;
|
|
};
|
|
|
|
let crease_range = crease.range().to_offset(&snapshot.buffer_snapshot);
|
|
if crease_range.start > ix {
|
|
let chunk = if prevent_slash_commands
|
|
&& ix == 0
|
|
&& parse_slash_command(&text[ix..]).is_some()
|
|
{
|
|
format!(" {}", &text[ix..crease_range.start]).into()
|
|
} else {
|
|
text[ix..crease_range.start].into()
|
|
};
|
|
chunks.push(chunk);
|
|
}
|
|
let chunk = match mention {
|
|
Mention::Text {
|
|
uri,
|
|
content,
|
|
tracked_buffers,
|
|
} => {
|
|
all_tracked_buffers.extend(tracked_buffers.iter().cloned());
|
|
acp::ContentBlock::Resource(acp::EmbeddedResource {
|
|
annotations: None,
|
|
resource: acp::EmbeddedResourceResource::TextResourceContents(
|
|
acp::TextResourceContents {
|
|
mime_type: None,
|
|
text: content.clone(),
|
|
uri: uri.to_uri().to_string(),
|
|
},
|
|
),
|
|
})
|
|
}
|
|
Mention::Image(mention_image) => {
|
|
acp::ContentBlock::Image(acp::ImageContent {
|
|
annotations: None,
|
|
data: mention_image.data.to_string(),
|
|
mime_type: mention_image.format.mime_type().into(),
|
|
uri: mention_image
|
|
.abs_path
|
|
.as_ref()
|
|
.map(|path| format!("file://{}", path.display())),
|
|
})
|
|
}
|
|
Mention::UriOnly(uri) => {
|
|
acp::ContentBlock::ResourceLink(acp::ResourceLink {
|
|
name: uri.name(),
|
|
uri: uri.to_uri().to_string(),
|
|
annotations: None,
|
|
description: None,
|
|
mime_type: None,
|
|
size: None,
|
|
title: None,
|
|
})
|
|
}
|
|
};
|
|
chunks.push(chunk);
|
|
ix = crease_range.end;
|
|
}
|
|
|
|
if ix < text.len() {
|
|
let last_chunk = if prevent_slash_commands
|
|
&& ix == 0
|
|
&& parse_slash_command(&text[ix..]).is_some()
|
|
{
|
|
format!(" {}", text[ix..].trim_end())
|
|
} else {
|
|
text[ix..].trim_end().to_owned()
|
|
};
|
|
if !last_chunk.is_empty() {
|
|
chunks.push(last_chunk.into());
|
|
}
|
|
}
|
|
});
|
|
|
|
(chunks, all_tracked_buffers)
|
|
})
|
|
})
|
|
}
|
|
|
|
pub fn clear(&mut self, window: &mut Window, cx: &mut Context<Self>) {
|
|
self.editor.update(cx, |editor, cx| {
|
|
editor.clear(window, cx);
|
|
editor.remove_creases(self.mention_set.drain(), cx)
|
|
});
|
|
}
|
|
|
|
fn send(&mut self, _: &Chat, _: &mut Window, cx: &mut Context<Self>) {
|
|
if self.is_empty(cx) {
|
|
return;
|
|
}
|
|
cx.emit(MessageEditorEvent::Send)
|
|
}
|
|
|
|
fn cancel(&mut self, _: &editor::actions::Cancel, _: &mut Window, cx: &mut Context<Self>) {
|
|
cx.emit(MessageEditorEvent::Cancel)
|
|
}
|
|
|
|
fn paste(&mut self, _: &Paste, window: &mut Window, cx: &mut Context<Self>) {
|
|
if !self.prompt_capabilities.get().image {
|
|
return;
|
|
}
|
|
|
|
let images = cx
|
|
.read_from_clipboard()
|
|
.map(|item| {
|
|
item.into_entries()
|
|
.filter_map(|entry| {
|
|
if let ClipboardEntry::Image(image) = entry {
|
|
Some(image)
|
|
} else {
|
|
None
|
|
}
|
|
})
|
|
.collect::<Vec<_>>()
|
|
})
|
|
.unwrap_or_default();
|
|
|
|
if images.is_empty() {
|
|
return;
|
|
}
|
|
cx.stop_propagation();
|
|
|
|
let replacement_text = "image";
|
|
for image in images {
|
|
let (excerpt_id, text_anchor, multibuffer_anchor) =
|
|
self.editor.update(cx, |message_editor, cx| {
|
|
let snapshot = message_editor.snapshot(window, cx);
|
|
let (excerpt_id, _, buffer_snapshot) =
|
|
snapshot.buffer_snapshot.as_singleton().unwrap();
|
|
|
|
let text_anchor = buffer_snapshot.anchor_before(buffer_snapshot.len());
|
|
let multibuffer_anchor = snapshot
|
|
.buffer_snapshot
|
|
.anchor_in_excerpt(*excerpt_id, text_anchor);
|
|
message_editor.edit(
|
|
[(
|
|
multi_buffer::Anchor::max()..multi_buffer::Anchor::max(),
|
|
format!("{replacement_text} "),
|
|
)],
|
|
cx,
|
|
);
|
|
(*excerpt_id, text_anchor, multibuffer_anchor)
|
|
});
|
|
|
|
let content_len = replacement_text.len();
|
|
let Some(anchor) = multibuffer_anchor else {
|
|
return;
|
|
};
|
|
let task = Task::ready(Ok(Arc::new(image))).shared();
|
|
let Some(crease_id) = insert_crease_for_image(
|
|
excerpt_id,
|
|
text_anchor,
|
|
content_len,
|
|
None.clone(),
|
|
task.clone(),
|
|
self.editor.clone(),
|
|
window,
|
|
cx,
|
|
) else {
|
|
return;
|
|
};
|
|
self.confirm_mention_for_image(crease_id, anchor, None, task, window, cx)
|
|
.detach();
|
|
}
|
|
}
|
|
|
|
pub fn insert_dragged_files(
|
|
&mut self,
|
|
paths: Vec<project::ProjectPath>,
|
|
added_worktrees: Vec<Entity<Worktree>>,
|
|
window: &mut Window,
|
|
cx: &mut Context<Self>,
|
|
) {
|
|
let buffer = self.editor.read(cx).buffer().clone();
|
|
let Some(buffer) = buffer.read(cx).as_singleton() else {
|
|
return;
|
|
};
|
|
let mut tasks = Vec::new();
|
|
for path in paths {
|
|
let Some(entry) = self.project.read(cx).entry_for_path(&path, cx) else {
|
|
continue;
|
|
};
|
|
let Some(abs_path) = self.project.read(cx).absolute_path(&path, cx) else {
|
|
continue;
|
|
};
|
|
let path_prefix = abs_path
|
|
.file_name()
|
|
.unwrap_or(path.path.as_os_str())
|
|
.display()
|
|
.to_string();
|
|
let (file_name, _) =
|
|
crate::context_picker::file_context_picker::extract_file_name_and_directory(
|
|
&path.path,
|
|
&path_prefix,
|
|
);
|
|
|
|
let uri = if entry.is_dir() {
|
|
MentionUri::Directory { abs_path }
|
|
} else {
|
|
MentionUri::File { abs_path }
|
|
};
|
|
|
|
let new_text = format!("{} ", uri.as_link());
|
|
let content_len = new_text.len() - 1;
|
|
|
|
let anchor = buffer.update(cx, |buffer, _cx| buffer.anchor_before(buffer.len()));
|
|
|
|
self.editor.update(cx, |message_editor, cx| {
|
|
message_editor.edit(
|
|
[(
|
|
multi_buffer::Anchor::max()..multi_buffer::Anchor::max(),
|
|
new_text,
|
|
)],
|
|
cx,
|
|
);
|
|
});
|
|
tasks.push(self.confirm_completion(file_name, anchor, content_len, uri, window, cx));
|
|
}
|
|
cx.spawn(async move |_, _| {
|
|
join_all(tasks).await;
|
|
drop(added_worktrees);
|
|
})
|
|
.detach();
|
|
}
|
|
|
|
pub fn insert_selections(&mut self, window: &mut Window, cx: &mut Context<Self>) {
|
|
let buffer = self.editor.read(cx).buffer().clone();
|
|
let Some(buffer) = buffer.read(cx).as_singleton() else {
|
|
return;
|
|
};
|
|
let anchor = buffer.update(cx, |buffer, _cx| buffer.anchor_before(buffer.len()));
|
|
let Some(workspace) = self.workspace.upgrade() else {
|
|
return;
|
|
};
|
|
let Some(completion) = ContextPickerCompletionProvider::completion_for_action(
|
|
ContextPickerAction::AddSelections,
|
|
anchor..anchor,
|
|
cx.weak_entity(),
|
|
&workspace,
|
|
cx,
|
|
) else {
|
|
return;
|
|
};
|
|
self.editor.update(cx, |message_editor, cx| {
|
|
message_editor.edit(
|
|
[(
|
|
multi_buffer::Anchor::max()..multi_buffer::Anchor::max(),
|
|
completion.new_text,
|
|
)],
|
|
cx,
|
|
);
|
|
});
|
|
if let Some(confirm) = completion.confirm {
|
|
confirm(CompletionIntent::Complete, window, cx);
|
|
}
|
|
}
|
|
|
|
pub fn set_read_only(&mut self, read_only: bool, cx: &mut Context<Self>) {
|
|
self.editor.update(cx, |message_editor, cx| {
|
|
message_editor.set_read_only(read_only);
|
|
cx.notify()
|
|
})
|
|
}
|
|
|
|
fn confirm_mention_for_image(
|
|
&mut self,
|
|
crease_id: CreaseId,
|
|
anchor: Anchor,
|
|
abs_path: Option<PathBuf>,
|
|
image: Shared<Task<Result<Arc<Image>, String>>>,
|
|
window: &mut Window,
|
|
cx: &mut Context<Self>,
|
|
) -> Task<()> {
|
|
let editor = self.editor.clone();
|
|
let task = cx
|
|
.spawn_in(window, {
|
|
let abs_path = abs_path.clone();
|
|
async move |_, cx| {
|
|
let image = image.await?;
|
|
let format = image.format;
|
|
let image = cx
|
|
.update(|_, cx| LanguageModelImage::from_image(image, cx))
|
|
.map_err(|e| e.to_string())?
|
|
.await;
|
|
if let Some(image) = image {
|
|
Ok(MentionImage {
|
|
abs_path,
|
|
data: image.source,
|
|
format,
|
|
})
|
|
} else {
|
|
Err("Failed to convert image".into())
|
|
}
|
|
}
|
|
})
|
|
.shared();
|
|
|
|
self.mention_set.insert_image(crease_id, task.clone());
|
|
|
|
cx.spawn_in(window, async move |this, cx| {
|
|
if task.await.notify_async_err(cx).is_some() {
|
|
if let Some(abs_path) = abs_path.clone() {
|
|
this.update(cx, |this, _cx| {
|
|
this.mention_set
|
|
.insert_uri(crease_id, MentionUri::File { abs_path });
|
|
})
|
|
.ok();
|
|
}
|
|
} else {
|
|
editor
|
|
.update(cx, |editor, cx| {
|
|
editor.display_map.update(cx, |display_map, cx| {
|
|
display_map.unfold_intersecting(vec![anchor..anchor], true, cx);
|
|
});
|
|
editor.remove_creases([crease_id], cx);
|
|
})
|
|
.ok();
|
|
this.update(cx, |this, _cx| {
|
|
this.mention_set.images.remove(&crease_id);
|
|
})
|
|
.ok();
|
|
}
|
|
})
|
|
}
|
|
|
|
pub fn set_mode(&mut self, mode: EditorMode, cx: &mut Context<Self>) {
|
|
self.editor.update(cx, |editor, cx| {
|
|
editor.set_mode(mode);
|
|
cx.notify()
|
|
});
|
|
}
|
|
|
|
pub fn set_message(
|
|
&mut self,
|
|
message: Vec<acp::ContentBlock>,
|
|
window: &mut Window,
|
|
cx: &mut Context<Self>,
|
|
) {
|
|
self.clear(window, cx);
|
|
|
|
let mut text = String::new();
|
|
let mut mentions = Vec::new();
|
|
let mut images = Vec::new();
|
|
|
|
for chunk in message {
|
|
match chunk {
|
|
acp::ContentBlock::Text(text_content) => {
|
|
text.push_str(&text_content.text);
|
|
}
|
|
acp::ContentBlock::Resource(acp::EmbeddedResource {
|
|
resource: acp::EmbeddedResourceResource::TextResourceContents(resource),
|
|
..
|
|
}) => {
|
|
if let Some(mention_uri) = MentionUri::parse(&resource.uri).log_err() {
|
|
let start = text.len();
|
|
write!(&mut text, "{}", mention_uri.as_link()).ok();
|
|
let end = text.len();
|
|
mentions.push((start..end, mention_uri, resource.text));
|
|
}
|
|
}
|
|
acp::ContentBlock::ResourceLink(resource) => {
|
|
if let Some(mention_uri) = MentionUri::parse(&resource.uri).log_err() {
|
|
let start = text.len();
|
|
write!(&mut text, "{}", mention_uri.as_link()).ok();
|
|
let end = text.len();
|
|
mentions.push((start..end, mention_uri, resource.uri));
|
|
}
|
|
}
|
|
acp::ContentBlock::Image(content) => {
|
|
let start = text.len();
|
|
text.push_str("image");
|
|
let end = text.len();
|
|
images.push((start..end, content));
|
|
}
|
|
acp::ContentBlock::Audio(_) | acp::ContentBlock::Resource(_) => {}
|
|
}
|
|
}
|
|
|
|
let snapshot = self.editor.update(cx, |editor, cx| {
|
|
editor.set_text(text, window, cx);
|
|
editor.buffer().read(cx).snapshot(cx)
|
|
});
|
|
|
|
for (range, mention_uri, text) in mentions {
|
|
let anchor = snapshot.anchor_before(range.start);
|
|
let crease_id = crate::context_picker::insert_crease_for_mention(
|
|
anchor.excerpt_id,
|
|
anchor.text_anchor,
|
|
range.end - range.start,
|
|
mention_uri.name().into(),
|
|
mention_uri.icon_path(cx),
|
|
self.editor.clone(),
|
|
window,
|
|
cx,
|
|
);
|
|
|
|
if let Some(crease_id) = crease_id {
|
|
self.mention_set.insert_uri(crease_id, mention_uri.clone());
|
|
}
|
|
|
|
match mention_uri {
|
|
MentionUri::Thread { id, .. } => {
|
|
self.mention_set
|
|
.insert_thread(id, Task::ready(Ok(text.into())).shared());
|
|
}
|
|
MentionUri::TextThread { path, .. } => {
|
|
self.mention_set
|
|
.insert_text_thread(path, Task::ready(Ok(text)).shared());
|
|
}
|
|
MentionUri::Fetch { url } => {
|
|
self.mention_set
|
|
.add_fetch_result(url, Task::ready(Ok(text)).shared());
|
|
}
|
|
MentionUri::Directory { abs_path } => {
|
|
let task = Task::ready(Ok((text, Vec::new()))).shared();
|
|
self.mention_set.directories.insert(abs_path, task);
|
|
}
|
|
MentionUri::File { .. }
|
|
| MentionUri::Symbol { .. }
|
|
| MentionUri::Rule { .. }
|
|
| MentionUri::Selection { .. } => {}
|
|
}
|
|
}
|
|
for (range, content) in images {
|
|
let Some(format) = ImageFormat::from_mime_type(&content.mime_type) else {
|
|
continue;
|
|
};
|
|
let anchor = snapshot.anchor_before(range.start);
|
|
let abs_path = content
|
|
.uri
|
|
.as_ref()
|
|
.and_then(|uri| uri.strip_prefix("file://").map(|s| Path::new(s).into()));
|
|
|
|
let name = content
|
|
.uri
|
|
.as_ref()
|
|
.and_then(|uri| {
|
|
uri.strip_prefix("file://")
|
|
.and_then(|path| Path::new(path).file_name())
|
|
})
|
|
.map(|name| name.to_string_lossy().to_string())
|
|
.unwrap_or("Image".to_owned());
|
|
let crease_id = crate::context_picker::insert_crease_for_mention(
|
|
anchor.excerpt_id,
|
|
anchor.text_anchor,
|
|
range.end - range.start,
|
|
name.into(),
|
|
IconName::Image.path().into(),
|
|
self.editor.clone(),
|
|
window,
|
|
cx,
|
|
);
|
|
let data: SharedString = content.data.to_string().into();
|
|
|
|
if let Some(crease_id) = crease_id {
|
|
self.mention_set.insert_image(
|
|
crease_id,
|
|
Task::ready(Ok(MentionImage {
|
|
abs_path,
|
|
data,
|
|
format,
|
|
}))
|
|
.shared(),
|
|
);
|
|
}
|
|
}
|
|
cx.notify();
|
|
}
|
|
|
|
fn highlight_slash_command(
|
|
&mut self,
|
|
semantics_provider: Rc<SlashCommandSemanticsProvider>,
|
|
editor: Entity<Editor>,
|
|
window: &mut Window,
|
|
cx: &mut Context<Self>,
|
|
) {
|
|
struct InvalidSlashCommand;
|
|
|
|
self._parse_slash_command_task = cx.spawn_in(window, async move |_, cx| {
|
|
cx.background_executor()
|
|
.timer(PARSE_SLASH_COMMAND_DEBOUNCE)
|
|
.await;
|
|
editor
|
|
.update_in(cx, |editor, window, cx| {
|
|
let snapshot = editor.snapshot(window, cx);
|
|
let range = parse_slash_command(&editor.text(cx));
|
|
semantics_provider.range.set(range);
|
|
if let Some((start, end)) = range {
|
|
editor.highlight_text::<InvalidSlashCommand>(
|
|
vec![
|
|
snapshot.buffer_snapshot.anchor_after(start)
|
|
..snapshot.buffer_snapshot.anchor_before(end),
|
|
],
|
|
HighlightStyle {
|
|
underline: Some(UnderlineStyle {
|
|
thickness: px(1.),
|
|
color: Some(gpui::red()),
|
|
wavy: true,
|
|
}),
|
|
..Default::default()
|
|
},
|
|
cx,
|
|
);
|
|
} else {
|
|
editor.clear_highlights::<InvalidSlashCommand>(cx);
|
|
}
|
|
})
|
|
.ok();
|
|
})
|
|
}
|
|
|
|
#[cfg(test)]
|
|
pub fn set_text(&mut self, text: &str, window: &mut Window, cx: &mut Context<Self>) {
|
|
self.editor.update(cx, |editor, cx| {
|
|
editor.set_text(text, window, cx);
|
|
});
|
|
}
|
|
|
|
#[cfg(test)]
|
|
pub fn text(&self, cx: &App) -> String {
|
|
self.editor.read(cx).text(cx)
|
|
}
|
|
}
|
|
|
|
fn render_directory_contents(entries: Vec<(Arc<Path>, PathBuf, String)>) -> String {
|
|
let mut output = String::new();
|
|
for (_relative_path, full_path, content) in entries {
|
|
let fence = codeblock_fence_for_path(Some(&full_path), None);
|
|
write!(output, "\n{fence}\n{content}\n```").unwrap();
|
|
}
|
|
output
|
|
}
|
|
|
|
impl Focusable for MessageEditor {
|
|
fn focus_handle(&self, cx: &App) -> FocusHandle {
|
|
self.editor.focus_handle(cx)
|
|
}
|
|
}
|
|
|
|
impl Render for MessageEditor {
|
|
fn render(&mut self, _window: &mut Window, cx: &mut Context<Self>) -> impl IntoElement {
|
|
div()
|
|
.key_context("MessageEditor")
|
|
.on_action(cx.listener(Self::send))
|
|
.on_action(cx.listener(Self::cancel))
|
|
.capture_action(cx.listener(Self::paste))
|
|
.flex_1()
|
|
.child({
|
|
let settings = ThemeSettings::get_global(cx);
|
|
let font_size = TextSize::Small
|
|
.rems(cx)
|
|
.to_pixels(settings.agent_font_size(cx));
|
|
let line_height = settings.buffer_line_height.value() * font_size;
|
|
|
|
let text_style = TextStyle {
|
|
color: cx.theme().colors().text,
|
|
font_family: settings.buffer_font.family.clone(),
|
|
font_fallbacks: settings.buffer_font.fallbacks.clone(),
|
|
font_features: settings.buffer_font.features.clone(),
|
|
font_size: font_size.into(),
|
|
line_height: line_height.into(),
|
|
..Default::default()
|
|
};
|
|
|
|
EditorElement::new(
|
|
&self.editor,
|
|
EditorStyle {
|
|
background: cx.theme().colors().editor_background,
|
|
local_player: cx.theme().players().local(),
|
|
text: text_style,
|
|
syntax: cx.theme().syntax().clone(),
|
|
..Default::default()
|
|
},
|
|
)
|
|
})
|
|
}
|
|
}
|
|
|
|
pub(crate) fn insert_crease_for_image(
|
|
excerpt_id: ExcerptId,
|
|
anchor: text::Anchor,
|
|
content_len: usize,
|
|
abs_path: Option<Arc<Path>>,
|
|
image: Shared<Task<Result<Arc<Image>, String>>>,
|
|
editor: Entity<Editor>,
|
|
window: &mut Window,
|
|
cx: &mut App,
|
|
) -> Option<CreaseId> {
|
|
let crease_label = abs_path
|
|
.as_ref()
|
|
.and_then(|path| path.file_name())
|
|
.map(|name| name.to_string_lossy().to_string().into())
|
|
.unwrap_or(SharedString::from("Image"));
|
|
|
|
editor.update(cx, |editor, cx| {
|
|
let snapshot = editor.buffer().read(cx).snapshot(cx);
|
|
|
|
let start = snapshot.anchor_in_excerpt(excerpt_id, anchor)?;
|
|
|
|
let start = start.bias_right(&snapshot);
|
|
let end = snapshot.anchor_before(start.to_offset(&snapshot) + content_len);
|
|
|
|
let placeholder = FoldPlaceholder {
|
|
render: render_image_fold_icon_button(crease_label, image, cx.weak_entity()),
|
|
merge_adjacent: false,
|
|
..Default::default()
|
|
};
|
|
|
|
let crease = Crease::Inline {
|
|
range: start..end,
|
|
placeholder,
|
|
render_toggle: None,
|
|
render_trailer: None,
|
|
metadata: None,
|
|
};
|
|
|
|
let ids = editor.insert_creases(vec![crease.clone()], cx);
|
|
editor.fold_creases(vec![crease], false, window, cx);
|
|
|
|
Some(ids[0])
|
|
})
|
|
}
|
|
|
|
fn render_image_fold_icon_button(
|
|
label: SharedString,
|
|
image_task: Shared<Task<Result<Arc<Image>, String>>>,
|
|
editor: WeakEntity<Editor>,
|
|
) -> Arc<dyn Send + Sync + Fn(FoldId, Range<Anchor>, &mut App) -> AnyElement> {
|
|
Arc::new({
|
|
move |fold_id, fold_range, cx| {
|
|
let is_in_text_selection = editor
|
|
.update(cx, |editor, cx| editor.is_range_selected(&fold_range, cx))
|
|
.unwrap_or_default();
|
|
|
|
ButtonLike::new(fold_id)
|
|
.style(ButtonStyle::Filled)
|
|
.selected_style(ButtonStyle::Tinted(TintColor::Accent))
|
|
.toggle_state(is_in_text_selection)
|
|
.child(
|
|
h_flex()
|
|
.gap_1()
|
|
.child(
|
|
Icon::new(IconName::Image)
|
|
.size(IconSize::XSmall)
|
|
.color(Color::Muted),
|
|
)
|
|
.child(
|
|
Label::new(label.clone())
|
|
.size(LabelSize::Small)
|
|
.buffer_font(cx)
|
|
.single_line(),
|
|
),
|
|
)
|
|
.hoverable_tooltip({
|
|
let image_task = image_task.clone();
|
|
move |_, cx| {
|
|
let image = image_task.peek().cloned().transpose().ok().flatten();
|
|
let image_task = image_task.clone();
|
|
cx.new::<ImageHover>(|cx| ImageHover {
|
|
image,
|
|
_task: cx.spawn(async move |this, cx| {
|
|
if let Ok(image) = image_task.clone().await {
|
|
this.update(cx, |this, cx| {
|
|
if this.image.replace(image).is_none() {
|
|
cx.notify();
|
|
}
|
|
})
|
|
.ok();
|
|
}
|
|
}),
|
|
})
|
|
.into()
|
|
}
|
|
})
|
|
.into_any_element()
|
|
}
|
|
})
|
|
}
|
|
|
|
struct ImageHover {
|
|
image: Option<Arc<Image>>,
|
|
_task: Task<()>,
|
|
}
|
|
|
|
impl Render for ImageHover {
|
|
fn render(&mut self, _window: &mut Window, _cx: &mut Context<Self>) -> impl IntoElement {
|
|
if let Some(image) = self.image.clone() {
|
|
gpui::img(image).max_w_96().max_h_96().into_any_element()
|
|
} else {
|
|
gpui::Empty.into_any_element()
|
|
}
|
|
}
|
|
}
|
|
|
|
#[derive(Debug, Eq, PartialEq)]
|
|
pub enum Mention {
|
|
Text {
|
|
uri: MentionUri,
|
|
content: String,
|
|
tracked_buffers: Vec<Entity<Buffer>>,
|
|
},
|
|
Image(MentionImage),
|
|
UriOnly(MentionUri),
|
|
}
|
|
|
|
#[derive(Clone, Debug, Eq, PartialEq)]
|
|
pub struct MentionImage {
|
|
pub abs_path: Option<PathBuf>,
|
|
pub data: SharedString,
|
|
pub format: ImageFormat,
|
|
}
|
|
|
|
#[derive(Default)]
|
|
pub struct MentionSet {
|
|
uri_by_crease_id: HashMap<CreaseId, MentionUri>,
|
|
fetch_results: HashMap<Url, Shared<Task<Result<String, String>>>>,
|
|
images: HashMap<CreaseId, Shared<Task<Result<MentionImage, String>>>>,
|
|
thread_summaries: HashMap<acp::SessionId, Shared<Task<Result<SharedString, String>>>>,
|
|
text_thread_summaries: HashMap<PathBuf, Shared<Task<Result<String, String>>>>,
|
|
directories: HashMap<PathBuf, Shared<Task<Result<(String, Vec<Entity<Buffer>>), String>>>>,
|
|
}
|
|
|
|
impl MentionSet {
|
|
pub fn insert_uri(&mut self, crease_id: CreaseId, uri: MentionUri) {
|
|
self.uri_by_crease_id.insert(crease_id, uri);
|
|
}
|
|
|
|
pub fn add_fetch_result(&mut self, url: Url, content: Shared<Task<Result<String, String>>>) {
|
|
self.fetch_results.insert(url, content);
|
|
}
|
|
|
|
pub fn insert_image(
|
|
&mut self,
|
|
crease_id: CreaseId,
|
|
task: Shared<Task<Result<MentionImage, String>>>,
|
|
) {
|
|
self.images.insert(crease_id, task);
|
|
}
|
|
|
|
fn insert_thread(
|
|
&mut self,
|
|
id: acp::SessionId,
|
|
task: Shared<Task<Result<SharedString, String>>>,
|
|
) {
|
|
self.thread_summaries.insert(id, task);
|
|
}
|
|
|
|
fn insert_text_thread(&mut self, path: PathBuf, task: Shared<Task<Result<String, String>>>) {
|
|
self.text_thread_summaries.insert(path, task);
|
|
}
|
|
|
|
pub fn contents(
|
|
&self,
|
|
project: &Entity<Project>,
|
|
prompt_store: Option<&Entity<PromptStore>>,
|
|
prompt_capabilities: &acp::PromptCapabilities,
|
|
_window: &mut Window,
|
|
cx: &mut App,
|
|
) -> Task<Result<HashMap<CreaseId, Mention>>> {
|
|
if !prompt_capabilities.embedded_context {
|
|
let mentions = self
|
|
.uri_by_crease_id
|
|
.iter()
|
|
.map(|(crease_id, uri)| (*crease_id, Mention::UriOnly(uri.clone())))
|
|
.collect();
|
|
|
|
return Task::ready(Ok(mentions));
|
|
}
|
|
|
|
let mut processed_image_creases = HashSet::default();
|
|
|
|
let mut contents = self
|
|
.uri_by_crease_id
|
|
.iter()
|
|
.map(|(&crease_id, uri)| {
|
|
match uri {
|
|
MentionUri::File { abs_path, .. } => {
|
|
let uri = uri.clone();
|
|
let abs_path = abs_path.to_path_buf();
|
|
|
|
if let Some(task) = self.images.get(&crease_id).cloned() {
|
|
processed_image_creases.insert(crease_id);
|
|
return cx.spawn(async move |_| {
|
|
let image = task.await.map_err(|e| anyhow!("{e}"))?;
|
|
anyhow::Ok((crease_id, Mention::Image(image)))
|
|
});
|
|
}
|
|
|
|
let buffer_task = project.update(cx, |project, cx| {
|
|
let path = project
|
|
.find_project_path(abs_path, cx)
|
|
.context("Failed to find project path")?;
|
|
anyhow::Ok(project.open_buffer(path, cx))
|
|
});
|
|
cx.spawn(async move |cx| {
|
|
let buffer = buffer_task?.await?;
|
|
let content = buffer.read_with(cx, |buffer, _cx| buffer.text())?;
|
|
|
|
anyhow::Ok((
|
|
crease_id,
|
|
Mention::Text {
|
|
uri,
|
|
content,
|
|
tracked_buffers: vec![buffer],
|
|
},
|
|
))
|
|
})
|
|
}
|
|
MentionUri::Directory { abs_path } => {
|
|
let Some(content) = self.directories.get(abs_path).cloned() else {
|
|
return Task::ready(Err(anyhow!("missing directory load task")));
|
|
};
|
|
let uri = uri.clone();
|
|
cx.spawn(async move |_| {
|
|
let (content, tracked_buffers) =
|
|
content.await.map_err(|e| anyhow::anyhow!("{e}"))?;
|
|
Ok((
|
|
crease_id,
|
|
Mention::Text {
|
|
uri,
|
|
content,
|
|
tracked_buffers,
|
|
},
|
|
))
|
|
})
|
|
}
|
|
MentionUri::Symbol {
|
|
path, line_range, ..
|
|
}
|
|
| MentionUri::Selection {
|
|
path, line_range, ..
|
|
} => {
|
|
let uri = uri.clone();
|
|
let path_buf = path.clone();
|
|
let line_range = line_range.clone();
|
|
|
|
let buffer_task = project.update(cx, |project, cx| {
|
|
let path = project
|
|
.find_project_path(&path_buf, cx)
|
|
.context("Failed to find project path")?;
|
|
anyhow::Ok(project.open_buffer(path, cx))
|
|
});
|
|
|
|
cx.spawn(async move |cx| {
|
|
let buffer = buffer_task?.await?;
|
|
let content = buffer.read_with(cx, |buffer, _cx| {
|
|
buffer
|
|
.text_for_range(
|
|
Point::new(line_range.start, 0)
|
|
..Point::new(
|
|
line_range.end,
|
|
buffer.line_len(line_range.end),
|
|
),
|
|
)
|
|
.collect()
|
|
})?;
|
|
|
|
anyhow::Ok((
|
|
crease_id,
|
|
Mention::Text {
|
|
uri,
|
|
content,
|
|
tracked_buffers: vec![buffer],
|
|
},
|
|
))
|
|
})
|
|
}
|
|
MentionUri::Thread { id, .. } => {
|
|
let Some(content) = self.thread_summaries.get(id).cloned() else {
|
|
return Task::ready(Err(anyhow!("missing thread summary")));
|
|
};
|
|
let uri = uri.clone();
|
|
cx.spawn(async move |_| {
|
|
Ok((
|
|
crease_id,
|
|
Mention::Text {
|
|
uri,
|
|
content: content
|
|
.await
|
|
.map_err(|e| anyhow::anyhow!("{e}"))?
|
|
.to_string(),
|
|
tracked_buffers: Vec::new(),
|
|
},
|
|
))
|
|
})
|
|
}
|
|
MentionUri::TextThread { path, .. } => {
|
|
let Some(content) = self.text_thread_summaries.get(path).cloned() else {
|
|
return Task::ready(Err(anyhow!("missing text thread summary")));
|
|
};
|
|
let uri = uri.clone();
|
|
cx.spawn(async move |_| {
|
|
Ok((
|
|
crease_id,
|
|
Mention::Text {
|
|
uri,
|
|
content: content.await.map_err(|e| anyhow::anyhow!("{e}"))?,
|
|
tracked_buffers: Vec::new(),
|
|
},
|
|
))
|
|
})
|
|
}
|
|
MentionUri::Rule { id: prompt_id, .. } => {
|
|
let Some(prompt_store) = prompt_store else {
|
|
return Task::ready(Err(anyhow!("missing prompt store")));
|
|
};
|
|
let text_task = prompt_store.read(cx).load(*prompt_id, cx);
|
|
let uri = uri.clone();
|
|
cx.spawn(async move |_| {
|
|
// TODO: report load errors instead of just logging
|
|
let text = text_task.await?;
|
|
anyhow::Ok((
|
|
crease_id,
|
|
Mention::Text {
|
|
uri,
|
|
content: text,
|
|
tracked_buffers: Vec::new(),
|
|
},
|
|
))
|
|
})
|
|
}
|
|
MentionUri::Fetch { url } => {
|
|
let Some(content) = self.fetch_results.get(url).cloned() else {
|
|
return Task::ready(Err(anyhow!("missing fetch result")));
|
|
};
|
|
let uri = uri.clone();
|
|
cx.spawn(async move |_| {
|
|
Ok((
|
|
crease_id,
|
|
Mention::Text {
|
|
uri,
|
|
content: content.await.map_err(|e| anyhow::anyhow!("{e}"))?,
|
|
tracked_buffers: Vec::new(),
|
|
},
|
|
))
|
|
})
|
|
}
|
|
}
|
|
})
|
|
.collect::<Vec<_>>();
|
|
|
|
// Handle images that didn't have a mention URI (because they were added by the paste handler).
|
|
contents.extend(self.images.iter().filter_map(|(crease_id, image)| {
|
|
if processed_image_creases.contains(crease_id) {
|
|
return None;
|
|
}
|
|
let crease_id = *crease_id;
|
|
let image = image.clone();
|
|
Some(cx.spawn(async move |_| {
|
|
Ok((
|
|
crease_id,
|
|
Mention::Image(image.await.map_err(|e| anyhow::anyhow!("{e}"))?),
|
|
))
|
|
}))
|
|
}));
|
|
|
|
cx.spawn(async move |_cx| {
|
|
let contents = try_join_all(contents).await?.into_iter().collect();
|
|
anyhow::Ok(contents)
|
|
})
|
|
}
|
|
|
|
pub fn drain(&mut self) -> impl Iterator<Item = CreaseId> {
|
|
self.fetch_results.clear();
|
|
self.thread_summaries.clear();
|
|
self.text_thread_summaries.clear();
|
|
self.directories.clear();
|
|
self.uri_by_crease_id
|
|
.drain()
|
|
.map(|(id, _)| id)
|
|
.chain(self.images.drain().map(|(id, _)| id))
|
|
}
|
|
|
|
pub fn remove_invalid(&mut self, snapshot: EditorSnapshot) {
|
|
for (crease_id, crease) in snapshot.crease_snapshot.creases() {
|
|
if !crease.range().start.is_valid(&snapshot.buffer_snapshot) {
|
|
self.uri_by_crease_id.remove(&crease_id);
|
|
}
|
|
}
|
|
}
|
|
}
|
|
|
|
struct SlashCommandSemanticsProvider {
|
|
range: Cell<Option<(usize, usize)>>,
|
|
}
|
|
|
|
impl SemanticsProvider for SlashCommandSemanticsProvider {
|
|
fn hover(
|
|
&self,
|
|
buffer: &Entity<Buffer>,
|
|
position: text::Anchor,
|
|
cx: &mut App,
|
|
) -> Option<Task<Vec<project::Hover>>> {
|
|
let snapshot = buffer.read(cx).snapshot();
|
|
let offset = position.to_offset(&snapshot);
|
|
let (start, end) = self.range.get()?;
|
|
if !(start..end).contains(&offset) {
|
|
return None;
|
|
}
|
|
let range = snapshot.anchor_after(start)..snapshot.anchor_after(end);
|
|
Some(Task::ready(vec![project::Hover {
|
|
contents: vec![project::HoverBlock {
|
|
text: "Slash commands are not supported".into(),
|
|
kind: project::HoverBlockKind::PlainText,
|
|
}],
|
|
range: Some(range),
|
|
language: None,
|
|
}]))
|
|
}
|
|
|
|
fn inline_values(
|
|
&self,
|
|
_buffer_handle: Entity<Buffer>,
|
|
_range: Range<text::Anchor>,
|
|
_cx: &mut App,
|
|
) -> Option<Task<anyhow::Result<Vec<project::InlayHint>>>> {
|
|
None
|
|
}
|
|
|
|
fn inlay_hints(
|
|
&self,
|
|
_buffer_handle: Entity<Buffer>,
|
|
_range: Range<text::Anchor>,
|
|
_cx: &mut App,
|
|
) -> Option<Task<anyhow::Result<Vec<project::InlayHint>>>> {
|
|
None
|
|
}
|
|
|
|
fn resolve_inlay_hint(
|
|
&self,
|
|
_hint: project::InlayHint,
|
|
_buffer_handle: Entity<Buffer>,
|
|
_server_id: lsp::LanguageServerId,
|
|
_cx: &mut App,
|
|
) -> Option<Task<anyhow::Result<project::InlayHint>>> {
|
|
None
|
|
}
|
|
|
|
fn supports_inlay_hints(&self, _buffer: &Entity<Buffer>, _cx: &mut App) -> bool {
|
|
false
|
|
}
|
|
|
|
fn document_highlights(
|
|
&self,
|
|
_buffer: &Entity<Buffer>,
|
|
_position: text::Anchor,
|
|
_cx: &mut App,
|
|
) -> Option<Task<Result<Vec<project::DocumentHighlight>>>> {
|
|
None
|
|
}
|
|
|
|
fn definitions(
|
|
&self,
|
|
_buffer: &Entity<Buffer>,
|
|
_position: text::Anchor,
|
|
_kind: editor::GotoDefinitionKind,
|
|
_cx: &mut App,
|
|
) -> Option<Task<Result<Vec<project::LocationLink>>>> {
|
|
None
|
|
}
|
|
|
|
fn range_for_rename(
|
|
&self,
|
|
_buffer: &Entity<Buffer>,
|
|
_position: text::Anchor,
|
|
_cx: &mut App,
|
|
) -> Option<Task<Result<Option<Range<text::Anchor>>>>> {
|
|
None
|
|
}
|
|
|
|
fn perform_rename(
|
|
&self,
|
|
_buffer: &Entity<Buffer>,
|
|
_position: text::Anchor,
|
|
_new_name: String,
|
|
_cx: &mut App,
|
|
) -> Option<Task<Result<project::ProjectTransaction>>> {
|
|
None
|
|
}
|
|
}
|
|
|
|
fn parse_slash_command(text: &str) -> Option<(usize, usize)> {
|
|
if let Some(remainder) = text.strip_prefix('/') {
|
|
let pos = remainder
|
|
.find(char::is_whitespace)
|
|
.unwrap_or(remainder.len());
|
|
let command = &remainder[..pos];
|
|
if !command.is_empty() && command.chars().all(char::is_alphanumeric) {
|
|
return Some((0, 1 + command.len()));
|
|
}
|
|
}
|
|
None
|
|
}
|
|
|
|
pub struct MessageEditorAddon {}
|
|
|
|
impl MessageEditorAddon {
|
|
pub fn new() -> Self {
|
|
Self {}
|
|
}
|
|
}
|
|
|
|
impl Addon for MessageEditorAddon {
|
|
fn to_any(&self) -> &dyn std::any::Any {
|
|
self
|
|
}
|
|
|
|
fn to_any_mut(&mut self) -> Option<&mut dyn std::any::Any> {
|
|
Some(self)
|
|
}
|
|
|
|
fn extend_key_context(&self, key_context: &mut KeyContext, cx: &App) {
|
|
let settings = agent_settings::AgentSettings::get_global(cx);
|
|
if settings.use_modifier_to_send {
|
|
key_context.add("use_modifier_to_send");
|
|
}
|
|
}
|
|
}
|
|
|
|
#[cfg(test)]
|
|
mod tests {
|
|
use std::{cell::Cell, ops::Range, path::Path, rc::Rc, sync::Arc};
|
|
|
|
use acp_thread::MentionUri;
|
|
use agent_client_protocol as acp;
|
|
use agent2::HistoryStore;
|
|
use assistant_context::ContextStore;
|
|
use editor::{AnchorRangeExt as _, Editor, EditorMode};
|
|
use fs::FakeFs;
|
|
use futures::StreamExt as _;
|
|
use gpui::{
|
|
AppContext, Entity, EventEmitter, FocusHandle, Focusable, TestAppContext, VisualTestContext,
|
|
};
|
|
use lsp::{CompletionContext, CompletionTriggerKind};
|
|
use project::{CompletionIntent, Project, ProjectPath};
|
|
use serde_json::json;
|
|
use text::Point;
|
|
use ui::{App, Context, IntoElement, Render, SharedString, Window};
|
|
use util::{path, uri};
|
|
use workspace::{AppState, Item, Workspace};
|
|
|
|
use crate::acp::{
|
|
message_editor::{Mention, MessageEditor},
|
|
thread_view::tests::init_test,
|
|
};
|
|
|
|
#[gpui::test]
|
|
async fn test_at_mention_removal(cx: &mut TestAppContext) {
|
|
init_test(cx);
|
|
|
|
let fs = FakeFs::new(cx.executor());
|
|
fs.insert_tree("/project", json!({"file": ""})).await;
|
|
let project = Project::test(fs, [Path::new(path!("/project"))], cx).await;
|
|
|
|
let (workspace, cx) =
|
|
cx.add_window_view(|window, cx| Workspace::test_new(project.clone(), window, cx));
|
|
|
|
let context_store = cx.new(|cx| ContextStore::fake(project.clone(), cx));
|
|
let history_store = cx.new(|cx| HistoryStore::new(context_store, cx));
|
|
|
|
let message_editor = cx.update(|window, cx| {
|
|
cx.new(|cx| {
|
|
MessageEditor::new(
|
|
workspace.downgrade(),
|
|
project.clone(),
|
|
history_store.clone(),
|
|
None,
|
|
Default::default(),
|
|
"Test",
|
|
false,
|
|
EditorMode::AutoHeight {
|
|
min_lines: 1,
|
|
max_lines: None,
|
|
},
|
|
window,
|
|
cx,
|
|
)
|
|
})
|
|
});
|
|
let editor = message_editor.update(cx, |message_editor, _| message_editor.editor.clone());
|
|
|
|
cx.run_until_parked();
|
|
|
|
let excerpt_id = editor.update(cx, |editor, cx| {
|
|
editor
|
|
.buffer()
|
|
.read(cx)
|
|
.excerpt_ids()
|
|
.into_iter()
|
|
.next()
|
|
.unwrap()
|
|
});
|
|
let completions = editor.update_in(cx, |editor, window, cx| {
|
|
editor.set_text("Hello @file ", window, cx);
|
|
let buffer = editor.buffer().read(cx).as_singleton().unwrap();
|
|
let completion_provider = editor.completion_provider().unwrap();
|
|
completion_provider.completions(
|
|
excerpt_id,
|
|
&buffer,
|
|
text::Anchor::MAX,
|
|
CompletionContext {
|
|
trigger_kind: CompletionTriggerKind::TRIGGER_CHARACTER,
|
|
trigger_character: Some("@".into()),
|
|
},
|
|
window,
|
|
cx,
|
|
)
|
|
});
|
|
let [_, completion]: [_; 2] = completions
|
|
.await
|
|
.unwrap()
|
|
.into_iter()
|
|
.flat_map(|response| response.completions)
|
|
.collect::<Vec<_>>()
|
|
.try_into()
|
|
.unwrap();
|
|
|
|
editor.update_in(cx, |editor, window, cx| {
|
|
let snapshot = editor.buffer().read(cx).snapshot(cx);
|
|
let start = snapshot
|
|
.anchor_in_excerpt(excerpt_id, completion.replace_range.start)
|
|
.unwrap();
|
|
let end = snapshot
|
|
.anchor_in_excerpt(excerpt_id, completion.replace_range.end)
|
|
.unwrap();
|
|
editor.edit([(start..end, completion.new_text)], cx);
|
|
(completion.confirm.unwrap())(CompletionIntent::Complete, window, cx);
|
|
});
|
|
|
|
cx.run_until_parked();
|
|
|
|
// Backspace over the inserted crease (and the following space).
|
|
editor.update_in(cx, |editor, window, cx| {
|
|
editor.backspace(&Default::default(), window, cx);
|
|
editor.backspace(&Default::default(), window, cx);
|
|
});
|
|
|
|
let (content, _) = message_editor
|
|
.update_in(cx, |message_editor, window, cx| {
|
|
message_editor.contents(window, cx)
|
|
})
|
|
.await
|
|
.unwrap();
|
|
|
|
// We don't send a resource link for the deleted crease.
|
|
pretty_assertions::assert_matches!(content.as_slice(), [acp::ContentBlock::Text { .. }]);
|
|
}
|
|
|
|
struct MessageEditorItem(Entity<MessageEditor>);
|
|
|
|
impl Item for MessageEditorItem {
|
|
type Event = ();
|
|
|
|
fn include_in_nav_history() -> bool {
|
|
false
|
|
}
|
|
|
|
fn tab_content_text(&self, _detail: usize, _cx: &App) -> SharedString {
|
|
"Test".into()
|
|
}
|
|
}
|
|
|
|
impl EventEmitter<()> for MessageEditorItem {}
|
|
|
|
impl Focusable for MessageEditorItem {
|
|
fn focus_handle(&self, cx: &App) -> FocusHandle {
|
|
self.0.read(cx).focus_handle(cx)
|
|
}
|
|
}
|
|
|
|
impl Render for MessageEditorItem {
|
|
fn render(&mut self, _window: &mut Window, _cx: &mut Context<Self>) -> impl IntoElement {
|
|
self.0.clone().into_any_element()
|
|
}
|
|
}
|
|
|
|
#[gpui::test]
|
|
async fn test_context_completion_provider(cx: &mut TestAppContext) {
|
|
init_test(cx);
|
|
|
|
let app_state = cx.update(AppState::test);
|
|
|
|
cx.update(|cx| {
|
|
language::init(cx);
|
|
editor::init(cx);
|
|
workspace::init(app_state.clone(), cx);
|
|
Project::init_settings(cx);
|
|
});
|
|
|
|
app_state
|
|
.fs
|
|
.as_fake()
|
|
.insert_tree(
|
|
path!("/dir"),
|
|
json!({
|
|
"editor": "",
|
|
"a": {
|
|
"one.txt": "1",
|
|
"two.txt": "2",
|
|
"three.txt": "3",
|
|
"four.txt": "4"
|
|
},
|
|
"b": {
|
|
"five.txt": "5",
|
|
"six.txt": "6",
|
|
"seven.txt": "7",
|
|
"eight.txt": "8",
|
|
}
|
|
}),
|
|
)
|
|
.await;
|
|
|
|
let project = Project::test(app_state.fs.clone(), [path!("/dir").as_ref()], cx).await;
|
|
let window = cx.add_window(|window, cx| Workspace::test_new(project.clone(), window, cx));
|
|
let workspace = window.root(cx).unwrap();
|
|
|
|
let worktree = project.update(cx, |project, cx| {
|
|
let mut worktrees = project.worktrees(cx).collect::<Vec<_>>();
|
|
assert_eq!(worktrees.len(), 1);
|
|
worktrees.pop().unwrap()
|
|
});
|
|
let worktree_id = worktree.read_with(cx, |worktree, _| worktree.id());
|
|
|
|
let mut cx = VisualTestContext::from_window(*window, cx);
|
|
|
|
let paths = vec![
|
|
path!("a/one.txt"),
|
|
path!("a/two.txt"),
|
|
path!("a/three.txt"),
|
|
path!("a/four.txt"),
|
|
path!("b/five.txt"),
|
|
path!("b/six.txt"),
|
|
path!("b/seven.txt"),
|
|
path!("b/eight.txt"),
|
|
];
|
|
|
|
let mut opened_editors = Vec::new();
|
|
for path in paths {
|
|
let buffer = workspace
|
|
.update_in(&mut cx, |workspace, window, cx| {
|
|
workspace.open_path(
|
|
ProjectPath {
|
|
worktree_id,
|
|
path: Path::new(path).into(),
|
|
},
|
|
None,
|
|
false,
|
|
window,
|
|
cx,
|
|
)
|
|
})
|
|
.await
|
|
.unwrap();
|
|
opened_editors.push(buffer);
|
|
}
|
|
|
|
let context_store = cx.new(|cx| ContextStore::fake(project.clone(), cx));
|
|
let history_store = cx.new(|cx| HistoryStore::new(context_store, cx));
|
|
let prompt_capabilities = Rc::new(Cell::new(acp::PromptCapabilities::default()));
|
|
|
|
let (message_editor, editor) = workspace.update_in(&mut cx, |workspace, window, cx| {
|
|
let workspace_handle = cx.weak_entity();
|
|
let message_editor = cx.new(|cx| {
|
|
MessageEditor::new(
|
|
workspace_handle,
|
|
project.clone(),
|
|
history_store.clone(),
|
|
None,
|
|
prompt_capabilities.clone(),
|
|
"Test",
|
|
false,
|
|
EditorMode::AutoHeight {
|
|
max_lines: None,
|
|
min_lines: 1,
|
|
},
|
|
window,
|
|
cx,
|
|
)
|
|
});
|
|
workspace.active_pane().update(cx, |pane, cx| {
|
|
pane.add_item(
|
|
Box::new(cx.new(|_| MessageEditorItem(message_editor.clone()))),
|
|
true,
|
|
true,
|
|
None,
|
|
window,
|
|
cx,
|
|
);
|
|
});
|
|
message_editor.read(cx).focus_handle(cx).focus(window);
|
|
let editor = message_editor.read(cx).editor().clone();
|
|
(message_editor, editor)
|
|
});
|
|
|
|
cx.simulate_input("Lorem @");
|
|
|
|
editor.update_in(&mut cx, |editor, window, cx| {
|
|
assert_eq!(editor.text(cx), "Lorem @");
|
|
assert!(editor.has_visible_completions_menu());
|
|
|
|
// Only files since we have default capabilities
|
|
assert_eq!(
|
|
current_completion_labels(editor),
|
|
&[
|
|
"eight.txt dir/b/",
|
|
"seven.txt dir/b/",
|
|
"six.txt dir/b/",
|
|
"five.txt dir/b/",
|
|
]
|
|
);
|
|
editor.set_text("", window, cx);
|
|
});
|
|
|
|
prompt_capabilities.set(acp::PromptCapabilities {
|
|
image: true,
|
|
audio: true,
|
|
embedded_context: true,
|
|
});
|
|
|
|
cx.simulate_input("Lorem ");
|
|
|
|
editor.update(&mut cx, |editor, cx| {
|
|
assert_eq!(editor.text(cx), "Lorem ");
|
|
assert!(!editor.has_visible_completions_menu());
|
|
});
|
|
|
|
cx.simulate_input("@");
|
|
|
|
editor.update(&mut cx, |editor, cx| {
|
|
assert_eq!(editor.text(cx), "Lorem @");
|
|
assert!(editor.has_visible_completions_menu());
|
|
assert_eq!(
|
|
current_completion_labels(editor),
|
|
&[
|
|
"eight.txt dir/b/",
|
|
"seven.txt dir/b/",
|
|
"six.txt dir/b/",
|
|
"five.txt dir/b/",
|
|
"Files & Directories",
|
|
"Symbols",
|
|
"Threads",
|
|
"Fetch"
|
|
]
|
|
);
|
|
});
|
|
|
|
// Select and confirm "File"
|
|
editor.update_in(&mut cx, |editor, window, cx| {
|
|
assert!(editor.has_visible_completions_menu());
|
|
editor.context_menu_next(&editor::actions::ContextMenuNext, window, cx);
|
|
editor.context_menu_next(&editor::actions::ContextMenuNext, window, cx);
|
|
editor.context_menu_next(&editor::actions::ContextMenuNext, window, cx);
|
|
editor.context_menu_next(&editor::actions::ContextMenuNext, window, cx);
|
|
editor.confirm_completion(&editor::actions::ConfirmCompletion::default(), window, cx);
|
|
});
|
|
|
|
cx.run_until_parked();
|
|
|
|
editor.update(&mut cx, |editor, cx| {
|
|
assert_eq!(editor.text(cx), "Lorem @file ");
|
|
assert!(editor.has_visible_completions_menu());
|
|
});
|
|
|
|
cx.simulate_input("one");
|
|
|
|
editor.update(&mut cx, |editor, cx| {
|
|
assert_eq!(editor.text(cx), "Lorem @file one");
|
|
assert!(editor.has_visible_completions_menu());
|
|
assert_eq!(current_completion_labels(editor), vec!["one.txt dir/a/"]);
|
|
});
|
|
|
|
editor.update_in(&mut cx, |editor, window, cx| {
|
|
assert!(editor.has_visible_completions_menu());
|
|
editor.confirm_completion(&editor::actions::ConfirmCompletion::default(), window, cx);
|
|
});
|
|
|
|
let url_one = uri!("file:///dir/a/one.txt");
|
|
editor.update(&mut cx, |editor, cx| {
|
|
let text = editor.text(cx);
|
|
assert_eq!(text, format!("Lorem [@one.txt]({url_one}) "));
|
|
assert!(!editor.has_visible_completions_menu());
|
|
assert_eq!(fold_ranges(editor, cx).len(), 1);
|
|
});
|
|
|
|
let all_prompt_capabilities = acp::PromptCapabilities {
|
|
image: true,
|
|
audio: true,
|
|
embedded_context: true,
|
|
};
|
|
|
|
let contents = message_editor
|
|
.update_in(&mut cx, |message_editor, window, cx| {
|
|
message_editor.mention_set().contents(
|
|
&project,
|
|
None,
|
|
&all_prompt_capabilities,
|
|
window,
|
|
cx,
|
|
)
|
|
})
|
|
.await
|
|
.unwrap()
|
|
.into_values()
|
|
.collect::<Vec<_>>();
|
|
|
|
{
|
|
let [Mention::Text { content, uri, .. }] = contents.as_slice() else {
|
|
panic!("Unexpected mentions");
|
|
};
|
|
pretty_assertions::assert_eq!(content, "1");
|
|
pretty_assertions::assert_eq!(uri, &url_one.parse::<MentionUri>().unwrap());
|
|
}
|
|
|
|
let contents = message_editor
|
|
.update_in(&mut cx, |message_editor, window, cx| {
|
|
message_editor.mention_set().contents(
|
|
&project,
|
|
None,
|
|
&acp::PromptCapabilities::default(),
|
|
window,
|
|
cx,
|
|
)
|
|
})
|
|
.await
|
|
.unwrap()
|
|
.into_values()
|
|
.collect::<Vec<_>>();
|
|
|
|
{
|
|
let [Mention::UriOnly(uri)] = contents.as_slice() else {
|
|
panic!("Unexpected mentions");
|
|
};
|
|
pretty_assertions::assert_eq!(uri, &url_one.parse::<MentionUri>().unwrap());
|
|
}
|
|
|
|
cx.simulate_input(" ");
|
|
|
|
editor.update(&mut cx, |editor, cx| {
|
|
let text = editor.text(cx);
|
|
assert_eq!(text, format!("Lorem [@one.txt]({url_one}) "));
|
|
assert!(!editor.has_visible_completions_menu());
|
|
assert_eq!(fold_ranges(editor, cx).len(), 1);
|
|
});
|
|
|
|
cx.simulate_input("Ipsum ");
|
|
|
|
editor.update(&mut cx, |editor, cx| {
|
|
let text = editor.text(cx);
|
|
assert_eq!(text, format!("Lorem [@one.txt]({url_one}) Ipsum "),);
|
|
assert!(!editor.has_visible_completions_menu());
|
|
assert_eq!(fold_ranges(editor, cx).len(), 1);
|
|
});
|
|
|
|
cx.simulate_input("@file ");
|
|
|
|
editor.update(&mut cx, |editor, cx| {
|
|
let text = editor.text(cx);
|
|
assert_eq!(text, format!("Lorem [@one.txt]({url_one}) Ipsum @file "),);
|
|
assert!(editor.has_visible_completions_menu());
|
|
assert_eq!(fold_ranges(editor, cx).len(), 1);
|
|
});
|
|
|
|
editor.update_in(&mut cx, |editor, window, cx| {
|
|
editor.confirm_completion(&editor::actions::ConfirmCompletion::default(), window, cx);
|
|
});
|
|
|
|
cx.run_until_parked();
|
|
|
|
let contents = message_editor
|
|
.update_in(&mut cx, |message_editor, window, cx| {
|
|
message_editor.mention_set().contents(
|
|
&project,
|
|
None,
|
|
&all_prompt_capabilities,
|
|
window,
|
|
cx,
|
|
)
|
|
})
|
|
.await
|
|
.unwrap()
|
|
.into_values()
|
|
.collect::<Vec<_>>();
|
|
|
|
let url_eight = uri!("file:///dir/b/eight.txt");
|
|
|
|
{
|
|
let [_, Mention::Text { content, uri, .. }] = contents.as_slice() else {
|
|
panic!("Unexpected mentions");
|
|
};
|
|
pretty_assertions::assert_eq!(content, "8");
|
|
pretty_assertions::assert_eq!(uri, &url_eight.parse::<MentionUri>().unwrap());
|
|
}
|
|
|
|
editor.update(&mut cx, |editor, cx| {
|
|
assert_eq!(
|
|
editor.text(cx),
|
|
format!("Lorem [@one.txt]({url_one}) Ipsum [@eight.txt]({url_eight}) ")
|
|
);
|
|
assert!(!editor.has_visible_completions_menu());
|
|
assert_eq!(fold_ranges(editor, cx).len(), 2);
|
|
});
|
|
|
|
let plain_text_language = Arc::new(language::Language::new(
|
|
language::LanguageConfig {
|
|
name: "Plain Text".into(),
|
|
matcher: language::LanguageMatcher {
|
|
path_suffixes: vec!["txt".to_string()],
|
|
..Default::default()
|
|
},
|
|
..Default::default()
|
|
},
|
|
None,
|
|
));
|
|
|
|
// Register the language and fake LSP
|
|
let language_registry = project.read_with(&cx, |project, _| project.languages().clone());
|
|
language_registry.add(plain_text_language);
|
|
|
|
let mut fake_language_servers = language_registry.register_fake_lsp(
|
|
"Plain Text",
|
|
language::FakeLspAdapter {
|
|
capabilities: lsp::ServerCapabilities {
|
|
workspace_symbol_provider: Some(lsp::OneOf::Left(true)),
|
|
..Default::default()
|
|
},
|
|
..Default::default()
|
|
},
|
|
);
|
|
|
|
// Open the buffer to trigger LSP initialization
|
|
let buffer = project
|
|
.update(&mut cx, |project, cx| {
|
|
project.open_local_buffer(path!("/dir/a/one.txt"), cx)
|
|
})
|
|
.await
|
|
.unwrap();
|
|
|
|
// Register the buffer with language servers
|
|
let _handle = project.update(&mut cx, |project, cx| {
|
|
project.register_buffer_with_language_servers(&buffer, cx)
|
|
});
|
|
|
|
cx.run_until_parked();
|
|
|
|
let fake_language_server = fake_language_servers.next().await.unwrap();
|
|
fake_language_server.set_request_handler::<lsp::WorkspaceSymbolRequest, _, _>(
|
|
move |_, _| async move {
|
|
Ok(Some(lsp::WorkspaceSymbolResponse::Flat(vec![
|
|
#[allow(deprecated)]
|
|
lsp::SymbolInformation {
|
|
name: "MySymbol".into(),
|
|
location: lsp::Location {
|
|
uri: lsp::Url::from_file_path(path!("/dir/a/one.txt")).unwrap(),
|
|
range: lsp::Range::new(
|
|
lsp::Position::new(0, 0),
|
|
lsp::Position::new(0, 1),
|
|
),
|
|
},
|
|
kind: lsp::SymbolKind::CONSTANT,
|
|
tags: None,
|
|
container_name: None,
|
|
deprecated: None,
|
|
},
|
|
])))
|
|
},
|
|
);
|
|
|
|
cx.simulate_input("@symbol ");
|
|
|
|
editor.update(&mut cx, |editor, cx| {
|
|
assert_eq!(
|
|
editor.text(cx),
|
|
format!("Lorem [@one.txt]({url_one}) Ipsum [@eight.txt]({url_eight}) @symbol ")
|
|
);
|
|
assert!(editor.has_visible_completions_menu());
|
|
assert_eq!(current_completion_labels(editor), &["MySymbol"]);
|
|
});
|
|
|
|
editor.update_in(&mut cx, |editor, window, cx| {
|
|
editor.confirm_completion(&editor::actions::ConfirmCompletion::default(), window, cx);
|
|
});
|
|
|
|
let contents = message_editor
|
|
.update_in(&mut cx, |message_editor, window, cx| {
|
|
message_editor.mention_set().contents(
|
|
&project,
|
|
None,
|
|
&all_prompt_capabilities,
|
|
window,
|
|
cx,
|
|
)
|
|
})
|
|
.await
|
|
.unwrap()
|
|
.into_values()
|
|
.collect::<Vec<_>>();
|
|
|
|
{
|
|
let [_, _, Mention::Text { content, uri, .. }] = contents.as_slice() else {
|
|
panic!("Unexpected mentions");
|
|
};
|
|
pretty_assertions::assert_eq!(content, "1");
|
|
pretty_assertions::assert_eq!(
|
|
uri,
|
|
&format!("{url_one}?symbol=MySymbol#L1:1")
|
|
.parse::<MentionUri>()
|
|
.unwrap()
|
|
);
|
|
}
|
|
|
|
cx.run_until_parked();
|
|
|
|
editor.read_with(&cx, |editor, cx| {
|
|
assert_eq!(
|
|
editor.text(cx),
|
|
format!("Lorem [@one.txt]({url_one}) Ipsum [@eight.txt]({url_eight}) [@MySymbol]({url_one}?symbol=MySymbol#L1:1) ")
|
|
);
|
|
});
|
|
}
|
|
|
|
fn fold_ranges(editor: &Editor, cx: &mut App) -> Vec<Range<Point>> {
|
|
let snapshot = editor.buffer().read(cx).snapshot(cx);
|
|
editor.display_map.update(cx, |display_map, cx| {
|
|
display_map
|
|
.snapshot(cx)
|
|
.folds_in_range(0..snapshot.len())
|
|
.map(|fold| fold.range.to_point(&snapshot))
|
|
.collect()
|
|
})
|
|
}
|
|
|
|
fn current_completion_labels(editor: &Editor) -> Vec<String> {
|
|
let completions = editor.current_completions().expect("Missing completions");
|
|
completions
|
|
.into_iter()
|
|
.map(|completion| completion.label.text)
|
|
.collect::<Vec<_>>()
|
|
}
|
|
}
|