use crate::context_picker::{ContextPicker, MentionLink}; use crate::context_strip::{ContextStrip, ContextStripEvent, SuggestContextKind}; use crate::message_editor::{extract_message_creases, insert_message_creases}; use crate::ui::{AddedContext, AgentNotification, AgentNotificationEvent, ContextPill}; use crate::{AgentPanel, ModelUsageContext}; use agent::{ ContextStore, LastRestoreCheckpoint, MessageCrease, MessageId, MessageSegment, TextThreadStore, Thread, ThreadError, ThreadEvent, ThreadFeedback, ThreadStore, ThreadSummary, context::{self, AgentContextHandle, RULES_ICON}, thread_store::RulesLoadingError, tool_use::{PendingToolUseStatus, ToolUse}, }; use agent_settings::{AgentSettings, NotifyWhenAgentWaiting}; use anyhow::Context as _; use assistant_tool::ToolUseStatus; use audio::{Audio, Sound}; use cloud_llm_client::CompletionIntent; use collections::{HashMap, HashSet}; use editor::actions::{MoveUp, Paste}; use editor::scroll::Autoscroll; use editor::{Editor, EditorElement, EditorEvent, EditorStyle, MultiBuffer, SelectionEffects}; use gpui::{ AbsoluteLength, Animation, AnimationExt, AnyElement, App, ClickEvent, ClipboardEntry, ClipboardItem, DefiniteLength, EdgesRefinement, Empty, Entity, EventEmitter, Focusable, Hsla, ListAlignment, ListOffset, ListState, MouseButton, PlatformDisplay, ScrollHandle, Stateful, StyleRefinement, Subscription, Task, TextStyle, TextStyleRefinement, Transformation, UnderlineStyle, WeakEntity, WindowHandle, linear_color_stop, linear_gradient, list, percentage, pulsating_between, }; use language::{Buffer, Language, LanguageRegistry}; use language_model::{ LanguageModelRequestMessage, LanguageModelToolUseId, MessageContent, Role, StopReason, }; use markdown::parser::{CodeBlockKind, CodeBlockMetadata}; use markdown::{ HeadingLevelStyles, Markdown, MarkdownElement, MarkdownStyle, ParsedMarkdown, PathWithRange, }; use project::{ProjectEntryId, ProjectItem as _}; use rope::Point; use settings::{Settings as _, SettingsStore, update_settings_file}; use std::ffi::OsStr; use std::path::Path; use std::rc::Rc; use std::sync::Arc; use std::time::Duration; use text::ToPoint; use theme::ThemeSettings; use ui::{ Banner, Disclosure, KeyBinding, PopoverMenuHandle, Scrollbar, ScrollbarState, TextSize, Tooltip, prelude::*, }; use util::ResultExt as _; use util::markdown::MarkdownCodeBlock; use workspace::{CollaboratorId, Workspace}; use zed_actions::assistant::OpenRulesLibrary; const CODEBLOCK_CONTAINER_GROUP: &str = "codeblock_container"; const EDIT_PREVIOUS_MESSAGE_MIN_LINES: usize = 1; const RESPONSE_PADDING_X: Pixels = px(19.); pub struct ActiveThread { context_store: Entity, language_registry: Arc, thread_store: Entity, text_thread_store: Entity, thread: Entity, workspace: WeakEntity, save_thread_task: Option>, messages: Vec, list_state: ListState, scrollbar_state: ScrollbarState, rendered_messages_by_id: HashMap, rendered_tool_uses: HashMap, editing_message: Option<(MessageId, EditingMessageState)>, expanded_tool_uses: HashMap, expanded_thinking_segments: HashMap<(MessageId, usize), bool>, expanded_code_blocks: HashMap<(MessageId, usize), bool>, last_error: Option, notifications: Vec>, copied_code_block_ids: HashSet<(MessageId, usize)>, _subscriptions: Vec, notification_subscriptions: HashMap, Vec>, open_feedback_editors: HashMap>, _load_edited_message_context_task: Option>, } struct RenderedMessage { language_registry: Arc, segments: Vec, } #[derive(Clone)] struct RenderedToolUse { label: Entity, input: Entity, output: Entity, } impl RenderedMessage { fn from_segments( segments: &[MessageSegment], language_registry: Arc, cx: &mut App, ) -> Self { let mut this = Self { language_registry, segments: Vec::with_capacity(segments.len()), }; for segment in segments { this.push_segment(segment, cx); } this } fn append_thinking(&mut self, text: &String, cx: &mut App) { if let Some(RenderedMessageSegment::Thinking { content, scroll_handle, }) = self.segments.last_mut() { content.update(cx, |markdown, cx| { markdown.append(text, cx); }); scroll_handle.scroll_to_bottom(); } else { self.segments.push(RenderedMessageSegment::Thinking { content: parse_markdown(text.into(), self.language_registry.clone(), cx), scroll_handle: ScrollHandle::default(), }); } } fn append_text(&mut self, text: &String, cx: &mut App) { if let Some(RenderedMessageSegment::Text(markdown)) = self.segments.last_mut() { markdown.update(cx, |markdown, cx| markdown.append(text, cx)); } else { self.segments .push(RenderedMessageSegment::Text(parse_markdown( SharedString::from(text), self.language_registry.clone(), cx, ))); } } fn push_segment(&mut self, segment: &MessageSegment, cx: &mut App) { match segment { MessageSegment::Thinking { text, .. } => { self.segments.push(RenderedMessageSegment::Thinking { content: parse_markdown(text.into(), self.language_registry.clone(), cx), scroll_handle: ScrollHandle::default(), }) } MessageSegment::Text(text) => { self.segments .push(RenderedMessageSegment::Text(parse_markdown( text.into(), self.language_registry.clone(), cx, ))) } MessageSegment::RedactedThinking(_) => {} }; } } enum RenderedMessageSegment { Thinking { content: Entity, scroll_handle: ScrollHandle, }, Text(Entity), } fn parse_markdown( text: SharedString, language_registry: Arc, cx: &mut App, ) -> Entity { cx.new(|cx| Markdown::new(text, Some(language_registry), None, cx)) } pub(crate) fn default_markdown_style(window: &Window, cx: &App) -> MarkdownStyle { let theme_settings = ThemeSettings::get_global(cx); let colors = cx.theme().colors(); let ui_font_size = TextSize::Default.rems(cx); let buffer_font_size = TextSize::Small.rems(cx); let mut text_style = window.text_style(); let line_height = buffer_font_size * 1.75; text_style.refine(&TextStyleRefinement { font_family: Some(theme_settings.ui_font.family.clone()), font_fallbacks: theme_settings.ui_font.fallbacks.clone(), font_features: Some(theme_settings.ui_font.features.clone()), font_size: Some(ui_font_size.into()), line_height: Some(line_height.into()), color: Some(cx.theme().colors().text), ..Default::default() }); MarkdownStyle { base_text_style: text_style.clone(), syntax: cx.theme().syntax().clone(), selection_background_color: cx.theme().colors().element_selection_background, code_block_overflow_x_scroll: true, table_overflow_x_scroll: true, heading_level_styles: Some(HeadingLevelStyles { h1: Some(TextStyleRefinement { font_size: Some(rems(1.15).into()), ..Default::default() }), h2: Some(TextStyleRefinement { font_size: Some(rems(1.1).into()), ..Default::default() }), h3: Some(TextStyleRefinement { font_size: Some(rems(1.05).into()), ..Default::default() }), h4: Some(TextStyleRefinement { font_size: Some(rems(1.).into()), ..Default::default() }), h5: Some(TextStyleRefinement { font_size: Some(rems(0.95).into()), ..Default::default() }), h6: Some(TextStyleRefinement { font_size: Some(rems(0.875).into()), ..Default::default() }), }), code_block: StyleRefinement { padding: EdgesRefinement { top: Some(DefiniteLength::Absolute(AbsoluteLength::Pixels(Pixels(8.)))), left: Some(DefiniteLength::Absolute(AbsoluteLength::Pixels(Pixels(8.)))), right: Some(DefiniteLength::Absolute(AbsoluteLength::Pixels(Pixels(8.)))), bottom: Some(DefiniteLength::Absolute(AbsoluteLength::Pixels(Pixels(8.)))), }, background: Some(colors.editor_background.into()), text: Some(TextStyleRefinement { font_family: Some(theme_settings.buffer_font.family.clone()), font_fallbacks: theme_settings.buffer_font.fallbacks.clone(), font_features: Some(theme_settings.buffer_font.features.clone()), font_size: Some(buffer_font_size.into()), ..Default::default() }), ..Default::default() }, inline_code: TextStyleRefinement { font_family: Some(theme_settings.buffer_font.family.clone()), font_fallbacks: theme_settings.buffer_font.fallbacks.clone(), font_features: Some(theme_settings.buffer_font.features.clone()), font_size: Some(buffer_font_size.into()), background_color: Some(colors.editor_foreground.opacity(0.08)), ..Default::default() }, link: TextStyleRefinement { background_color: Some(colors.editor_foreground.opacity(0.025)), underline: Some(UnderlineStyle { color: Some(colors.text_accent.opacity(0.5)), thickness: px(1.), ..Default::default() }), ..Default::default() }, link_callback: Some(Rc::new(move |url, cx| { if MentionLink::is_valid(url) { let colors = cx.theme().colors(); Some(TextStyleRefinement { background_color: Some(colors.element_background), ..Default::default() }) } else { None } })), ..Default::default() } } fn tool_use_markdown_style(window: &Window, cx: &mut App) -> MarkdownStyle { let theme_settings = ThemeSettings::get_global(cx); let colors = cx.theme().colors(); let ui_font_size = TextSize::Default.rems(cx); let buffer_font_size = TextSize::Small.rems(cx); let mut text_style = window.text_style(); text_style.refine(&TextStyleRefinement { font_family: Some(theme_settings.ui_font.family.clone()), font_fallbacks: theme_settings.ui_font.fallbacks.clone(), font_features: Some(theme_settings.ui_font.features.clone()), font_size: Some(ui_font_size.into()), color: Some(cx.theme().colors().text), ..Default::default() }); MarkdownStyle { base_text_style: text_style, syntax: cx.theme().syntax().clone(), selection_background_color: cx.theme().colors().element_selection_background, code_block_overflow_x_scroll: false, code_block: StyleRefinement { margin: EdgesRefinement::default(), padding: EdgesRefinement::default(), background: Some(colors.editor_background.into()), border_color: None, border_widths: EdgesRefinement::default(), text: Some(TextStyleRefinement { font_family: Some(theme_settings.buffer_font.family.clone()), font_fallbacks: theme_settings.buffer_font.fallbacks.clone(), font_features: Some(theme_settings.buffer_font.features.clone()), font_size: Some(buffer_font_size.into()), ..Default::default() }), ..Default::default() }, inline_code: TextStyleRefinement { font_family: Some(theme_settings.buffer_font.family.clone()), font_fallbacks: theme_settings.buffer_font.fallbacks.clone(), font_features: Some(theme_settings.buffer_font.features.clone()), font_size: Some(TextSize::XSmall.rems(cx).into()), ..Default::default() }, heading: StyleRefinement { text: Some(TextStyleRefinement { font_size: Some(ui_font_size.into()), ..Default::default() }), ..Default::default() }, ..Default::default() } } fn render_markdown_code_block( message_id: MessageId, ix: usize, kind: &CodeBlockKind, parsed_markdown: &ParsedMarkdown, metadata: CodeBlockMetadata, active_thread: Entity, workspace: WeakEntity, _window: &Window, cx: &App, ) -> Div { let label_size = rems(0.8125); let label = match kind { CodeBlockKind::Indented => None, CodeBlockKind::Fenced => Some( h_flex() .px_1() .gap_1() .child( Icon::new(IconName::Code) .color(Color::Muted) .size(IconSize::XSmall), ) .child(div().text_size(label_size).child("Plain Text")) .into_any_element(), ), CodeBlockKind::FencedLang(raw_language_name) => Some(render_code_language( parsed_markdown.languages_by_name.get(raw_language_name), raw_language_name.clone(), cx, )), CodeBlockKind::FencedSrc(path_range) => path_range.path.file_name().map(|file_name| { // We tell the model to use /dev/null for the path instead of using ```language // because otherwise it consistently fails to use code citations. if path_range.path.starts_with("/dev/null") { let ext = path_range .path .extension() .and_then(OsStr::to_str) .map(|str| SharedString::new(str.to_string())) .unwrap_or_default(); render_code_language( parsed_markdown .languages_by_path .get(&path_range.path) .or_else(|| parsed_markdown.languages_by_name.get(&ext)), ext, cx, ) } else { let content = if let Some(parent) = path_range.path.parent() { let file_name = file_name.to_string_lossy().to_string(); let path = parent.to_string_lossy().to_string(); let path_and_file = format!("{}/{}", path, file_name); h_flex() .id(("code-block-header-label", ix)) .ml_1() .gap_1() .child(div().text_size(label_size).child(file_name)) .child(Label::new(path).color(Color::Muted).size(LabelSize::Small)) .tooltip(move |window, cx| { Tooltip::with_meta( "Jump to File", None, path_and_file.clone(), window, cx, ) }) .into_any_element() } else { div() .ml_1() .text_size(label_size) .child(path_range.path.to_string_lossy().to_string()) .into_any_element() }; h_flex() .id(("code-block-header-button", ix)) .w_full() .max_w_full() .px_1() .gap_0p5() .cursor_pointer() .rounded_sm() .hover(|item| item.bg(cx.theme().colors().element_hover.opacity(0.5))) .child( h_flex() .gap_0p5() .children( file_icons::FileIcons::get_icon(&path_range.path, cx) .map(Icon::from_path) .map(|icon| icon.color(Color::Muted).size(IconSize::XSmall)), ) .child(content) .child( Icon::new(IconName::ArrowUpRight) .size(IconSize::Small) .color(Color::Ignored), ), ) .on_click({ let path_range = path_range.clone(); move |_, window, cx| { workspace .update(cx, |workspace, cx| { open_path(&path_range, window, workspace, cx) }) .ok(); } }) .into_any_element() } }), }; let codeblock_was_copied = active_thread .read(cx) .copied_code_block_ids .contains(&(message_id, ix)); let is_expanded = active_thread.read(cx).is_codeblock_expanded(message_id, ix); let codeblock_header_bg = cx .theme() .colors() .element_background .blend(cx.theme().colors().editor_foreground.opacity(0.025)); let control_buttons = h_flex() .visible_on_hover(CODEBLOCK_CONTAINER_GROUP) .absolute() .top_0() .right_0() .h_full() .bg(codeblock_header_bg) .rounded_tr_md() .px_1() .gap_1() .child( IconButton::new( ("copy-markdown-code", ix), if codeblock_was_copied { IconName::Check } else { IconName::Copy }, ) .icon_color(Color::Muted) .shape(ui::IconButtonShape::Square) .tooltip(Tooltip::text("Copy Code")) .on_click({ let active_thread = active_thread.clone(); let parsed_markdown = parsed_markdown.clone(); let code_block_range = metadata.content_range.clone(); move |_event, _window, cx| { active_thread.update(cx, |this, cx| { this.copied_code_block_ids.insert((message_id, ix)); let code = parsed_markdown.source()[code_block_range.clone()].to_string(); cx.write_to_clipboard(ClipboardItem::new_string(code)); cx.spawn(async move |this, cx| { cx.background_executor().timer(Duration::from_secs(2)).await; cx.update(|cx| { this.update(cx, |this, cx| { this.copied_code_block_ids.remove(&(message_id, ix)); cx.notify(); }) }) .ok(); }) .detach(); }); } }), ) .child( IconButton::new( ("expand-collapse-code", ix), if is_expanded { IconName::ChevronUp } else { IconName::ChevronDown }, ) .icon_color(Color::Muted) .shape(ui::IconButtonShape::Square) .tooltip(Tooltip::text(if is_expanded { "Collapse Code" } else { "Expand Code" })) .on_click({ let active_thread = active_thread.clone(); move |_event, _window, cx| { active_thread.update(cx, |this, cx| { this.toggle_codeblock_expanded(message_id, ix); cx.notify(); }); } }), ); let codeblock_header = h_flex() .relative() .p_1() .gap_1() .justify_between() .bg(codeblock_header_bg) .map(|this| { if !is_expanded { this.rounded_md() } else { this.rounded_t_md() .border_b_1() .border_color(cx.theme().colors().border.opacity(0.6)) } }) .children(label) .child(control_buttons); v_flex() .group(CODEBLOCK_CONTAINER_GROUP) .my_2() .overflow_hidden() .rounded_md() .border_1() .border_color(cx.theme().colors().border.opacity(0.6)) .bg(cx.theme().colors().editor_background) .child(codeblock_header) .when(!is_expanded, |this| this.h(rems_from_px(31.))) } fn open_path( path_range: &PathWithRange, window: &mut Window, workspace: &mut Workspace, cx: &mut Context<'_, Workspace>, ) { let Some(project_path) = workspace .project() .read(cx) .find_project_path(&path_range.path, cx) else { return; // TODO instead of just bailing out, open that path in a buffer. }; let Some(target) = path_range.range.as_ref().map(|range| { Point::new( // Line number is 1-based range.start.line.saturating_sub(1), range.start.col.unwrap_or(0), ) }) else { return; }; let open_task = workspace.open_path(project_path, None, true, window, cx); window .spawn(cx, async move |cx| { let item = open_task.await?; if let Some(active_editor) = item.downcast::() { active_editor .update_in(cx, |editor, window, cx| { editor.go_to_singleton_buffer_point(target, window, cx); }) .ok(); } anyhow::Ok(()) }) .detach_and_log_err(cx); } fn render_code_language( language: Option<&Arc>, name_fallback: SharedString, cx: &App, ) -> AnyElement { let icon_path = language.and_then(|language| { language .config() .matcher .path_suffixes .iter() .find_map(|extension| file_icons::FileIcons::get_icon(Path::new(extension), cx)) .map(Icon::from_path) }); let language_label = language .map(|language| language.name().into()) .unwrap_or(name_fallback); let label_size = rems(0.8125); h_flex() .px_1() .gap_1p5() .children(icon_path.map(|icon| icon.color(Color::Muted).size(IconSize::XSmall))) .child(div().text_size(label_size).child(language_label)) .into_any_element() } fn open_markdown_link( text: SharedString, workspace: WeakEntity, window: &mut Window, cx: &mut App, ) { let Some(workspace) = workspace.upgrade() else { cx.open_url(&text); return; }; match MentionLink::try_parse(&text, &workspace, cx) { Some(MentionLink::File(path, entry)) => workspace.update(cx, |workspace, cx| { if entry.is_dir() { workspace.project().update(cx, |_, cx| { cx.emit(project::Event::RevealInProjectPanel(entry.id)); }) } else { workspace .open_path(path, None, true, window, cx) .detach_and_log_err(cx); } }), Some(MentionLink::Symbol(path, symbol_name)) => { let open_task = workspace.update(cx, |workspace, cx| { workspace.open_path(path, None, true, window, cx) }); window .spawn(cx, async move |cx| { let active_editor = open_task .await? .downcast::() .context("Item is not an editor")?; active_editor.update_in(cx, |editor, window, cx| { let symbol_range = editor .buffer() .read(cx) .snapshot(cx) .outline(None) .and_then(|outline| { outline .find_most_similar(&symbol_name) .map(|(_, item)| item.range.clone()) }) .context("Could not find matching symbol")?; editor.change_selections( SelectionEffects::scroll(Autoscroll::center()), window, cx, |s| s.select_anchor_ranges([symbol_range.start..symbol_range.start]), ); anyhow::Ok(()) }) }) .detach_and_log_err(cx); } Some(MentionLink::Selection(path, line_range)) => { let open_task = workspace.update(cx, |workspace, cx| { workspace.open_path(path, None, true, window, cx) }); window .spawn(cx, async move |cx| { let active_editor = open_task .await? .downcast::() .context("Item is not an editor")?; active_editor.update_in(cx, |editor, window, cx| { editor.change_selections( SelectionEffects::scroll(Autoscroll::center()), window, cx, |s| { s.select_ranges([Point::new(line_range.start as u32, 0) ..Point::new(line_range.start as u32, 0)]) }, ); anyhow::Ok(()) }) }) .detach_and_log_err(cx); } Some(MentionLink::Thread(thread_id)) => workspace.update(cx, |workspace, cx| { if let Some(panel) = workspace.panel::(cx) { panel.update(cx, |panel, cx| { panel .open_thread_by_id(&thread_id, window, cx) .detach_and_log_err(cx) }); } }), Some(MentionLink::TextThread(path)) => workspace.update(cx, |workspace, cx| { if let Some(panel) = workspace.panel::(cx) { panel.update(cx, |panel, cx| { panel .open_saved_prompt_editor(path, window, cx) .detach_and_log_err(cx); }); } }), Some(MentionLink::Fetch(url)) => cx.open_url(&url), Some(MentionLink::Rule(prompt_id)) => window.dispatch_action( Box::new(OpenRulesLibrary { prompt_to_select: Some(prompt_id.0), }), cx, ), None => cx.open_url(&text), } } struct EditingMessageState { editor: Entity, context_strip: Entity, context_picker_menu_handle: PopoverMenuHandle, last_estimated_token_count: Option, _subscriptions: [Subscription; 2], _update_token_count_task: Option>, } impl ActiveThread { pub fn new( thread: Entity, thread_store: Entity, text_thread_store: Entity, context_store: Entity, language_registry: Arc, workspace: WeakEntity, window: &mut Window, cx: &mut Context, ) -> Self { let subscriptions = vec![ cx.observe(&thread, |_, _, cx| cx.notify()), cx.subscribe_in(&thread, window, Self::handle_thread_event), cx.subscribe(&thread_store, Self::handle_rules_loading_error), cx.observe_global::(|_, cx| cx.notify()), ]; let list_state = ListState::new(0, ListAlignment::Bottom, px(2048.)); let workspace_subscription = if let Some(workspace) = workspace.upgrade() { Some(cx.observe_release(&workspace, |this, _, cx| { this.dismiss_notifications(cx); })) } else { None }; let mut this = Self { language_registry, thread_store, text_thread_store, context_store, thread: thread.clone(), workspace, save_thread_task: None, messages: Vec::new(), rendered_messages_by_id: HashMap::default(), rendered_tool_uses: HashMap::default(), expanded_tool_uses: HashMap::default(), expanded_thinking_segments: HashMap::default(), expanded_code_blocks: HashMap::default(), list_state: list_state.clone(), scrollbar_state: ScrollbarState::new(list_state).parent_entity(&cx.entity()), editing_message: None, last_error: None, copied_code_block_ids: HashSet::default(), notifications: Vec::new(), _subscriptions: subscriptions, notification_subscriptions: HashMap::default(), open_feedback_editors: HashMap::default(), _load_edited_message_context_task: None, }; for message in thread.read(cx).messages().cloned().collect::>() { let rendered_message = RenderedMessage::from_segments( &message.segments, this.language_registry.clone(), cx, ); this.push_rendered_message(message.id, rendered_message); for tool_use in thread.read(cx).tool_uses_for_message(message.id, cx) { this.render_tool_use_markdown( tool_use.id.clone(), tool_use.ui_text.clone(), &serde_json::to_string_pretty(&tool_use.input).unwrap_or_default(), tool_use.status.text(), cx, ); } } if let Some(subscription) = workspace_subscription { this._subscriptions.push(subscription); } this } pub fn thread(&self) -> &Entity { &self.thread } pub fn is_empty(&self) -> bool { self.messages.is_empty() } pub fn summary<'a>(&'a self, cx: &'a App) -> &'a ThreadSummary { self.thread.read(cx).summary() } pub fn regenerate_summary(&self, cx: &mut App) { self.thread.update(cx, |thread, cx| thread.summarize(cx)) } pub fn cancel_last_completion(&mut self, window: &mut Window, cx: &mut App) -> bool { self.last_error.take(); self.thread.update(cx, |thread, cx| { thread.cancel_last_completion(Some(window.window_handle()), cx) }) } pub fn last_error(&self) -> Option { self.last_error.clone() } pub fn clear_last_error(&mut self) { self.last_error.take(); } /// Returns the editing message id and the estimated token count in the content pub fn editing_message_id(&self) -> Option<(MessageId, u64)> { self.editing_message .as_ref() .map(|(id, state)| (*id, state.last_estimated_token_count.unwrap_or(0))) } pub fn context_store(&self) -> &Entity { &self.context_store } pub fn thread_store(&self) -> &Entity { &self.thread_store } pub fn text_thread_store(&self) -> &Entity { &self.text_thread_store } fn push_rendered_message(&mut self, id: MessageId, rendered_message: RenderedMessage) { let old_len = self.messages.len(); self.messages.push(id); self.list_state.splice(old_len..old_len, 1); self.rendered_messages_by_id.insert(id, rendered_message); } fn deleted_message(&mut self, id: &MessageId) { let Some(index) = self.messages.iter().position(|message_id| message_id == id) else { return; }; self.messages.remove(index); self.list_state.splice(index..index + 1, 0); self.rendered_messages_by_id.remove(id); } fn render_tool_use_markdown( &mut self, tool_use_id: LanguageModelToolUseId, tool_label: impl Into, tool_input: &str, tool_output: SharedString, cx: &mut Context, ) { let rendered = self .rendered_tool_uses .entry(tool_use_id.clone()) .or_insert_with(|| RenderedToolUse { label: cx.new(|cx| { Markdown::new("".into(), Some(self.language_registry.clone()), None, cx) }), input: cx.new(|cx| { Markdown::new("".into(), Some(self.language_registry.clone()), None, cx) }), output: cx.new(|cx| { Markdown::new("".into(), Some(self.language_registry.clone()), None, cx) }), }); rendered.label.update(cx, |this, cx| { this.replace(tool_label, cx); }); rendered.input.update(cx, |this, cx| { this.replace( MarkdownCodeBlock { tag: "json", text: tool_input, } .to_string(), cx, ); }); rendered.output.update(cx, |this, cx| { this.replace(tool_output, cx); }); } fn handle_thread_event( &mut self, _thread: &Entity, event: &ThreadEvent, window: &mut Window, cx: &mut Context, ) { match event { ThreadEvent::CancelEditing => { if self.editing_message.is_some() { self.cancel_editing_message(&menu::Cancel, window, cx); } } ThreadEvent::ShowError(error) => { self.last_error = Some(error.clone()); } ThreadEvent::NewRequest => { cx.notify(); } ThreadEvent::CompletionCanceled => { self.thread.update(cx, |thread, cx| { thread.project().update(cx, |project, cx| { project.set_agent_location(None, cx); }) }); self.workspace .update(cx, |workspace, cx| { if workspace.is_being_followed(CollaboratorId::Agent) { workspace.unfollow(CollaboratorId::Agent, window, cx); } }) .ok(); cx.notify(); } ThreadEvent::StreamedCompletion | ThreadEvent::SummaryGenerated | ThreadEvent::SummaryChanged => { self.save_thread(cx); } ThreadEvent::Stopped(reason) => { match reason { Ok(StopReason::EndTurn | StopReason::MaxTokens) => { let used_tools = self.thread.read(cx).used_tools_since_last_user_message(); self.notify_with_sound( if used_tools { "Finished running tools" } else { "New message" }, IconName::ZedAssistant, window, cx, ); } Ok(StopReason::ToolUse) => { // Don't notify for intermediate tool use } Ok(StopReason::Refusal) => { self.notify_with_sound( "Language model refused to respond", IconName::Warning, window, cx, ); } Err(error) => { self.notify_with_sound( "Agent stopped due to an error", IconName::Warning, window, cx, ); let error_message = error .chain() .map(|err| err.to_string()) .collect::>() .join("\n"); self.last_error = Some(ThreadError::Message { header: "Error".into(), message: error_message.into(), }); } } } ThreadEvent::ToolConfirmationNeeded => { self.notify_with_sound("Waiting for tool confirmation", IconName::Info, window, cx); } ThreadEvent::ToolUseLimitReached => { self.notify_with_sound( "Consecutive tool use limit reached.", IconName::Warning, window, cx, ); } ThreadEvent::StreamedAssistantText(message_id, text) => { if let Some(rendered_message) = self.rendered_messages_by_id.get_mut(message_id) { rendered_message.append_text(text, cx); } } ThreadEvent::StreamedAssistantThinking(message_id, text) => { if let Some(rendered_message) = self.rendered_messages_by_id.get_mut(message_id) { rendered_message.append_thinking(text, cx); } } ThreadEvent::MessageAdded(message_id) => { self.clear_last_error(); if let Some(rendered_message) = self.thread.update(cx, |thread, cx| { thread.message(*message_id).map(|message| { RenderedMessage::from_segments( &message.segments, self.language_registry.clone(), cx, ) }) }) { self.push_rendered_message(*message_id, rendered_message); } self.save_thread(cx); cx.notify(); } ThreadEvent::MessageEdited(message_id) => { self.clear_last_error(); if let Some(index) = self.messages.iter().position(|id| id == message_id) && let Some(rendered_message) = self.thread.update(cx, |thread, cx| { thread.message(*message_id).map(|message| { let mut rendered_message = RenderedMessage { language_registry: self.language_registry.clone(), segments: Vec::with_capacity(message.segments.len()), }; for segment in &message.segments { rendered_message.push_segment(segment, cx); } rendered_message }) }) { self.list_state.splice(index..index + 1, 1); self.rendered_messages_by_id .insert(*message_id, rendered_message); self.scroll_to_bottom(cx); self.save_thread(cx); cx.notify(); } } ThreadEvent::MessageDeleted(message_id) => { self.deleted_message(message_id); self.save_thread(cx); cx.notify(); } ThreadEvent::UsePendingTools { tool_uses } => { for tool_use in tool_uses { self.render_tool_use_markdown( tool_use.id.clone(), tool_use.ui_text.clone(), &serde_json::to_string_pretty(&tool_use.input).unwrap_or_default(), "".into(), cx, ); } } ThreadEvent::StreamedToolUse { tool_use_id, ui_text, input, } => { self.render_tool_use_markdown( tool_use_id.clone(), ui_text.clone(), &serde_json::to_string_pretty(&input).unwrap_or_default(), "".into(), cx, ); } ThreadEvent::ToolFinished { pending_tool_use, .. } => { if let Some(tool_use) = pending_tool_use { self.render_tool_use_markdown( tool_use.id.clone(), tool_use.ui_text.clone(), &serde_json::to_string_pretty(&tool_use.input).unwrap_or_default(), self.thread .read(cx) .output_for_tool(&tool_use.id) .map(|output| output.clone().into()) .unwrap_or("".into()), cx, ); } } ThreadEvent::CheckpointChanged => cx.notify(), ThreadEvent::ReceivedTextChunk => {} ThreadEvent::InvalidToolInput { tool_use_id, ui_text, invalid_input_json, } => { self.render_tool_use_markdown( tool_use_id.clone(), ui_text, invalid_input_json, self.thread .read(cx) .output_for_tool(tool_use_id) .map(|output| output.clone().into()) .unwrap_or("".into()), cx, ); } ThreadEvent::MissingToolUse { tool_use_id, ui_text, } => { self.render_tool_use_markdown( tool_use_id.clone(), ui_text, "", self.thread .read(cx) .output_for_tool(tool_use_id) .map(|output| output.clone().into()) .unwrap_or("".into()), cx, ); } ThreadEvent::ProfileChanged => { self.save_thread(cx); cx.notify(); } } } fn handle_rules_loading_error( &mut self, _thread_store: Entity, error: &RulesLoadingError, cx: &mut Context, ) { self.last_error = Some(ThreadError::Message { header: "Error loading rules file".into(), message: error.message.clone(), }); cx.notify(); } fn play_notification_sound(&self, window: &Window, cx: &mut App) { let settings = AgentSettings::get_global(cx); if settings.play_sound_when_agent_done && !window.is_window_active() { Audio::play_sound(Sound::AgentDone, cx); } } fn show_notification( &mut self, caption: impl Into, icon: IconName, window: &mut Window, cx: &mut Context, ) { if window.is_window_active() || !self.notifications.is_empty() { return; } let title = self.thread.read(cx).summary().unwrap_or("Agent Panel"); match AgentSettings::get_global(cx).notify_when_agent_waiting { NotifyWhenAgentWaiting::PrimaryScreen => { if let Some(primary) = cx.primary_display() { self.pop_up(icon, caption.into(), title.clone(), window, primary, cx); } } NotifyWhenAgentWaiting::AllScreens => { let caption = caption.into(); for screen in cx.displays() { self.pop_up(icon, caption.clone(), title.clone(), window, screen, cx); } } NotifyWhenAgentWaiting::Never => { // Don't show anything } } } fn notify_with_sound( &mut self, caption: impl Into, icon: IconName, window: &mut Window, cx: &mut Context, ) { self.play_notification_sound(window, cx); self.show_notification(caption, icon, window, cx); } fn pop_up( &mut self, icon: IconName, caption: SharedString, title: SharedString, window: &mut Window, screen: Rc, cx: &mut Context<'_, ActiveThread>, ) { let options = AgentNotification::window_options(screen, cx); let project_name = self.workspace.upgrade().and_then(|workspace| { workspace .read(cx) .project() .read(cx) .visible_worktrees(cx) .next() .map(|worktree| worktree.read(cx).root_name().to_string()) }); if let Some(screen_window) = cx .open_window(options, |_, cx| { cx.new(|_| { AgentNotification::new(title.clone(), caption.clone(), icon, project_name) }) }) .log_err() && let Some(pop_up) = screen_window.entity(cx).log_err() { self.notification_subscriptions .entry(screen_window) .or_insert_with(Vec::new) .push(cx.subscribe_in(&pop_up, window, { |this, _, event, window, cx| match event { AgentNotificationEvent::Accepted => { let handle = window.window_handle(); cx.activate(true); let workspace_handle = this.workspace.clone(); // If there are multiple Zed windows, activate the correct one. cx.defer(move |cx| { handle .update(cx, |_view, window, _cx| { window.activate_window(); if let Some(workspace) = workspace_handle.upgrade() { workspace.update(_cx, |workspace, cx| { workspace.focus_panel::(window, cx); }); } }) .log_err(); }); this.dismiss_notifications(cx); } AgentNotificationEvent::Dismissed => { this.dismiss_notifications(cx); } } })); self.notifications.push(screen_window); // If the user manually refocuses the original window, dismiss the popup. self.notification_subscriptions .entry(screen_window) .or_insert_with(Vec::new) .push({ let pop_up_weak = pop_up.downgrade(); cx.observe_window_activation(window, move |_, window, cx| { if window.is_window_active() && let Some(pop_up) = pop_up_weak.upgrade() { pop_up.update(cx, |_, cx| { cx.emit(AgentNotificationEvent::Dismissed); }); } }) }); } } /// Spawns a task to save the active thread. /// /// Only one task to save the thread will be in flight at a time. fn save_thread(&mut self, cx: &mut Context) { let thread = self.thread.clone(); self.save_thread_task = Some(cx.spawn(async move |this, cx| { let task = this .update(cx, |this, cx| { this.thread_store .update(cx, |thread_store, cx| thread_store.save_thread(&thread, cx)) }) .ok(); if let Some(task) = task { task.await.log_err(); } })); } fn start_editing_message( &mut self, message_id: MessageId, message_text: impl Into>, message_creases: &[MessageCrease], window: &mut Window, cx: &mut Context, ) { let editor = crate::message_editor::create_editor( self.workspace.clone(), self.context_store.downgrade(), self.thread_store.downgrade(), self.text_thread_store.downgrade(), EDIT_PREVIOUS_MESSAGE_MIN_LINES, None, window, cx, ); editor.update(cx, |editor, cx| { editor.set_text(message_text, window, cx); insert_message_creases(editor, message_creases, &self.context_store, window, cx); editor.focus_handle(cx).focus(window); editor.move_to_end(&editor::actions::MoveToEnd, window, cx); }); let buffer_edited_subscription = cx.subscribe(&editor, |this, _, event: &EditorEvent, cx| { if event == &EditorEvent::BufferEdited { this.update_editing_message_token_count(true, cx); } }); let context_picker_menu_handle = PopoverMenuHandle::default(); let context_strip = cx.new(|cx| { ContextStrip::new( self.context_store.clone(), self.workspace.clone(), Some(self.thread_store.downgrade()), Some(self.text_thread_store.downgrade()), context_picker_menu_handle.clone(), SuggestContextKind::File, ModelUsageContext::Thread(self.thread.clone()), window, cx, ) }); let context_strip_subscription = cx.subscribe_in(&context_strip, window, Self::handle_context_strip_event); self.editing_message = Some(( message_id, EditingMessageState { editor: editor.clone(), context_strip, context_picker_menu_handle, last_estimated_token_count: None, _subscriptions: [buffer_edited_subscription, context_strip_subscription], _update_token_count_task: None, }, )); self.update_editing_message_token_count(false, cx); cx.notify(); } fn handle_context_strip_event( &mut self, _context_strip: &Entity, event: &ContextStripEvent, window: &mut Window, cx: &mut Context, ) { if let Some((_, state)) = self.editing_message.as_ref() { match event { ContextStripEvent::PickerDismissed | ContextStripEvent::BlurredEmpty | ContextStripEvent::BlurredDown => { let editor_focus_handle = state.editor.focus_handle(cx); window.focus(&editor_focus_handle); } ContextStripEvent::BlurredUp => {} } } } fn update_editing_message_token_count(&mut self, debounce: bool, cx: &mut Context) { let Some((message_id, state)) = self.editing_message.as_mut() else { return; }; cx.emit(ActiveThreadEvent::EditingMessageTokenCountChanged); state._update_token_count_task.take(); let Some(configured_model) = self.thread.read(cx).configured_model() else { state.last_estimated_token_count.take(); return; }; let editor = state.editor.clone(); let thread = self.thread.clone(); let message_id = *message_id; state._update_token_count_task = Some(cx.spawn(async move |this, cx| { if debounce { cx.background_executor() .timer(Duration::from_millis(200)) .await; } let token_count = if let Some(task) = cx .update(|cx| { let Some(message) = thread.read(cx).message(message_id) else { log::error!("Message that was being edited no longer exists"); return None; }; let message_text = editor.read(cx).text(cx); if message_text.is_empty() && message.loaded_context.is_empty() { return None; } let mut request_message = LanguageModelRequestMessage { role: language_model::Role::User, content: Vec::new(), cache: false, }; message .loaded_context .add_to_request_message(&mut request_message); if !message_text.is_empty() { request_message .content .push(MessageContent::Text(message_text)); } let request = language_model::LanguageModelRequest { thread_id: None, prompt_id: None, intent: None, mode: None, messages: vec![request_message], tools: vec![], tool_choice: None, stop: vec![], temperature: AgentSettings::temperature_for_model( &configured_model.model, cx, ), thinking_allowed: true, }; Some(configured_model.model.count_tokens(request, cx)) }) .ok() .flatten() { task.await.log_err() } else { Some(0) }; if let Some(token_count) = token_count { this.update(cx, |this, cx| { let Some((_message_id, state)) = this.editing_message.as_mut() else { return; }; state.last_estimated_token_count = Some(token_count); cx.emit(ActiveThreadEvent::EditingMessageTokenCountChanged); }) .ok(); }; })); } fn toggle_context_picker( &mut self, _: &crate::ToggleContextPicker, window: &mut Window, cx: &mut Context, ) { if let Some((_, state)) = self.editing_message.as_mut() { let handle = state.context_picker_menu_handle.clone(); window.defer(cx, move |window, cx| { handle.toggle(window, cx); }); } } fn remove_all_context( &mut self, _: &crate::RemoveAllContext, _window: &mut Window, cx: &mut Context, ) { self.context_store.update(cx, |store, cx| store.clear(cx)); cx.notify(); } fn move_up(&mut self, _: &MoveUp, window: &mut Window, cx: &mut Context) { if let Some((_, state)) = self.editing_message.as_mut() { if state.context_picker_menu_handle.is_deployed() { cx.propagate(); } else { state.context_strip.focus_handle(cx).focus(window); } } } fn paste(&mut self, _: &Paste, _window: &mut Window, cx: &mut Context) { attach_pasted_images_as_context(&self.context_store, cx); } fn cancel_editing_message( &mut self, _: &menu::Cancel, window: &mut Window, cx: &mut Context, ) { self.editing_message.take(); cx.notify(); if let Some(workspace) = self.workspace.upgrade() { workspace.update(cx, |workspace, cx| { if let Some(panel) = workspace.panel::(cx) { panel.focus_handle(cx).focus(window); } }); } } fn confirm_editing_message( &mut self, _: &menu::Confirm, window: &mut Window, cx: &mut Context, ) { let Some((message_id, state)) = self.editing_message.take() else { return; }; let Some(model) = self .thread .update(cx, |thread, cx| thread.get_or_init_configured_model(cx)) else { return; }; if model.provider.must_accept_terms(cx) { cx.notify(); return; } let edited_text = state.editor.read(cx).text(cx); let creases = state.editor.update(cx, extract_message_creases); let new_context = self .context_store .read(cx) .new_context_for_thread(self.thread.read(cx), Some(message_id)); let project = self.thread.read(cx).project().clone(); let prompt_store = self.thread_store.read(cx).prompt_store().clone(); let git_store = project.read(cx).git_store().clone(); let checkpoint = git_store.update(cx, |git_store, cx| git_store.checkpoint(cx)); let load_context_task = context::load_context(new_context, &project, &prompt_store, cx); self._load_edited_message_context_task = Some(cx.spawn_in(window, async move |this, cx| { let (context, checkpoint) = futures::future::join(load_context_task, checkpoint).await; let _ = this .update_in(cx, |this, window, cx| { this.thread.update(cx, |thread, cx| { thread.edit_message( message_id, Role::User, vec![MessageSegment::Text(edited_text)], creases, Some(context.loaded_context), checkpoint.ok(), cx, ); for message_id in this.messages_after(message_id) { thread.delete_message(*message_id, cx); } }); this.thread.update(cx, |thread, cx| { thread.advance_prompt_id(); thread.cancel_last_completion(Some(window.window_handle()), cx); thread.send_to_model( model.model, CompletionIntent::UserPrompt, Some(window.window_handle()), cx, ); }); this._load_edited_message_context_task = None; cx.notify(); }) .log_err(); })); if let Some(workspace) = self.workspace.upgrade() { workspace.update(cx, |workspace, cx| { if let Some(panel) = workspace.panel::(cx) { panel.focus_handle(cx).focus(window); } }); } } fn messages_after(&self, message_id: MessageId) -> &[MessageId] { self.messages .iter() .position(|id| *id == message_id) .map(|index| &self.messages[index + 1..]) .unwrap_or(&[]) } fn handle_cancel_click(&mut self, _: &ClickEvent, window: &mut Window, cx: &mut Context) { self.cancel_editing_message(&menu::Cancel, window, cx); } fn handle_regenerate_click( &mut self, _: &ClickEvent, window: &mut Window, cx: &mut Context, ) { self.confirm_editing_message(&menu::Confirm, window, cx); } fn handle_feedback_click( &mut self, message_id: MessageId, feedback: ThreadFeedback, window: &mut Window, cx: &mut Context, ) { let report = self.thread.update(cx, |thread, cx| { thread.report_message_feedback(message_id, feedback, cx) }); cx.spawn(async move |this, cx| { report.await?; this.update(cx, |_this, cx| cx.notify()) }) .detach_and_log_err(cx); match feedback { ThreadFeedback::Positive => { self.open_feedback_editors.remove(&message_id); } ThreadFeedback::Negative => { self.handle_show_feedback_comments(message_id, window, cx); } } } fn handle_show_feedback_comments( &mut self, message_id: MessageId, window: &mut Window, cx: &mut Context, ) { let buffer = cx.new(|cx| { let empty_string = String::new(); MultiBuffer::singleton(cx.new(|cx| Buffer::local(empty_string, cx)), cx) }); let editor = cx.new(|cx| { let mut editor = Editor::new( editor::EditorMode::AutoHeight { min_lines: 1, max_lines: Some(4), }, buffer, None, window, cx, ); editor.set_placeholder_text( "What went wrong? Share your feedback so we can improve.", cx, ); editor }); editor.read(cx).focus_handle(cx).focus(window); self.open_feedback_editors.insert(message_id, editor); cx.notify(); } fn submit_feedback_message(&mut self, message_id: MessageId, cx: &mut Context) { let Some(editor) = self.open_feedback_editors.get(&message_id) else { return; }; let report_task = self.thread.update(cx, |thread, cx| { thread.report_message_feedback(message_id, ThreadFeedback::Negative, cx) }); let comments = editor.read(cx).text(cx); if !comments.is_empty() { let thread_id = self.thread.read(cx).id().clone(); let comments_value = String::from(comments.as_str()); let message_content = self .thread .read(cx) .message(message_id) .map(|msg| msg.to_message_content()) .unwrap_or_default(); telemetry::event!( "Assistant Thread Feedback Comments", thread_id, message_id = message_id.as_usize(), message_content, comments = comments_value ); self.open_feedback_editors.remove(&message_id); cx.spawn(async move |this, cx| { report_task.await?; this.update(cx, |_this, cx| cx.notify()) }) .detach_and_log_err(cx); } } fn render_edit_message_editor( &self, state: &EditingMessageState, _window: &mut Window, cx: &Context, ) -> impl IntoElement { let settings = ThemeSettings::get_global(cx); let font_size = TextSize::Small .rems(cx) .to_pixels(settings.agent_font_size(cx)); let line_height = font_size * 1.75; let colors = cx.theme().colors(); let text_style = TextStyle { color: 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() }; v_flex() .key_context("EditMessageEditor") .on_action(cx.listener(Self::toggle_context_picker)) .on_action(cx.listener(Self::remove_all_context)) .on_action(cx.listener(Self::move_up)) .on_action(cx.listener(Self::cancel_editing_message)) .on_action(cx.listener(Self::confirm_editing_message)) .capture_action(cx.listener(Self::paste)) .min_h_6() .w_full() .flex_grow() .gap_2() .child(state.context_strip.clone()) .child(div().pt(px(-3.)).px_neg_0p5().child(EditorElement::new( &state.editor, EditorStyle { background: colors.editor_background, local_player: cx.theme().players().local(), text: text_style, syntax: cx.theme().syntax().clone(), ..Default::default() }, ))) } fn render_message( &mut self, ix: usize, window: &mut Window, cx: &mut Context, ) -> AnyElement { let message_id = self.messages[ix]; let workspace = self.workspace.clone(); let thread = self.thread.read(cx); let is_first_message = ix == 0; let is_last_message = ix == self.messages.len() - 1; let Some(message) = thread.message(message_id) else { return Empty.into_any(); }; let is_generating = thread.is_generating(); let is_generating_stale = thread.is_generation_stale().unwrap_or(false); let loading_dots = (is_generating && is_last_message).then(|| { h_flex() .h_8() .my_3() .mx_5() .when(is_generating_stale || message.is_hidden, |this| { this.child(LoadingLabel::new("").size(LabelSize::Small)) }) }); if message.is_hidden { return div().children(loading_dots).into_any(); } let Some(rendered_message) = self.rendered_messages_by_id.get(&message_id) else { return Empty.into_any(); }; // Get all the data we need from thread before we start using it in closures let checkpoint = thread.checkpoint_for_message(message_id); let configured_model = thread.configured_model().map(|m| m.model); let added_context = thread .context_for_message(message_id) .map(|context| AddedContext::new_attached(context, configured_model.as_ref(), cx)) .collect::>(); let tool_uses = thread.tool_uses_for_message(message_id, cx); let has_tool_uses = !tool_uses.is_empty(); let editing_message_state = self .editing_message .as_ref() .filter(|(id, _)| *id == message_id) .map(|(_, state)| state); let (editor_bg_color, panel_bg) = { let colors = cx.theme().colors(); (colors.editor_background, colors.panel_background) }; let open_as_markdown = IconButton::new(("open-as-markdown", ix), IconName::FileMarkdown) .shape(ui::IconButtonShape::Square) .icon_size(IconSize::Small) .icon_color(Color::Ignored) .tooltip(Tooltip::text("Open Thread as Markdown")) .on_click({ let thread = self.thread.clone(); let workspace = self.workspace.clone(); move |_, window, cx| { if let Some(workspace) = workspace.upgrade() { open_active_thread_as_markdown(thread.clone(), workspace, window, cx) .detach_and_log_err(cx); } } }); let scroll_to_top = IconButton::new(("scroll_to_top", ix), IconName::ArrowUp) .shape(ui::IconButtonShape::Square) .icon_size(IconSize::Small) .icon_color(Color::Ignored) .tooltip(Tooltip::text("Scroll To Top")) .on_click(cx.listener(move |this, _, _, cx| { this.scroll_to_top(cx); })); let show_feedback = thread.is_turn_end(ix); let feedback_container = h_flex() .group("feedback_container") .mt_1() .py_2() .px(RESPONSE_PADDING_X) .mr_1() .gap_1() .opacity(0.4) .hover(|style| style.opacity(1.)) .gap_1p5() .flex_wrap() .justify_end(); let feedback_items = match self.thread.read(cx).message_feedback(message_id) { Some(feedback) => feedback_container .child( div().visible_on_hover("feedback_container").child( Label::new(match feedback { ThreadFeedback::Positive => "Thanks for your feedback!", ThreadFeedback::Negative => { "We appreciate your feedback and will use it to improve." } }) .color(Color::Muted) .size(LabelSize::XSmall) .truncate()) ) .child( h_flex() .child( IconButton::new(("feedback-thumbs-up", ix), IconName::ThumbsUp) .shape(ui::IconButtonShape::Square) .icon_size(IconSize::Small) .icon_color(match feedback { ThreadFeedback::Positive => Color::Accent, ThreadFeedback::Negative => Color::Ignored, }) .tooltip(Tooltip::text("Helpful Response")) .on_click(cx.listener(move |this, _, window, cx| { this.handle_feedback_click( message_id, ThreadFeedback::Positive, window, cx, ); })), ) .child( IconButton::new(("feedback-thumbs-down", ix), IconName::ThumbsDown) .shape(ui::IconButtonShape::Square) .icon_size(IconSize::Small) .icon_color(match feedback { ThreadFeedback::Positive => Color::Ignored, ThreadFeedback::Negative => Color::Accent, }) .tooltip(Tooltip::text("Not Helpful")) .on_click(cx.listener(move |this, _, window, cx| { this.handle_feedback_click( message_id, ThreadFeedback::Negative, window, cx, ); })), ) .child(open_as_markdown), ) .into_any_element(), None if AgentSettings::get_global(cx).enable_feedback => feedback_container .child( div().visible_on_hover("feedback_container").child( Label::new( "Rating the thread sends all of your current conversation to the Zed team.", ) .color(Color::Muted) .size(LabelSize::XSmall) .truncate()) ) .child( h_flex() .child( IconButton::new(("feedback-thumbs-up", ix), IconName::ThumbsUp) .shape(ui::IconButtonShape::Square) .icon_size(IconSize::Small) .icon_color(Color::Ignored) .tooltip(Tooltip::text("Helpful Response")) .on_click(cx.listener(move |this, _, window, cx| { this.handle_feedback_click( message_id, ThreadFeedback::Positive, window, cx, ); })), ) .child( IconButton::new(("feedback-thumbs-down", ix), IconName::ThumbsDown) .shape(ui::IconButtonShape::Square) .icon_size(IconSize::Small) .icon_color(Color::Ignored) .tooltip(Tooltip::text("Not Helpful")) .on_click(cx.listener(move |this, _, window, cx| { this.handle_feedback_click( message_id, ThreadFeedback::Negative, window, cx, ); })), ) .child(open_as_markdown) .child(scroll_to_top), ) .into_any_element(), None => feedback_container .child(h_flex() .child(open_as_markdown)) .child(scroll_to_top) .into_any_element(), }; let message_is_empty = message.should_display_content(); let has_content = !message_is_empty || !added_context.is_empty(); let message_content = has_content.then(|| { if let Some(state) = editing_message_state.as_ref() { self.render_edit_message_editor(state, window, cx) .into_any_element() } else { v_flex() .w_full() .gap_1() .when(!added_context.is_empty(), |parent| { parent.child(h_flex().flex_wrap().gap_1().children( added_context.into_iter().map(|added_context| { let context = added_context.handle.clone(); ContextPill::added(added_context, false, false, None).on_click( Rc::new(cx.listener({ let workspace = workspace.clone(); move |_, _, window, cx| { if let Some(workspace) = workspace.upgrade() { open_context(&context, workspace, window, cx); cx.notify(); } } })), ) }), )) }) .when(!message_is_empty, |parent| { parent.child(div().pt_0p5().min_h_6().child(self.render_message_content( message_id, rendered_message, has_tool_uses, workspace.clone(), window, cx, ))) }) .into_any_element() } }); let styled_message = if message.ui_only { self.render_ui_notification(message_content, ix, cx) } else { match message.role { Role::User => { let colors = cx.theme().colors(); v_flex() .id(("message-container", ix)) .pt_2() .pl_2() .pr_2p5() .pb_4() .child( v_flex() .id(("user-message", ix)) .bg(editor_bg_color) .rounded_lg() .shadow_md() .border_1() .border_color(colors.border) .hover(|hover| hover.border_color(colors.text_accent.opacity(0.5))) .child( v_flex() .p_2p5() .gap_1() .children(message_content) .when_some(editing_message_state, |this, state| { let focus_handle = state.editor.focus_handle(cx).clone(); this.child( h_flex() .w_full() .gap_1() .justify_between() .flex_wrap() .child( h_flex() .gap_1p5() .child( div() .opacity(0.8) .child( Icon::new(IconName::Warning) .size(IconSize::Indicator) .color(Color::Warning) ), ) .child( Label::new("Editing will restart the thread from this point.") .color(Color::Muted) .size(LabelSize::XSmall), ), ) .child( h_flex() .gap_0p5() .child( IconButton::new( "cancel-edit-message", IconName::Close, ) .shape(ui::IconButtonShape::Square) .icon_color(Color::Error) .icon_size(IconSize::Small) .tooltip({ let focus_handle = focus_handle.clone(); move |window, cx| { Tooltip::for_action_in( "Cancel Edit", &menu::Cancel, &focus_handle, window, cx, ) } }) .on_click(cx.listener(Self::handle_cancel_click)), ) .child( IconButton::new( "confirm-edit-message", IconName::Return, ) .disabled(state.editor.read(cx).is_empty(cx)) .shape(ui::IconButtonShape::Square) .icon_color(Color::Muted) .icon_size(IconSize::Small) .tooltip({ let focus_handle = focus_handle.clone(); move |window, cx| { Tooltip::for_action_in( "Regenerate", &menu::Confirm, &focus_handle, window, cx, ) } }) .on_click( cx.listener(Self::handle_regenerate_click), ), ), ) ) }), ) .on_click(cx.listener({ let message_creases = message.creases.clone(); move |this, _, window, cx| { if let Some(message_text) = this.thread.read(cx).message(message_id).and_then(|message| { message.segments.first().and_then(|segment| { match segment { MessageSegment::Text(message_text) => { Some(Into::>::into(message_text.as_str())) } _ => { None } } }) }) { this.start_editing_message( message_id, message_text, &message_creases, window, cx, ); } } })), ) } Role::Assistant => v_flex() .id(("message-container", ix)) .px(RESPONSE_PADDING_X) .gap_2() .children(message_content) .when(has_tool_uses, |parent| { parent.children(tool_uses.into_iter().map(|tool_use| { self.render_tool_use(tool_use, window, workspace.clone(), cx) })) }), Role::System => { let colors = cx.theme().colors(); div().id(("message-container", ix)).py_1().px_2().child( v_flex() .bg(colors.editor_background) .rounded_sm() .child(div().p_4().children(message_content)), ) } } }; let after_editing_message = self .editing_message .as_ref() .is_some_and(|(editing_message_id, _)| message_id > *editing_message_id); let backdrop = div() .id(("backdrop", ix)) .size_full() .absolute() .inset_0() .bg(panel_bg) .opacity(0.8) .block_mouse_except_scroll() .on_click(cx.listener(Self::handle_cancel_click)); v_flex() .w_full() .map(|parent| { if let Some(checkpoint) = checkpoint.filter(|_| !is_generating) { let mut is_pending = false; let mut error = None; if let Some(last_restore_checkpoint) = self.thread.read(cx).last_restore_checkpoint() && last_restore_checkpoint.message_id() == message_id { match last_restore_checkpoint { LastRestoreCheckpoint::Pending { .. } => is_pending = true, LastRestoreCheckpoint::Error { error: err, .. } => { error = Some(err.clone()); } } } let restore_checkpoint_button = Button::new(("restore-checkpoint", ix), "Restore Checkpoint") .icon(if error.is_some() { IconName::XCircle } else { IconName::Undo }) .icon_size(IconSize::XSmall) .icon_position(IconPosition::Start) .icon_color(if error.is_some() { Some(Color::Error) } else { None }) .label_size(LabelSize::XSmall) .disabled(is_pending) .on_click(cx.listener(move |this, _, _window, cx| { this.thread.update(cx, |thread, cx| { thread .restore_checkpoint(checkpoint.clone(), cx) .detach_and_log_err(cx); }); })); let restore_checkpoint_button = if is_pending { restore_checkpoint_button .with_animation( ("pulsating-restore-checkpoint-button", ix), Animation::new(Duration::from_secs(2)) .repeat() .with_easing(pulsating_between(0.6, 1.)), |label, delta| label.alpha(delta), ) .into_any_element() } else if let Some(error) = error { restore_checkpoint_button .tooltip(Tooltip::text(error.to_string())) .into_any_element() } else { restore_checkpoint_button.into_any_element() }; parent.child( h_flex() .pt_2p5() .px_2p5() .w_full() .gap_1() .child(ui::Divider::horizontal()) .child(restore_checkpoint_button) .child(ui::Divider::horizontal()), ) } else { parent } }) .when(is_first_message, |parent| { parent.child(self.render_rules_item(cx)) }) .child(styled_message) .children(loading_dots) .when(show_feedback, move |parent| { parent.child(feedback_items).when_some( self.open_feedback_editors.get(&message_id), move |parent, feedback_editor| { let focus_handle = feedback_editor.focus_handle(cx); parent.child( v_flex() .key_context("AgentFeedbackMessageEditor") .on_action(cx.listener(move |this, _: &menu::Cancel, _, cx| { this.open_feedback_editors.remove(&message_id); cx.notify(); })) .on_action(cx.listener(move |this, _: &menu::Confirm, _, cx| { this.submit_feedback_message(message_id, cx); cx.notify(); })) .on_action(cx.listener(Self::confirm_editing_message)) .mb_2() .mx_4() .p_2() .rounded_md() .border_1() .border_color(cx.theme().colors().border) .bg(cx.theme().colors().editor_background) .child(feedback_editor.clone()) .child( h_flex() .gap_1() .justify_end() .child( Button::new("dismiss-feedback-message", "Cancel") .label_size(LabelSize::Small) .key_binding( KeyBinding::for_action_in( &menu::Cancel, &focus_handle, window, cx, ) .map(|kb| kb.size(rems_from_px(10.))), ) .on_click(cx.listener( move |this, _, _window, cx| { this.open_feedback_editors .remove(&message_id); cx.notify(); }, )), ) .child( Button::new( "submit-feedback-message", "Share Feedback", ) .style(ButtonStyle::Tinted(ui::TintColor::Accent)) .label_size(LabelSize::Small) .key_binding( KeyBinding::for_action_in( &menu::Confirm, &focus_handle, window, cx, ) .map(|kb| kb.size(rems_from_px(10.))), ) .on_click( cx.listener(move |this, _, _window, cx| { this.submit_feedback_message(message_id, cx); cx.notify() }), ), ), ), ) }, ) }) .when(after_editing_message, |parent| { // Backdrop to dim out the whole thread below the editing user message parent.relative().child(backdrop) }) .into_any() } fn render_message_content( &self, message_id: MessageId, rendered_message: &RenderedMessage, has_tool_uses: bool, workspace: WeakEntity, window: &Window, cx: &Context, ) -> impl IntoElement { let is_last_message = self.messages.last() == Some(&message_id); let is_generating = self.thread.read(cx).is_generating(); let pending_thinking_segment_index = if is_generating && is_last_message && !has_tool_uses { rendered_message .segments .iter() .enumerate() .next_back() .filter(|(_, segment)| matches!(segment, RenderedMessageSegment::Thinking { .. })) .map(|(index, _)| index) } else { None }; let message_role = self .thread .read(cx) .message(message_id) .map(|m| m.role) .unwrap_or(Role::User); let is_assistant_message = message_role == Role::Assistant; let is_user_message = message_role == Role::User; v_flex() .text_ui(cx) .gap_2() .when(is_user_message, |this| this.text_xs()) .children( rendered_message.segments.iter().enumerate().map( |(index, segment)| match segment { RenderedMessageSegment::Thinking { content, scroll_handle, } => self .render_message_thinking_segment( message_id, index, content.clone(), scroll_handle, Some(index) == pending_thinking_segment_index, window, cx, ) .into_any_element(), RenderedMessageSegment::Text(markdown) => { let markdown_element = MarkdownElement::new( markdown.clone(), if is_user_message { let mut style = default_markdown_style(window, cx); let mut text_style = window.text_style(); let theme_settings = ThemeSettings::get_global(cx); let buffer_font = theme_settings.buffer_font.family.clone(); let buffer_font_size = TextSize::Small.rems(cx); text_style.refine(&TextStyleRefinement { font_family: Some(buffer_font), font_size: Some(buffer_font_size.into()), ..Default::default() }); style.base_text_style = text_style; style } else { default_markdown_style(window, cx) }, ); let markdown_element = if is_assistant_message { markdown_element.code_block_renderer( markdown::CodeBlockRenderer::Custom { render: Arc::new({ let workspace = workspace.clone(); let active_thread = cx.entity(); move |kind, parsed_markdown, range, metadata, window, cx| { render_markdown_code_block( message_id, range.start, kind, parsed_markdown, metadata, active_thread.clone(), workspace.clone(), window, cx, ) } }), transform: Some(Arc::new({ let active_thread = cx.entity(); move |element, range, _, _, cx| { let is_expanded = active_thread .read(cx) .is_codeblock_expanded(message_id, range.start); if is_expanded { return element; } element } })), }, ) } else { markdown_element.code_block_renderer( markdown::CodeBlockRenderer::Default { copy_button: false, copy_button_on_hover: false, border: true, }, ) }; div() .child(markdown_element.on_url_click({ let workspace = self.workspace.clone(); move |text, window, cx| { open_markdown_link(text, workspace.clone(), window, cx); } })) .into_any_element() } }, ), ) } fn tool_card_border_color(&self, cx: &Context) -> Hsla { cx.theme().colors().border.opacity(0.5) } fn tool_card_header_bg(&self, cx: &Context) -> Hsla { cx.theme() .colors() .element_background .blend(cx.theme().colors().editor_foreground.opacity(0.025)) } fn render_ui_notification( &self, message_content: impl IntoIterator, ix: usize, cx: &mut Context, ) -> Stateful
{ let message = div() .flex_1() .min_w_0() .text_size(TextSize::XSmall.rems(cx)) .text_color(cx.theme().colors().text_muted) .children(message_content); div() .id(("message-container", ix)) .py_1() .px_2p5() .child(Banner::new().severity(Severity::Warning).child(message)) } fn render_message_thinking_segment( &self, message_id: MessageId, ix: usize, markdown: Entity, scroll_handle: &ScrollHandle, pending: bool, window: &Window, cx: &Context, ) -> impl IntoElement { let is_open = self .expanded_thinking_segments .get(&(message_id, ix)) .copied() .unwrap_or_default(); let editor_bg = cx.theme().colors().panel_background; div().map(|this| { if pending { this.v_flex() .mt_neg_2() .mb_1p5() .child( h_flex() .group("disclosure-header") .justify_between() .child( h_flex() .gap_1p5() .child( Icon::new(IconName::ToolThink) .size(IconSize::Small) .color(Color::Muted), ) .child(LoadingLabel::new("Thinking").size(LabelSize::Small)), ) .child( h_flex() .gap_1() .child( div().visible_on_hover("disclosure-header").child( Disclosure::new("thinking-disclosure", is_open) .opened_icon(IconName::ChevronUp) .closed_icon(IconName::ChevronDown) .on_click(cx.listener({ move |this, _event, _window, _cx| { let is_open = this .expanded_thinking_segments .entry((message_id, ix)) .or_insert(false); *is_open = !*is_open; } })), ), ) .child({ Icon::new(IconName::ArrowCircle) .color(Color::Accent) .size(IconSize::Small) .with_animation( "arrow-circle", Animation::new(Duration::from_secs(2)).repeat(), |icon, delta| { icon.transform(Transformation::rotate( percentage(delta), )) }, ) }), ), ) .when(!is_open, |this| { let gradient_overlay = div() .rounded_b_lg() .h_full() .absolute() .w_full() .bottom_0() .left_0() .bg(linear_gradient( 180., linear_color_stop(editor_bg, 1.), linear_color_stop(editor_bg.opacity(0.2), 0.), )); this.child( div() .relative() .bg(editor_bg) .rounded_b_lg() .mt_2() .pl_4() .child( div() .id(("thinking-content", ix)) .max_h_20() .track_scroll(scroll_handle) .text_ui_sm(cx) .overflow_hidden() .child( MarkdownElement::new( markdown.clone(), default_markdown_style(window, cx), ) .on_url_click({ let workspace = self.workspace.clone(); move |text, window, cx| { open_markdown_link( text, workspace.clone(), window, cx, ); } }), ), ) .child(gradient_overlay), ) }) .when(is_open, |this| { this.child( div() .id(("thinking-content", ix)) .h_full() .bg(editor_bg) .text_ui_sm(cx) .child( MarkdownElement::new( markdown.clone(), default_markdown_style(window, cx), ) .on_url_click({ let workspace = self.workspace.clone(); move |text, window, cx| { open_markdown_link(text, workspace.clone(), window, cx); } }), ), ) }) } else { this.v_flex() .mt_neg_2() .child( h_flex() .group("disclosure-header") .pr_1() .justify_between() .opacity(0.8) .hover(|style| style.opacity(1.)) .child( h_flex() .gap_1p5() .child( Icon::new(IconName::ToolThink) .size(IconSize::XSmall) .color(Color::Muted), ) .child(Label::new("Thought Process").size(LabelSize::Small)), ) .child( div().visible_on_hover("disclosure-header").child( Disclosure::new("thinking-disclosure", is_open) .opened_icon(IconName::ChevronUp) .closed_icon(IconName::ChevronDown) .on_click(cx.listener({ move |this, _event, _window, _cx| { let is_open = this .expanded_thinking_segments .entry((message_id, ix)) .or_insert(false); *is_open = !*is_open; } })), ), ), ) .child( div() .id(("thinking-content", ix)) .relative() .mt_1p5() .ml_1p5() .pl_2p5() .border_l_1() .border_color(cx.theme().colors().border_variant) .text_ui_sm(cx) .when(is_open, |this| { this.child( MarkdownElement::new( markdown.clone(), default_markdown_style(window, cx), ) .on_url_click({ let workspace = self.workspace.clone(); move |text, window, cx| { open_markdown_link(text, workspace.clone(), window, cx); } }), ) }), ) } }) } fn render_tool_use( &self, tool_use: ToolUse, window: &mut Window, workspace: WeakEntity, cx: &mut Context, ) -> impl IntoElement + use<> { if let Some(card) = self.thread.read(cx).card_for_tool(&tool_use.id) { return card.render(&tool_use.status, window, workspace, cx); } let is_open = self .expanded_tool_uses .get(&tool_use.id) .copied() .unwrap_or_default(); let is_status_finished = matches!(&tool_use.status, ToolUseStatus::Finished(_)); let fs = self .workspace .upgrade() .map(|workspace| workspace.read(cx).app_state().fs.clone()); let needs_confirmation = matches!(&tool_use.status, ToolUseStatus::NeedsConfirmation); let needs_confirmation_tools = tool_use.needs_confirmation; let status_icons = div().child(match &tool_use.status { ToolUseStatus::NeedsConfirmation => { let icon = Icon::new(IconName::Warning) .color(Color::Warning) .size(IconSize::Small); icon.into_any_element() } ToolUseStatus::Pending | ToolUseStatus::InputStillStreaming | ToolUseStatus::Running => { let icon = Icon::new(IconName::ArrowCircle) .color(Color::Accent) .size(IconSize::Small); icon.with_animation( "arrow-circle", Animation::new(Duration::from_secs(2)).repeat(), |icon, delta| icon.transform(Transformation::rotate(percentage(delta))), ) .into_any_element() } ToolUseStatus::Finished(_) => div().w_0().into_any_element(), ToolUseStatus::Error(_) => { let icon = Icon::new(IconName::Close) .color(Color::Error) .size(IconSize::Small); icon.into_any_element() } }); let rendered_tool_use = self.rendered_tool_uses.get(&tool_use.id).cloned(); let results_content_container = || v_flex().p_2().gap_0p5(); let results_content = v_flex() .gap_1() .child( results_content_container() .child( Label::new("Input") .size(LabelSize::XSmall) .color(Color::Muted) .buffer_font(cx), ) .child( div() .w_full() .text_ui_sm(cx) .children(rendered_tool_use.as_ref().map(|rendered| { MarkdownElement::new( rendered.input.clone(), tool_use_markdown_style(window, cx), ) .code_block_renderer(markdown::CodeBlockRenderer::Default { copy_button: false, copy_button_on_hover: false, border: false, }) .on_url_click({ let workspace = self.workspace.clone(); move |text, window, cx| { open_markdown_link(text, workspace.clone(), window, cx); } }) })), ), ) .map(|container| match tool_use.status { ToolUseStatus::Finished(_) => container.child( results_content_container() .border_t_1() .border_color(self.tool_card_border_color(cx)) .child( Label::new("Result") .size(LabelSize::XSmall) .color(Color::Muted) .buffer_font(cx), ) .child(div().w_full().text_ui_sm(cx).children( rendered_tool_use.as_ref().map(|rendered| { MarkdownElement::new( rendered.output.clone(), tool_use_markdown_style(window, cx), ) .code_block_renderer(markdown::CodeBlockRenderer::Default { copy_button: false, copy_button_on_hover: false, border: false, }) .on_url_click({ let workspace = self.workspace.clone(); move |text, window, cx| { open_markdown_link(text, workspace.clone(), window, cx); } }) .into_any_element() }), )), ), ToolUseStatus::InputStillStreaming | ToolUseStatus::Running => container.child( results_content_container() .border_t_1() .border_color(self.tool_card_border_color(cx)) .child( h_flex() .gap_1() .child( Icon::new(IconName::ArrowCircle) .size(IconSize::Small) .color(Color::Accent) .with_animation( "arrow-circle", Animation::new(Duration::from_secs(2)).repeat(), |icon, delta| { icon.transform(Transformation::rotate(percentage( delta, ))) }, ), ) .child( Label::new("Running…") .size(LabelSize::XSmall) .color(Color::Muted) .buffer_font(cx), ), ), ), ToolUseStatus::Error(_) => container.child( results_content_container() .border_t_1() .border_color(self.tool_card_border_color(cx)) .child( Label::new("Error") .size(LabelSize::XSmall) .color(Color::Muted) .buffer_font(cx), ) .child( div() .text_ui_sm(cx) .children(rendered_tool_use.as_ref().map(|rendered| { MarkdownElement::new( rendered.output.clone(), tool_use_markdown_style(window, cx), ) .on_url_click({ let workspace = self.workspace.clone(); move |text, window, cx| { open_markdown_link(text, workspace.clone(), window, cx); } }) .into_any_element() })), ), ), ToolUseStatus::Pending => container, ToolUseStatus::NeedsConfirmation => container.child( results_content_container() .border_t_1() .border_color(self.tool_card_border_color(cx)) .child( Label::new("Asking Permission") .size(LabelSize::Small) .color(Color::Muted) .buffer_font(cx), ), ), }); let gradient_overlay = |color: Hsla| { div() .h_full() .absolute() .w_12() .bottom_0() .map(|element| { if is_status_finished { element.right_6() } else { element.right(px(44.)) } }) .bg(linear_gradient( 90., linear_color_stop(color, 1.), linear_color_stop(color.opacity(0.2), 0.), )) }; v_flex().gap_1().mb_2().map(|element| { if !needs_confirmation_tools { element.child( v_flex() .child( h_flex() .group("disclosure-header") .relative() .gap_1p5() .justify_between() .opacity(0.8) .hover(|style| style.opacity(1.)) .when(!is_status_finished, |this| this.pr_2()) .child( h_flex() .id("tool-label-container") .gap_1p5() .max_w_full() .overflow_x_scroll() .child( Icon::new(tool_use.icon) .size(IconSize::Small) .color(Color::Muted), ) .child( h_flex().pr_8().text_size(rems(0.8125)).children( rendered_tool_use.map(|rendered| MarkdownElement::new(rendered.label, tool_use_markdown_style(window, cx)).on_url_click({let workspace = self.workspace.clone(); move |text, window, cx| { open_markdown_link(text, workspace.clone(), window, cx); }})) ), ), ) .child( h_flex() .gap_1() .child( div().visible_on_hover("disclosure-header").child( Disclosure::new("tool-use-disclosure", is_open) .opened_icon(IconName::ChevronUp) .closed_icon(IconName::ChevronDown) .on_click(cx.listener({ let tool_use_id = tool_use.id.clone(); move |this, _event, _window, _cx| { let is_open = this .expanded_tool_uses .entry(tool_use_id.clone()) .or_insert(false); *is_open = !*is_open; } })), ), ) .child(status_icons), ) .child(gradient_overlay(cx.theme().colors().panel_background)), ) .map(|parent| { if !is_open { return parent; } parent.child( v_flex() .mt_1() .border_1() .border_color(self.tool_card_border_color(cx)) .bg(cx.theme().colors().editor_background) .rounded_lg() .child(results_content), ) }), ) } else { v_flex() .mb_2() .rounded_lg() .border_1() .border_color(self.tool_card_border_color(cx)) .overflow_hidden() .child( h_flex() .group("disclosure-header") .relative() .justify_between() .py_1() .map(|element| { if is_status_finished { element.pl_2().pr_0p5() } else { element.px_2() } }) .bg(self.tool_card_header_bg(cx)) .map(|element| { if is_open { element.border_b_1().rounded_t_md() } else if needs_confirmation { element.rounded_t_md() } else { element.rounded_md() } }) .border_color(self.tool_card_border_color(cx)) .child( h_flex() .id("tool-label-container") .gap_1p5() .max_w_full() .overflow_x_scroll() .child( Icon::new(tool_use.icon) .size(IconSize::XSmall) .color(Color::Muted), ) .child( h_flex().pr_8().text_ui_sm(cx).children( rendered_tool_use.map(|rendered| MarkdownElement::new(rendered.label, tool_use_markdown_style(window, cx)).on_url_click({let workspace = self.workspace.clone(); move |text, window, cx| { open_markdown_link(text, workspace.clone(), window, cx); }})) ), ), ) .child( h_flex() .gap_1() .child( div().visible_on_hover("disclosure-header").child( Disclosure::new("tool-use-disclosure", is_open) .opened_icon(IconName::ChevronUp) .closed_icon(IconName::ChevronDown) .on_click(cx.listener({ let tool_use_id = tool_use.id.clone(); move |this, _event, _window, _cx| { let is_open = this .expanded_tool_uses .entry(tool_use_id.clone()) .or_insert(false); *is_open = !*is_open; } })), ), ) .child(status_icons), ) .child(gradient_overlay(self.tool_card_header_bg(cx))), ) .map(|parent| { if !is_open { return parent; } parent.child( v_flex() .bg(cx.theme().colors().editor_background) .map(|element| { if needs_confirmation { element.rounded_none() } else { element.rounded_b_lg() } }) .child(results_content), ) }) .when(needs_confirmation, |this| { this.child( h_flex() .py_1() .pl_2() .pr_1() .gap_1() .justify_between() .flex_wrap() .bg(cx.theme().colors().editor_background) .border_t_1() .border_color(self.tool_card_border_color(cx)) .rounded_b_lg() .child( div() .min_w(rems_from_px(145.)) .child(LoadingLabel::new("Waiting for Confirmation").size(LabelSize::Small) ) ) .child( h_flex() .gap_0p5() .child({ let tool_id = tool_use.id.clone(); Button::new( "always-allow-tool-action", "Always Allow", ) .label_size(LabelSize::Small) .icon(IconName::CheckDouble) .icon_position(IconPosition::Start) .icon_size(IconSize::Small) .icon_color(Color::Success) .tooltip(move |window, cx| { Tooltip::with_meta( "Never ask for permission", None, "Restore the original behavior in your Agent Panel settings", window, cx, ) }) .on_click(cx.listener( move |this, event, window, cx| { if let Some(fs) = fs.clone() { update_settings_file::( fs.clone(), cx, |settings, _| { settings.set_always_allow_tool_actions(true); }, ); } this.handle_allow_tool( tool_id.clone(), event, window, cx, ) }, )) }) .child({ let tool_id = tool_use.id.clone(); Button::new("allow-tool-action", "Allow") .label_size(LabelSize::Small) .icon(IconName::Check) .icon_position(IconPosition::Start) .icon_size(IconSize::Small) .icon_color(Color::Success) .on_click(cx.listener( move |this, event, window, cx| { this.handle_allow_tool( tool_id.clone(), event, window, cx, ) }, )) }) .child({ let tool_id = tool_use.id.clone(); let tool_name: Arc = tool_use.name.into(); Button::new("deny-tool", "Deny") .label_size(LabelSize::Small) .icon(IconName::Close) .icon_position(IconPosition::Start) .icon_size(IconSize::Small) .icon_color(Color::Error) .on_click(cx.listener( move |this, event, window, cx| { this.handle_deny_tool( tool_id.clone(), tool_name.clone(), event, window, cx, ) }, )) }), ), ) }) } }).into_any_element() } fn render_rules_item(&self, cx: &Context) -> AnyElement { let project_context = self.thread.read(cx).project_context(); let project_context = project_context.borrow(); let Some(project_context) = project_context.as_ref() else { return div().into_any(); }; let user_rules_text = if project_context.user_rules.is_empty() { None } else if project_context.user_rules.len() == 1 { let user_rules = &project_context.user_rules[0]; match user_rules.title.as_ref() { Some(title) => Some(format!("Using \"{title}\" user rule")), None => Some("Using user rule".into()), } } else { Some(format!( "Using {} user rules", project_context.user_rules.len() )) }; let first_user_rules_id = project_context .user_rules .first() .map(|user_rules| user_rules.uuid.0); let rules_files = project_context .worktrees .iter() .filter_map(|worktree| worktree.rules_file.as_ref()) .collect::>(); let rules_file_text = match rules_files.as_slice() { &[] => None, &[rules_file] => Some(format!( "Using project {:?} file", rules_file.path_in_worktree )), rules_files => Some(format!("Using {} project rules files", rules_files.len())), }; if user_rules_text.is_none() && rules_file_text.is_none() { return div().into_any(); } v_flex() .pt_2() .px_2p5() .gap_1() .when_some(user_rules_text, |parent, user_rules_text| { parent.child( h_flex() .w_full() .child( Icon::new(RULES_ICON) .size(IconSize::XSmall) .color(Color::Disabled), ) .child( Label::new(user_rules_text) .size(LabelSize::XSmall) .color(Color::Muted) .truncate() .buffer_font(cx) .ml_1p5() .mr_0p5(), ) .child( IconButton::new("open-prompt-library", IconName::ArrowUpRight) .shape(ui::IconButtonShape::Square) .icon_size(IconSize::XSmall) .icon_color(Color::Ignored) // TODO: Figure out a way to pass focus handle here so we can display the `OpenRulesLibrary` keybinding .tooltip(Tooltip::text("View User Rules")) .on_click(move |_event, window, cx| { window.dispatch_action( Box::new(OpenRulesLibrary { prompt_to_select: first_user_rules_id, }), cx, ) }), ), ) }) .when_some(rules_file_text, |parent, rules_file_text| { parent.child( h_flex() .w_full() .child( Icon::new(IconName::File) .size(IconSize::XSmall) .color(Color::Disabled), ) .child( Label::new(rules_file_text) .size(LabelSize::XSmall) .color(Color::Muted) .buffer_font(cx) .ml_1p5() .mr_0p5(), ) .child( IconButton::new("open-rule", IconName::ArrowUpRight) .shape(ui::IconButtonShape::Square) .icon_size(IconSize::XSmall) .icon_color(Color::Ignored) .on_click(cx.listener(Self::handle_open_rules)) .tooltip(Tooltip::text("View Rules")), ), ) }) .into_any() } fn handle_allow_tool( &mut self, tool_use_id: LanguageModelToolUseId, _: &ClickEvent, window: &mut Window, cx: &mut Context, ) { if let Some(PendingToolUseStatus::NeedsConfirmation(c)) = self .thread .read(cx) .pending_tool(&tool_use_id) .map(|tool_use| tool_use.status.clone()) { self.thread.update(cx, |thread, cx| { if let Some(configured) = thread.get_or_init_configured_model(cx) { thread.run_tool( c.tool_use_id.clone(), c.ui_text.clone(), c.input.clone(), c.request.clone(), c.tool.clone(), configured.model, Some(window.window_handle()), cx, ); } }); } } fn handle_deny_tool( &mut self, tool_use_id: LanguageModelToolUseId, tool_name: Arc, _: &ClickEvent, window: &mut Window, cx: &mut Context, ) { let window_handle = window.window_handle(); self.thread.update(cx, |thread, cx| { thread.deny_tool_use(tool_use_id, tool_name, Some(window_handle), cx); }); } fn handle_open_rules(&mut self, _: &ClickEvent, window: &mut Window, cx: &mut Context) { let project_context = self.thread.read(cx).project_context(); let project_context = project_context.borrow(); let Some(project_context) = project_context.as_ref() else { return; }; let project_entry_ids = project_context .worktrees .iter() .flat_map(|worktree| worktree.rules_file.as_ref()) .map(|rules_file| ProjectEntryId::from_usize(rules_file.project_entry_id)) .collect::>(); self.workspace .update(cx, move |workspace, cx| { // TODO: Open a multibuffer instead? In some cases this doesn't make the set of rules // files clear. For example, if rules file 1 is already open but rules file 2 is not, // this would open and focus rules file 2 in a tab that is not next to rules file 1. let project = workspace.project().read(cx); let project_paths = project_entry_ids .into_iter() .flat_map(|entry_id| project.path_for_entry(entry_id, cx)) .collect::>(); for project_path in project_paths { workspace .open_path(project_path, None, true, window, cx) .detach_and_log_err(cx); } }) .ok(); } fn dismiss_notifications(&mut self, cx: &mut Context) { for window in self.notifications.drain(..) { window .update(cx, |_, window, _| { window.remove_window(); }) .ok(); self.notification_subscriptions.remove(&window); } } fn render_vertical_scrollbar(&self, cx: &mut Context) -> Stateful
{ div() .occlude() .id("active-thread-scrollbar") .on_mouse_move(cx.listener(|_, _, _, cx| { cx.notify(); cx.stop_propagation() })) .on_hover(|_, _, cx| { cx.stop_propagation(); }) .on_any_mouse_down(|_, _, cx| { cx.stop_propagation(); }) .on_mouse_up( MouseButton::Left, cx.listener(|_, _, _, cx| { cx.stop_propagation(); }), ) .on_scroll_wheel(cx.listener(|_, _, _, cx| { cx.notify(); })) .h_full() .absolute() .right_1() .top_1() .bottom_0() .w(px(12.)) .cursor_default() .children(Scrollbar::vertical(self.scrollbar_state.clone()).map(|s| s.auto_hide(cx))) } pub fn is_codeblock_expanded(&self, message_id: MessageId, ix: usize) -> bool { self.expanded_code_blocks .get(&(message_id, ix)) .copied() .unwrap_or(true) } pub fn toggle_codeblock_expanded(&mut self, message_id: MessageId, ix: usize) { let is_expanded = self .expanded_code_blocks .entry((message_id, ix)) .or_insert(true); *is_expanded = !*is_expanded; } pub fn scroll_to_top(&mut self, cx: &mut Context) { self.list_state.scroll_to(ListOffset::default()); cx.notify(); } pub fn scroll_to_bottom(&mut self, cx: &mut Context) { self.list_state.reset(self.messages.len()); cx.notify(); } } pub enum ActiveThreadEvent { EditingMessageTokenCountChanged, } impl EventEmitter for ActiveThread {} impl Render for ActiveThread { fn render(&mut self, _window: &mut Window, cx: &mut Context) -> impl IntoElement { v_flex() .size_full() .relative() .bg(cx.theme().colors().panel_background) .child(list(self.list_state.clone(), cx.processor(Self::render_message)).flex_grow()) .child(self.render_vertical_scrollbar(cx)) } } pub(crate) fn open_active_thread_as_markdown( thread: Entity, workspace: Entity, window: &mut Window, cx: &mut App, ) -> Task> { let markdown_language_task = workspace .read(cx) .app_state() .languages .language_for_name("Markdown"); window.spawn(cx, async move |cx| { let markdown_language = markdown_language_task.await?; workspace.update_in(cx, |workspace, window, cx| { let thread = thread.read(cx); let markdown = thread.to_markdown(cx)?; let thread_summary = thread.summary().or_default().to_string(); let project = workspace.project().clone(); if !project.read(cx).is_local() { anyhow::bail!("failed to open active thread as markdown in remote project"); } let buffer = project.update(cx, |project, cx| { project.create_local_buffer(&markdown, Some(markdown_language), cx) }); let buffer = cx.new(|cx| MultiBuffer::singleton(buffer, cx).with_title(thread_summary.clone())); workspace.add_item_to_active_pane( Box::new(cx.new(|cx| { let mut editor = Editor::for_multibuffer(buffer, Some(project.clone()), window, cx); editor.set_breadcrumb_header(thread_summary); editor })), None, true, window, cx, ); anyhow::Ok(()) })??; anyhow::Ok(()) }) } pub(crate) fn open_context( context: &AgentContextHandle, workspace: Entity, window: &mut Window, cx: &mut App, ) { match context { AgentContextHandle::File(file_context) => { if let Some(project_path) = file_context.project_path(cx) { workspace.update(cx, |workspace, cx| { workspace .open_path(project_path, None, true, window, cx) .detach_and_log_err(cx); }); } } AgentContextHandle::Directory(directory_context) => { let entry_id = directory_context.entry_id; workspace.update(cx, |workspace, cx| { workspace.project().update(cx, |_project, cx| { cx.emit(project::Event::RevealInProjectPanel(entry_id)); }) }) } AgentContextHandle::Symbol(symbol_context) => { let buffer = symbol_context.buffer.read(cx); if let Some(project_path) = buffer.project_path(cx) { let snapshot = buffer.snapshot(); let target_position = symbol_context.range.start.to_point(&snapshot); open_editor_at_position(project_path, target_position, &workspace, window, cx) .detach(); } } AgentContextHandle::Selection(selection_context) => { let buffer = selection_context.buffer.read(cx); if let Some(project_path) = buffer.project_path(cx) { let snapshot = buffer.snapshot(); let target_position = selection_context.range.start.to_point(&snapshot); open_editor_at_position(project_path, target_position, &workspace, window, cx) .detach(); } } AgentContextHandle::FetchedUrl(fetched_url_context) => { cx.open_url(&fetched_url_context.url); } AgentContextHandle::Thread(thread_context) => workspace.update(cx, |workspace, cx| { if let Some(panel) = workspace.panel::(cx) { let thread = thread_context.thread.clone(); window.defer(cx, move |window, cx| { panel.update(cx, |panel, cx| { panel.open_thread(thread, window, cx); }); }); } }), AgentContextHandle::TextThread(text_thread_context) => { workspace.update(cx, |workspace, cx| { if let Some(panel) = workspace.panel::(cx) { let context = text_thread_context.context.clone(); window.defer(cx, move |window, cx| { panel.update(cx, |panel, cx| { panel.open_prompt_editor(context, window, cx) }); }); } }) } AgentContextHandle::Rules(rules_context) => window.dispatch_action( Box::new(OpenRulesLibrary { prompt_to_select: Some(rules_context.prompt_id.0), }), cx, ), AgentContextHandle::Image(_) => {} } } pub(crate) fn attach_pasted_images_as_context( context_store: &Entity, cx: &mut App, ) -> bool { 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::>() }) .unwrap_or_default(); if images.is_empty() { return false; } cx.stop_propagation(); context_store.update(cx, |store, cx| { for image in images { store.add_image_instance(Arc::new(image), cx); } }); true } fn open_editor_at_position( project_path: project::ProjectPath, target_position: Point, workspace: &Entity, window: &mut Window, cx: &mut App, ) -> Task<()> { let open_task = workspace.update(cx, |workspace, cx| { workspace.open_path(project_path, None, true, window, cx) }); window.spawn(cx, async move |cx| { if let Some(active_editor) = open_task .await .log_err() .and_then(|item| item.downcast::()) { active_editor .downgrade() .update_in(cx, |editor, window, cx| { editor.go_to_singleton_buffer_point(target_position, window, cx); }) .log_err(); } }) } #[cfg(test)] mod tests { use super::*; use agent::{MessageSegment, context::ContextLoadResult, thread_store}; use assistant_tool::{ToolRegistry, ToolWorkingSet}; use editor::EditorSettings; use fs::FakeFs; use gpui::{AppContext, TestAppContext, VisualTestContext}; use language_model::{ ConfiguredModel, LanguageModel, LanguageModelRegistry, fake_provider::{FakeLanguageModel, FakeLanguageModelProvider}, }; use project::Project; use prompt_store::PromptBuilder; use serde_json::json; use settings::SettingsStore; use util::path; use workspace::CollaboratorId; #[gpui::test] async fn test_agent_is_unfollowed_after_cancelling_completion(cx: &mut TestAppContext) { init_test_settings(cx); let project = create_test_project( cx, json!({"code.rs": "fn main() {\n println!(\"Hello, world!\");\n}"}), ) .await; let (cx, _active_thread, workspace, thread, model) = setup_test_environment(cx, project.clone()).await; // Insert user message without any context (empty context vector) thread.update(cx, |thread, cx| { thread.insert_user_message( "What is the best way to learn Rust?", ContextLoadResult::default(), None, vec![], cx, ); }); // Stream response to user message thread.update(cx, |thread, cx| { let intent = CompletionIntent::UserPrompt; let request = thread.to_completion_request(model.clone(), intent, cx); thread.stream_completion(request, model, intent, cx.active_window(), cx) }); // Follow the agent cx.update(|window, cx| { workspace.update(cx, |workspace, cx| { workspace.follow(CollaboratorId::Agent, window, cx); }) }); assert!(cx.read(|cx| workspace.read(cx).is_being_followed(CollaboratorId::Agent))); // Cancel the current completion thread.update(cx, |thread, cx| { thread.cancel_last_completion(cx.active_window(), cx) }); cx.executor().run_until_parked(); // No longer following the agent assert!(!cx.read(|cx| workspace.read(cx).is_being_followed(CollaboratorId::Agent))); } #[gpui::test] async fn test_reinserting_creases_for_edited_message(cx: &mut TestAppContext) { init_test_settings(cx); let project = create_test_project(cx, json!({})).await; let (cx, active_thread, _, thread, model) = setup_test_environment(cx, project.clone()).await; cx.update(|_, cx| { LanguageModelRegistry::global(cx).update(cx, |registry, cx| { registry.set_default_model( Some(ConfiguredModel { provider: Arc::new(FakeLanguageModelProvider::default()), model, }), cx, ); }); }); let creases = vec![MessageCrease { range: 14..22, icon_path: "icon".into(), label: "foo.txt".into(), context: None, }]; let message = thread.update(cx, |thread, cx| { let message_id = thread.insert_user_message( "Tell me about @foo.txt", ContextLoadResult::default(), None, creases, cx, ); thread.message(message_id).cloned().unwrap() }); active_thread.update_in(cx, |active_thread, window, cx| { if let Some(message_text) = message.segments.first().and_then(MessageSegment::text) { active_thread.start_editing_message( message.id, message_text, message.creases.as_slice(), window, cx, ); } let editor = active_thread .editing_message .as_ref() .unwrap() .1 .editor .clone(); editor.update(cx, |editor, cx| editor.edit([(0..13, "modified")], cx)); active_thread.confirm_editing_message(&Default::default(), window, cx); }); cx.run_until_parked(); let message = thread.update(cx, |thread, _| thread.message(message.id).cloned().unwrap()); active_thread.update_in(cx, |active_thread, window, cx| { if let Some(message_text) = message.segments.first().and_then(MessageSegment::text) { active_thread.start_editing_message( message.id, message_text, message.creases.as_slice(), window, cx, ); } let editor = active_thread .editing_message .as_ref() .unwrap() .1 .editor .clone(); let text = editor.update(cx, |editor, cx| editor.text(cx)); assert_eq!(text, "modified @foo.txt"); }); } #[gpui::test] async fn test_editing_message_cancels_previous_completion(cx: &mut TestAppContext) { init_test_settings(cx); let project = create_test_project(cx, json!({})).await; let (cx, active_thread, _, thread, model) = setup_test_environment(cx, project.clone()).await; cx.update(|_, cx| { LanguageModelRegistry::global(cx).update(cx, |registry, cx| { registry.set_default_model( Some(ConfiguredModel { provider: Arc::new(FakeLanguageModelProvider::default()), model: model.clone(), }), cx, ); }); }); // Track thread events to verify cancellation let cancellation_events = Arc::new(std::sync::Mutex::new(Vec::new())); let new_request_events = Arc::new(std::sync::Mutex::new(Vec::new())); let _subscription = cx.update(|_, cx| { let cancellation_events = cancellation_events.clone(); let new_request_events = new_request_events.clone(); cx.subscribe( &thread, move |_thread, event: &ThreadEvent, _cx| match event { ThreadEvent::CompletionCanceled => { cancellation_events.lock().unwrap().push(()); } ThreadEvent::NewRequest => { new_request_events.lock().unwrap().push(()); } _ => {} }, ) }); // Insert a user message and start streaming a response let message = thread.update(cx, |thread, cx| { let message_id = thread.insert_user_message( "Hello, how are you?", ContextLoadResult::default(), None, vec![], cx, ); thread.advance_prompt_id(); thread.send_to_model( model.clone(), CompletionIntent::UserPrompt, cx.active_window(), cx, ); thread.message(message_id).cloned().unwrap() }); cx.run_until_parked(); // Verify that a completion is in progress assert!(cx.read(|cx| thread.read(cx).is_generating())); assert_eq!(new_request_events.lock().unwrap().len(), 1); // Edit the message while the completion is still running active_thread.update_in(cx, |active_thread, window, cx| { if let Some(message_text) = message.segments.first().and_then(MessageSegment::text) { active_thread.start_editing_message( message.id, message_text, message.creases.as_slice(), window, cx, ); } let editor = active_thread .editing_message .as_ref() .unwrap() .1 .editor .clone(); editor.update(cx, |editor, cx| { editor.set_text("What is the weather like?", window, cx); }); active_thread.confirm_editing_message(&Default::default(), window, cx); }); cx.run_until_parked(); // Verify that the previous completion was canceled assert_eq!(cancellation_events.lock().unwrap().len(), 1); // Verify that a new request was started after cancellation assert_eq!(new_request_events.lock().unwrap().len(), 2); // Verify that the edited message contains the new text let edited_message = thread.update(cx, |thread, _| thread.message(message.id).cloned().unwrap()); match &edited_message.segments[0] { MessageSegment::Text(text) => { assert_eq!(text, "What is the weather like?"); } _ => panic!("Expected text segment"), } } fn init_test_settings(cx: &mut TestAppContext) { cx.update(|cx| { let settings_store = SettingsStore::test(cx); cx.set_global(settings_store); language::init(cx); Project::init_settings(cx); AgentSettings::register(cx); prompt_store::init(cx); thread_store::init(cx); workspace::init_settings(cx); language_model::init_settings(cx); ThemeSettings::register(cx); EditorSettings::register(cx); ToolRegistry::default_global(cx); }); } // Helper to create a test project with test files async fn create_test_project( cx: &mut TestAppContext, files: serde_json::Value, ) -> Entity { let fs = FakeFs::new(cx.executor()); fs.insert_tree(path!("/test"), files).await; Project::test(fs, [path!("/test").as_ref()], cx).await } async fn setup_test_environment( cx: &mut TestAppContext, project: Entity, ) -> ( &mut VisualTestContext, Entity, Entity, Entity, Arc, ) { let (workspace, cx) = cx.add_window_view(|window, cx| Workspace::test_new(project.clone(), window, cx)); let thread_store = cx .update(|_, cx| { ThreadStore::load( project.clone(), cx.new(|_| ToolWorkingSet::default()), None, Arc::new(PromptBuilder::new(None).unwrap()), cx, ) }) .await .unwrap(); let text_thread_store = cx .update(|_, cx| { TextThreadStore::new( project.clone(), Arc::new(PromptBuilder::new(None).unwrap()), Default::default(), cx, ) }) .await .unwrap(); let thread = thread_store.update(cx, |store, cx| store.create_thread(cx)); let context_store = cx.new(|_cx| ContextStore::new(project.downgrade(), Some(thread_store.downgrade()))); let model = FakeLanguageModel::default(); let model: Arc = Arc::new(model); let language_registry = LanguageRegistry::new(cx.executor()); let language_registry = Arc::new(language_registry); let active_thread = cx.update(|window, cx| { cx.new(|cx| { ActiveThread::new( thread.clone(), thread_store.clone(), text_thread_store, context_store.clone(), language_registry.clone(), workspace.downgrade(), window, cx, ) }) }); (cx, active_thread, workspace, thread, model) } }