1use crate::{Keep, KeepAll, OpenAgentDiff, Reject, RejectAll};
2use acp_thread::{AcpThread, AcpThreadEvent};
3use action_log::ActionLog;
4use agent::{Thread, ThreadEvent, ThreadSummary};
5use agent_settings::AgentSettings;
6use anyhow::Result;
7use buffer_diff::DiffHunkStatus;
8use collections::{HashMap, HashSet};
9use editor::{
10 Direction, Editor, EditorEvent, EditorSettings, MultiBuffer, MultiBufferSnapshot,
11 SelectionEffects, ToPoint,
12 actions::{GoToHunk, GoToPreviousHunk},
13 multibuffer_context_lines,
14 scroll::Autoscroll,
15};
16use gpui::{
17 Action, AnyElement, AnyView, App, AppContext, Empty, Entity, EventEmitter, FocusHandle,
18 Focusable, Global, SharedString, Subscription, Task, WeakEntity, Window, prelude::*,
19};
20
21use language::{Buffer, Capability, DiskState, OffsetRangeExt, Point};
22use language_model::StopReason;
23use multi_buffer::PathKey;
24use project::{Project, ProjectItem, ProjectPath};
25use settings::{Settings, SettingsStore};
26use std::{
27 any::{Any, TypeId},
28 collections::hash_map::Entry,
29 ops::Range,
30 sync::Arc,
31};
32use ui::{CommonAnimationExt, IconButtonShape, KeyBinding, Tooltip, prelude::*, vertical_divider};
33use util::ResultExt;
34use workspace::{
35 Item, ItemHandle, ItemNavHistory, ToolbarItemEvent, ToolbarItemLocation, ToolbarItemView,
36 Workspace,
37 item::{BreadcrumbText, ItemEvent, SaveOptions, TabContentParams},
38 searchable::SearchableItemHandle,
39};
40use zed_actions::assistant::ToggleFocus;
41
42pub struct AgentDiffPane {
43 multibuffer: Entity<MultiBuffer>,
44 editor: Entity<Editor>,
45 thread: AgentDiffThread,
46 focus_handle: FocusHandle,
47 workspace: WeakEntity<Workspace>,
48 title: SharedString,
49 _subscriptions: Vec<Subscription>,
50}
51
52#[derive(PartialEq, Eq, Clone)]
53pub enum AgentDiffThread {
54 Native(Entity<Thread>),
55 AcpThread(Entity<AcpThread>),
56}
57
58impl AgentDiffThread {
59 fn project(&self, cx: &App) -> Entity<Project> {
60 match self {
61 AgentDiffThread::Native(thread) => thread.read(cx).project().clone(),
62 AgentDiffThread::AcpThread(thread) => thread.read(cx).project().clone(),
63 }
64 }
65 fn action_log(&self, cx: &App) -> Entity<ActionLog> {
66 match self {
67 AgentDiffThread::Native(thread) => thread.read(cx).action_log().clone(),
68 AgentDiffThread::AcpThread(thread) => thread.read(cx).action_log().clone(),
69 }
70 }
71
72 fn summary(&self, cx: &App) -> ThreadSummary {
73 match self {
74 AgentDiffThread::Native(thread) => thread.read(cx).summary().clone(),
75 AgentDiffThread::AcpThread(thread) => ThreadSummary::Ready(thread.read(cx).title()),
76 }
77 }
78
79 fn is_generating(&self, cx: &App) -> bool {
80 match self {
81 AgentDiffThread::Native(thread) => thread.read(cx).is_generating(),
82 AgentDiffThread::AcpThread(thread) => {
83 thread.read(cx).status() == acp_thread::ThreadStatus::Generating
84 }
85 }
86 }
87
88 fn has_pending_edit_tool_uses(&self, cx: &App) -> bool {
89 match self {
90 AgentDiffThread::Native(thread) => thread.read(cx).has_pending_edit_tool_uses(),
91 AgentDiffThread::AcpThread(thread) => thread.read(cx).has_pending_edit_tool_calls(),
92 }
93 }
94
95 fn downgrade(&self) -> WeakAgentDiffThread {
96 match self {
97 AgentDiffThread::Native(thread) => WeakAgentDiffThread::Native(thread.downgrade()),
98 AgentDiffThread::AcpThread(thread) => {
99 WeakAgentDiffThread::AcpThread(thread.downgrade())
100 }
101 }
102 }
103}
104
105impl From<Entity<Thread>> for AgentDiffThread {
106 fn from(entity: Entity<Thread>) -> Self {
107 AgentDiffThread::Native(entity)
108 }
109}
110
111impl From<Entity<AcpThread>> for AgentDiffThread {
112 fn from(entity: Entity<AcpThread>) -> Self {
113 AgentDiffThread::AcpThread(entity)
114 }
115}
116
117#[derive(PartialEq, Eq, Clone)]
118pub enum WeakAgentDiffThread {
119 Native(WeakEntity<Thread>),
120 AcpThread(WeakEntity<AcpThread>),
121}
122
123impl WeakAgentDiffThread {
124 pub fn upgrade(&self) -> Option<AgentDiffThread> {
125 match self {
126 WeakAgentDiffThread::Native(weak) => weak.upgrade().map(AgentDiffThread::Native),
127 WeakAgentDiffThread::AcpThread(weak) => weak.upgrade().map(AgentDiffThread::AcpThread),
128 }
129 }
130}
131
132impl From<WeakEntity<Thread>> for WeakAgentDiffThread {
133 fn from(entity: WeakEntity<Thread>) -> Self {
134 WeakAgentDiffThread::Native(entity)
135 }
136}
137
138impl From<WeakEntity<AcpThread>> for WeakAgentDiffThread {
139 fn from(entity: WeakEntity<AcpThread>) -> Self {
140 WeakAgentDiffThread::AcpThread(entity)
141 }
142}
143
144impl AgentDiffPane {
145 pub fn deploy(
146 thread: impl Into<AgentDiffThread>,
147 workspace: WeakEntity<Workspace>,
148 window: &mut Window,
149 cx: &mut App,
150 ) -> Result<Entity<Self>> {
151 workspace.update(cx, |workspace, cx| {
152 Self::deploy_in_workspace(thread, workspace, window, cx)
153 })
154 }
155
156 pub fn deploy_in_workspace(
157 thread: impl Into<AgentDiffThread>,
158 workspace: &mut Workspace,
159 window: &mut Window,
160 cx: &mut Context<Workspace>,
161 ) -> Entity<Self> {
162 let thread = thread.into();
163 let existing_diff = workspace
164 .items_of_type::<AgentDiffPane>(cx)
165 .find(|diff| diff.read(cx).thread == thread);
166
167 if let Some(existing_diff) = existing_diff {
168 workspace.activate_item(&existing_diff, true, true, window, cx);
169 existing_diff
170 } else {
171 let agent_diff = cx
172 .new(|cx| AgentDiffPane::new(thread.clone(), workspace.weak_handle(), window, cx));
173 workspace.add_item_to_center(Box::new(agent_diff.clone()), window, cx);
174 agent_diff
175 }
176 }
177
178 pub fn new(
179 thread: AgentDiffThread,
180 workspace: WeakEntity<Workspace>,
181 window: &mut Window,
182 cx: &mut Context<Self>,
183 ) -> Self {
184 let focus_handle = cx.focus_handle();
185 let multibuffer = cx.new(|_| MultiBuffer::new(Capability::ReadWrite));
186
187 let project = thread.project(cx);
188 let editor = cx.new(|cx| {
189 let mut editor =
190 Editor::for_multibuffer(multibuffer.clone(), Some(project.clone()), window, cx);
191 editor.disable_inline_diagnostics();
192 editor.set_expand_all_diff_hunks(cx);
193 editor.set_render_diff_hunk_controls(diff_hunk_controls(&thread), cx);
194 editor.register_addon(AgentDiffAddon);
195 editor
196 });
197
198 let action_log = thread.action_log(cx);
199
200 let mut this = Self {
201 _subscriptions: vec![
202 cx.observe_in(&action_log, window, |this, _action_log, window, cx| {
203 this.update_excerpts(window, cx)
204 }),
205 match &thread {
206 AgentDiffThread::Native(thread) => cx
207 .subscribe(thread, |this, _thread, event, cx| {
208 this.handle_native_thread_event(event, cx)
209 }),
210 AgentDiffThread::AcpThread(thread) => cx
211 .subscribe(thread, |this, _thread, event, cx| {
212 this.handle_acp_thread_event(event, cx)
213 }),
214 },
215 ],
216 title: SharedString::default(),
217 multibuffer,
218 editor,
219 thread,
220 focus_handle,
221 workspace,
222 };
223 this.update_excerpts(window, cx);
224 this.update_title(cx);
225 this
226 }
227
228 fn update_excerpts(&mut self, window: &mut Window, cx: &mut Context<Self>) {
229 let changed_buffers = self.thread.action_log(cx).read(cx).changed_buffers(cx);
230 let mut paths_to_delete = self.multibuffer.read(cx).paths().collect::<HashSet<_>>();
231
232 for (buffer, diff_handle) in changed_buffers {
233 if buffer.read(cx).file().is_none() {
234 continue;
235 }
236
237 let path_key = PathKey::for_buffer(&buffer, cx);
238 paths_to_delete.remove(&path_key);
239
240 let snapshot = buffer.read(cx).snapshot();
241 let diff = diff_handle.read(cx);
242
243 let diff_hunk_ranges = diff
244 .hunks_intersecting_range(
245 language::Anchor::MIN..language::Anchor::MAX,
246 &snapshot,
247 cx,
248 )
249 .map(|diff_hunk| diff_hunk.buffer_range.to_point(&snapshot))
250 .collect::<Vec<_>>();
251
252 let (was_empty, is_excerpt_newly_added) =
253 self.multibuffer.update(cx, |multibuffer, cx| {
254 let was_empty = multibuffer.is_empty();
255 let (_, is_excerpt_newly_added) = multibuffer.set_excerpts_for_path(
256 path_key.clone(),
257 buffer.clone(),
258 diff_hunk_ranges,
259 multibuffer_context_lines(cx),
260 cx,
261 );
262 multibuffer.add_diff(diff_handle, cx);
263 (was_empty, is_excerpt_newly_added)
264 });
265
266 self.editor.update(cx, |editor, cx| {
267 if was_empty {
268 let first_hunk = editor
269 .diff_hunks_in_ranges(
270 &[editor::Anchor::min()..editor::Anchor::max()],
271 &self.multibuffer.read(cx).read(cx),
272 )
273 .next();
274
275 if let Some(first_hunk) = first_hunk {
276 let first_hunk_start = first_hunk.multi_buffer_range().start;
277 editor.change_selections(Default::default(), window, cx, |selections| {
278 selections.select_anchor_ranges([first_hunk_start..first_hunk_start]);
279 })
280 }
281 }
282
283 if is_excerpt_newly_added
284 && buffer
285 .read(cx)
286 .file()
287 .is_some_and(|file| file.disk_state() == DiskState::Deleted)
288 {
289 editor.fold_buffer(snapshot.text.remote_id(), cx)
290 }
291 });
292 }
293
294 self.multibuffer.update(cx, |multibuffer, cx| {
295 for path in paths_to_delete {
296 multibuffer.remove_excerpts_for_path(path, cx);
297 }
298 });
299
300 if self.multibuffer.read(cx).is_empty()
301 && self
302 .editor
303 .read(cx)
304 .focus_handle(cx)
305 .contains_focused(window, cx)
306 {
307 self.focus_handle.focus(window);
308 } else if self.focus_handle.is_focused(window) && !self.multibuffer.read(cx).is_empty() {
309 self.editor.update(cx, |editor, cx| {
310 editor.focus_handle(cx).focus(window);
311 });
312 }
313 }
314
315 fn update_title(&mut self, cx: &mut Context<Self>) {
316 let new_title = self.thread.summary(cx).unwrap_or("Agent Changes");
317 if new_title != self.title {
318 self.title = new_title;
319 cx.emit(EditorEvent::TitleChanged);
320 }
321 }
322
323 fn handle_native_thread_event(&mut self, event: &ThreadEvent, cx: &mut Context<Self>) {
324 if let ThreadEvent::SummaryGenerated = event {
325 self.update_title(cx)
326 }
327 }
328
329 fn handle_acp_thread_event(&mut self, event: &AcpThreadEvent, cx: &mut Context<Self>) {
330 if let AcpThreadEvent::TitleUpdated = event {
331 self.update_title(cx)
332 }
333 }
334
335 pub fn move_to_path(&self, path_key: PathKey, window: &mut Window, cx: &mut App) {
336 if let Some(position) = self.multibuffer.read(cx).location_for_path(&path_key, cx) {
337 self.editor.update(cx, |editor, cx| {
338 let first_hunk = editor
339 .diff_hunks_in_ranges(
340 &[position..editor::Anchor::max()],
341 &self.multibuffer.read(cx).read(cx),
342 )
343 .next();
344
345 if let Some(first_hunk) = first_hunk {
346 let first_hunk_start = first_hunk.multi_buffer_range().start;
347 editor.change_selections(Default::default(), window, cx, |selections| {
348 selections.select_anchor_ranges([first_hunk_start..first_hunk_start]);
349 })
350 }
351 });
352 }
353 }
354
355 fn keep(&mut self, _: &Keep, window: &mut Window, cx: &mut Context<Self>) {
356 self.editor.update(cx, |editor, cx| {
357 let snapshot = editor.buffer().read(cx).snapshot(cx);
358 keep_edits_in_selection(editor, &snapshot, &self.thread, window, cx);
359 });
360 }
361
362 fn reject(&mut self, _: &Reject, window: &mut Window, cx: &mut Context<Self>) {
363 self.editor.update(cx, |editor, cx| {
364 let snapshot = editor.buffer().read(cx).snapshot(cx);
365 reject_edits_in_selection(editor, &snapshot, &self.thread, window, cx);
366 });
367 }
368
369 fn reject_all(&mut self, _: &RejectAll, window: &mut Window, cx: &mut Context<Self>) {
370 self.editor.update(cx, |editor, cx| {
371 let snapshot = editor.buffer().read(cx).snapshot(cx);
372 reject_edits_in_ranges(
373 editor,
374 &snapshot,
375 &self.thread,
376 vec![editor::Anchor::min()..editor::Anchor::max()],
377 window,
378 cx,
379 );
380 });
381 }
382
383 fn keep_all(&mut self, _: &KeepAll, _window: &mut Window, cx: &mut Context<Self>) {
384 self.thread
385 .action_log(cx)
386 .update(cx, |action_log, cx| action_log.keep_all_edits(cx))
387 }
388}
389
390fn keep_edits_in_selection(
391 editor: &mut Editor,
392 buffer_snapshot: &MultiBufferSnapshot,
393 thread: &AgentDiffThread,
394 window: &mut Window,
395 cx: &mut Context<Editor>,
396) {
397 let ranges = editor
398 .selections
399 .disjoint_anchor_ranges()
400 .collect::<Vec<_>>();
401
402 keep_edits_in_ranges(editor, buffer_snapshot, thread, ranges, window, cx)
403}
404
405fn reject_edits_in_selection(
406 editor: &mut Editor,
407 buffer_snapshot: &MultiBufferSnapshot,
408 thread: &AgentDiffThread,
409 window: &mut Window,
410 cx: &mut Context<Editor>,
411) {
412 let ranges = editor
413 .selections
414 .disjoint_anchor_ranges()
415 .collect::<Vec<_>>();
416 reject_edits_in_ranges(editor, buffer_snapshot, thread, ranges, window, cx)
417}
418
419fn keep_edits_in_ranges(
420 editor: &mut Editor,
421 buffer_snapshot: &MultiBufferSnapshot,
422 thread: &AgentDiffThread,
423 ranges: Vec<Range<editor::Anchor>>,
424 window: &mut Window,
425 cx: &mut Context<Editor>,
426) {
427 let diff_hunks_in_ranges = editor
428 .diff_hunks_in_ranges(&ranges, buffer_snapshot)
429 .collect::<Vec<_>>();
430
431 update_editor_selection(editor, buffer_snapshot, &diff_hunks_in_ranges, window, cx);
432
433 let multibuffer = editor.buffer().clone();
434 for hunk in &diff_hunks_in_ranges {
435 let buffer = multibuffer.read(cx).buffer(hunk.buffer_id);
436 if let Some(buffer) = buffer {
437 thread.action_log(cx).update(cx, |action_log, cx| {
438 action_log.keep_edits_in_range(buffer, hunk.buffer_range.clone(), cx)
439 });
440 }
441 }
442}
443
444fn reject_edits_in_ranges(
445 editor: &mut Editor,
446 buffer_snapshot: &MultiBufferSnapshot,
447 thread: &AgentDiffThread,
448 ranges: Vec<Range<editor::Anchor>>,
449 window: &mut Window,
450 cx: &mut Context<Editor>,
451) {
452 let diff_hunks_in_ranges = editor
453 .diff_hunks_in_ranges(&ranges, buffer_snapshot)
454 .collect::<Vec<_>>();
455
456 update_editor_selection(editor, buffer_snapshot, &diff_hunks_in_ranges, window, cx);
457
458 let multibuffer = editor.buffer().clone();
459
460 let mut ranges_by_buffer = HashMap::default();
461 for hunk in &diff_hunks_in_ranges {
462 let buffer = multibuffer.read(cx).buffer(hunk.buffer_id);
463 if let Some(buffer) = buffer {
464 ranges_by_buffer
465 .entry(buffer.clone())
466 .or_insert_with(Vec::new)
467 .push(hunk.buffer_range.clone());
468 }
469 }
470
471 for (buffer, ranges) in ranges_by_buffer {
472 thread
473 .action_log(cx)
474 .update(cx, |action_log, cx| {
475 action_log.reject_edits_in_ranges(buffer, ranges, cx)
476 })
477 .detach_and_log_err(cx);
478 }
479}
480
481fn update_editor_selection(
482 editor: &mut Editor,
483 buffer_snapshot: &MultiBufferSnapshot,
484 diff_hunks: &[multi_buffer::MultiBufferDiffHunk],
485 window: &mut Window,
486 cx: &mut Context<Editor>,
487) {
488 let newest_cursor = editor.selections.newest::<Point>(cx).head();
489
490 if !diff_hunks.iter().any(|hunk| {
491 hunk.row_range
492 .contains(&multi_buffer::MultiBufferRow(newest_cursor.row))
493 }) {
494 return;
495 }
496
497 let target_hunk = {
498 diff_hunks
499 .last()
500 .and_then(|last_kept_hunk| {
501 let last_kept_hunk_end = last_kept_hunk.multi_buffer_range().end;
502 editor
503 .diff_hunks_in_ranges(
504 &[last_kept_hunk_end..editor::Anchor::max()],
505 buffer_snapshot,
506 )
507 .nth(1)
508 })
509 .or_else(|| {
510 let first_kept_hunk = diff_hunks.first()?;
511 let first_kept_hunk_start = first_kept_hunk.multi_buffer_range().start;
512 editor
513 .diff_hunks_in_ranges(
514 &[editor::Anchor::min()..first_kept_hunk_start],
515 buffer_snapshot,
516 )
517 .next()
518 })
519 };
520
521 if let Some(target_hunk) = target_hunk {
522 editor.change_selections(Default::default(), window, cx, |selections| {
523 let next_hunk_start = target_hunk.multi_buffer_range().start;
524 selections.select_anchor_ranges([next_hunk_start..next_hunk_start]);
525 })
526 }
527}
528
529impl EventEmitter<EditorEvent> for AgentDiffPane {}
530
531impl Focusable for AgentDiffPane {
532 fn focus_handle(&self, cx: &App) -> FocusHandle {
533 if self.multibuffer.read(cx).is_empty() {
534 self.focus_handle.clone()
535 } else {
536 self.editor.focus_handle(cx)
537 }
538 }
539}
540
541impl Item for AgentDiffPane {
542 type Event = EditorEvent;
543
544 fn tab_icon(&self, _window: &Window, _cx: &App) -> Option<Icon> {
545 Some(Icon::new(IconName::ZedAssistant).color(Color::Muted))
546 }
547
548 fn to_item_events(event: &EditorEvent, f: impl FnMut(ItemEvent)) {
549 Editor::to_item_events(event, f)
550 }
551
552 fn deactivated(&mut self, window: &mut Window, cx: &mut Context<Self>) {
553 self.editor
554 .update(cx, |editor, cx| editor.deactivated(window, cx));
555 }
556
557 fn navigate(
558 &mut self,
559 data: Box<dyn Any>,
560 window: &mut Window,
561 cx: &mut Context<Self>,
562 ) -> bool {
563 self.editor
564 .update(cx, |editor, cx| editor.navigate(data, window, cx))
565 }
566
567 fn tab_tooltip_text(&self, _: &App) -> Option<SharedString> {
568 Some("Agent Diff".into())
569 }
570
571 fn tab_content(&self, params: TabContentParams, _window: &Window, cx: &App) -> AnyElement {
572 let summary = self.thread.summary(cx).unwrap_or("Agent Changes");
573 Label::new(format!("Review: {}", summary))
574 .color(if params.selected {
575 Color::Default
576 } else {
577 Color::Muted
578 })
579 .into_any_element()
580 }
581
582 fn telemetry_event_text(&self) -> Option<&'static str> {
583 Some("Assistant Diff Opened")
584 }
585
586 fn as_searchable(&self, _: &Entity<Self>) -> Option<Box<dyn SearchableItemHandle>> {
587 Some(Box::new(self.editor.clone()))
588 }
589
590 fn for_each_project_item(
591 &self,
592 cx: &App,
593 f: &mut dyn FnMut(gpui::EntityId, &dyn project::ProjectItem),
594 ) {
595 self.editor.for_each_project_item(cx, f)
596 }
597
598 fn is_singleton(&self, _: &App) -> bool {
599 false
600 }
601
602 fn set_nav_history(
603 &mut self,
604 nav_history: ItemNavHistory,
605 _: &mut Window,
606 cx: &mut Context<Self>,
607 ) {
608 self.editor.update(cx, |editor, _| {
609 editor.set_nav_history(Some(nav_history));
610 });
611 }
612
613 fn clone_on_split(
614 &self,
615 _workspace_id: Option<workspace::WorkspaceId>,
616 window: &mut Window,
617 cx: &mut Context<Self>,
618 ) -> Option<Entity<Self>>
619 where
620 Self: Sized,
621 {
622 Some(cx.new(|cx| Self::new(self.thread.clone(), self.workspace.clone(), window, cx)))
623 }
624
625 fn is_dirty(&self, cx: &App) -> bool {
626 self.multibuffer.read(cx).is_dirty(cx)
627 }
628
629 fn has_conflict(&self, cx: &App) -> bool {
630 self.multibuffer.read(cx).has_conflict(cx)
631 }
632
633 fn can_save(&self, _: &App) -> bool {
634 true
635 }
636
637 fn save(
638 &mut self,
639 options: SaveOptions,
640 project: Entity<Project>,
641 window: &mut Window,
642 cx: &mut Context<Self>,
643 ) -> Task<Result<()>> {
644 self.editor.save(options, project, window, cx)
645 }
646
647 fn save_as(
648 &mut self,
649 _: Entity<Project>,
650 _: ProjectPath,
651 _window: &mut Window,
652 _: &mut Context<Self>,
653 ) -> Task<Result<()>> {
654 unreachable!()
655 }
656
657 fn reload(
658 &mut self,
659 project: Entity<Project>,
660 window: &mut Window,
661 cx: &mut Context<Self>,
662 ) -> Task<Result<()>> {
663 self.editor.reload(project, window, cx)
664 }
665
666 fn act_as_type<'a>(
667 &'a self,
668 type_id: TypeId,
669 self_handle: &'a Entity<Self>,
670 _: &'a App,
671 ) -> Option<AnyView> {
672 if type_id == TypeId::of::<Self>() {
673 Some(self_handle.to_any())
674 } else if type_id == TypeId::of::<Editor>() {
675 Some(self.editor.to_any())
676 } else {
677 None
678 }
679 }
680
681 fn breadcrumb_location(&self, _: &App) -> ToolbarItemLocation {
682 ToolbarItemLocation::PrimaryLeft
683 }
684
685 fn breadcrumbs(&self, theme: &theme::Theme, cx: &App) -> Option<Vec<BreadcrumbText>> {
686 self.editor.breadcrumbs(theme, cx)
687 }
688
689 fn added_to_workspace(
690 &mut self,
691 workspace: &mut Workspace,
692 window: &mut Window,
693 cx: &mut Context<Self>,
694 ) {
695 self.editor.update(cx, |editor, cx| {
696 editor.added_to_workspace(workspace, window, cx)
697 });
698 }
699
700 fn tab_content_text(&self, _detail: usize, _cx: &App) -> SharedString {
701 "Agent Diff".into()
702 }
703}
704
705impl Render for AgentDiffPane {
706 fn render(&mut self, window: &mut Window, cx: &mut Context<Self>) -> impl IntoElement {
707 let is_empty = self.multibuffer.read(cx).is_empty();
708 let focus_handle = &self.focus_handle;
709
710 div()
711 .track_focus(focus_handle)
712 .key_context(if is_empty { "EmptyPane" } else { "AgentDiff" })
713 .on_action(cx.listener(Self::keep))
714 .on_action(cx.listener(Self::reject))
715 .on_action(cx.listener(Self::reject_all))
716 .on_action(cx.listener(Self::keep_all))
717 .bg(cx.theme().colors().editor_background)
718 .flex()
719 .items_center()
720 .justify_center()
721 .size_full()
722 .when(is_empty, |el| {
723 el.child(
724 v_flex()
725 .items_center()
726 .gap_2()
727 .child("No changes to review")
728 .child(
729 Button::new("continue-iterating", "Continue Iterating")
730 .style(ButtonStyle::Filled)
731 .icon(IconName::ForwardArrow)
732 .icon_position(IconPosition::Start)
733 .icon_size(IconSize::Small)
734 .icon_color(Color::Muted)
735 .full_width()
736 .key_binding(KeyBinding::for_action_in(
737 &ToggleFocus,
738 &focus_handle.clone(),
739 window,
740 cx,
741 ))
742 .on_click(|_event, window, cx| {
743 window.dispatch_action(ToggleFocus.boxed_clone(), cx)
744 }),
745 ),
746 )
747 })
748 .when(!is_empty, |el| el.child(self.editor.clone()))
749 }
750}
751
752fn diff_hunk_controls(thread: &AgentDiffThread) -> editor::RenderDiffHunkControlsFn {
753 let thread = thread.clone();
754
755 Arc::new(
756 move |row,
757 status: &DiffHunkStatus,
758 hunk_range,
759 is_created_file,
760 line_height,
761 editor: &Entity<Editor>,
762 window: &mut Window,
763 cx: &mut App| {
764 {
765 render_diff_hunk_controls(
766 row,
767 status,
768 hunk_range,
769 is_created_file,
770 line_height,
771 &thread,
772 editor,
773 window,
774 cx,
775 )
776 }
777 },
778 )
779}
780
781fn render_diff_hunk_controls(
782 row: u32,
783 _status: &DiffHunkStatus,
784 hunk_range: Range<editor::Anchor>,
785 is_created_file: bool,
786 line_height: Pixels,
787 thread: &AgentDiffThread,
788 editor: &Entity<Editor>,
789 window: &mut Window,
790 cx: &mut App,
791) -> AnyElement {
792 let editor = editor.clone();
793
794 h_flex()
795 .h(line_height)
796 .mr_0p5()
797 .gap_1()
798 .px_0p5()
799 .pb_1()
800 .border_x_1()
801 .border_b_1()
802 .border_color(cx.theme().colors().border)
803 .rounded_b_md()
804 .bg(cx.theme().colors().editor_background)
805 .gap_1()
806 .block_mouse_except_scroll()
807 .shadow_md()
808 .children(vec![
809 Button::new(("reject", row as u64), "Reject")
810 .disabled(is_created_file)
811 .key_binding(
812 KeyBinding::for_action_in(
813 &Reject,
814 &editor.read(cx).focus_handle(cx),
815 window,
816 cx,
817 )
818 .map(|kb| kb.size(rems_from_px(12.))),
819 )
820 .on_click({
821 let editor = editor.clone();
822 let thread = thread.clone();
823 move |_event, window, cx| {
824 editor.update(cx, |editor, cx| {
825 let snapshot = editor.buffer().read(cx).snapshot(cx);
826 reject_edits_in_ranges(
827 editor,
828 &snapshot,
829 &thread,
830 vec![hunk_range.start..hunk_range.start],
831 window,
832 cx,
833 );
834 })
835 }
836 }),
837 Button::new(("keep", row as u64), "Keep")
838 .key_binding(
839 KeyBinding::for_action_in(&Keep, &editor.read(cx).focus_handle(cx), window, cx)
840 .map(|kb| kb.size(rems_from_px(12.))),
841 )
842 .on_click({
843 let editor = editor.clone();
844 let thread = thread.clone();
845 move |_event, window, cx| {
846 editor.update(cx, |editor, cx| {
847 let snapshot = editor.buffer().read(cx).snapshot(cx);
848 keep_edits_in_ranges(
849 editor,
850 &snapshot,
851 &thread,
852 vec![hunk_range.start..hunk_range.start],
853 window,
854 cx,
855 );
856 });
857 }
858 }),
859 ])
860 .when(
861 !editor.read(cx).buffer().read(cx).all_diff_hunks_expanded(),
862 |el| {
863 el.child(
864 IconButton::new(("next-hunk", row as u64), IconName::ArrowDown)
865 .shape(IconButtonShape::Square)
866 .icon_size(IconSize::Small)
867 // .disabled(!has_multiple_hunks)
868 .tooltip({
869 let focus_handle = editor.focus_handle(cx);
870 move |window, cx| {
871 Tooltip::for_action_in(
872 "Next Hunk",
873 &GoToHunk,
874 &focus_handle,
875 window,
876 cx,
877 )
878 }
879 })
880 .on_click({
881 let editor = editor.clone();
882 move |_event, window, cx| {
883 editor.update(cx, |editor, cx| {
884 let snapshot = editor.snapshot(window, cx);
885 let position =
886 hunk_range.end.to_point(&snapshot.buffer_snapshot);
887 editor.go_to_hunk_before_or_after_position(
888 &snapshot,
889 position,
890 Direction::Next,
891 window,
892 cx,
893 );
894 editor.expand_selected_diff_hunks(cx);
895 });
896 }
897 }),
898 )
899 .child(
900 IconButton::new(("prev-hunk", row as u64), IconName::ArrowUp)
901 .shape(IconButtonShape::Square)
902 .icon_size(IconSize::Small)
903 // .disabled(!has_multiple_hunks)
904 .tooltip({
905 let focus_handle = editor.focus_handle(cx);
906 move |window, cx| {
907 Tooltip::for_action_in(
908 "Previous Hunk",
909 &GoToPreviousHunk,
910 &focus_handle,
911 window,
912 cx,
913 )
914 }
915 })
916 .on_click({
917 let editor = editor.clone();
918 move |_event, window, cx| {
919 editor.update(cx, |editor, cx| {
920 let snapshot = editor.snapshot(window, cx);
921 let point =
922 hunk_range.start.to_point(&snapshot.buffer_snapshot);
923 editor.go_to_hunk_before_or_after_position(
924 &snapshot,
925 point,
926 Direction::Prev,
927 window,
928 cx,
929 );
930 editor.expand_selected_diff_hunks(cx);
931 });
932 }
933 }),
934 )
935 },
936 )
937 .into_any_element()
938}
939
940struct AgentDiffAddon;
941
942impl editor::Addon for AgentDiffAddon {
943 fn to_any(&self) -> &dyn std::any::Any {
944 self
945 }
946
947 fn extend_key_context(&self, key_context: &mut gpui::KeyContext, _: &App) {
948 key_context.add("agent_diff");
949 }
950}
951
952pub struct AgentDiffToolbar {
953 active_item: Option<AgentDiffToolbarItem>,
954 _settings_subscription: Subscription,
955}
956
957pub enum AgentDiffToolbarItem {
958 Pane(WeakEntity<AgentDiffPane>),
959 Editor {
960 editor: WeakEntity<Editor>,
961 state: EditorState,
962 _diff_subscription: Subscription,
963 },
964}
965
966impl AgentDiffToolbar {
967 pub fn new(cx: &mut Context<Self>) -> Self {
968 Self {
969 active_item: None,
970 _settings_subscription: cx.observe_global::<SettingsStore>(Self::update_location),
971 }
972 }
973
974 fn dispatch_action(&self, action: &dyn Action, window: &mut Window, cx: &mut Context<Self>) {
975 let Some(active_item) = self.active_item.as_ref() else {
976 return;
977 };
978
979 match active_item {
980 AgentDiffToolbarItem::Pane(agent_diff) => {
981 if let Some(agent_diff) = agent_diff.upgrade() {
982 agent_diff.focus_handle(cx).focus(window);
983 }
984 }
985 AgentDiffToolbarItem::Editor { editor, .. } => {
986 if let Some(editor) = editor.upgrade() {
987 editor.read(cx).focus_handle(cx).focus(window);
988 }
989 }
990 }
991
992 let action = action.boxed_clone();
993 cx.defer(move |cx| {
994 cx.dispatch_action(action.as_ref());
995 })
996 }
997
998 fn handle_diff_notify(&mut self, agent_diff: Entity<AgentDiff>, cx: &mut Context<Self>) {
999 let Some(AgentDiffToolbarItem::Editor { editor, state, .. }) = self.active_item.as_mut()
1000 else {
1001 return;
1002 };
1003
1004 *state = agent_diff.read(cx).editor_state(editor);
1005 self.update_location(cx);
1006 cx.notify();
1007 }
1008
1009 fn update_location(&mut self, cx: &mut Context<Self>) {
1010 let location = self.location(cx);
1011 cx.emit(ToolbarItemEvent::ChangeLocation(location));
1012 }
1013
1014 fn location(&self, cx: &App) -> ToolbarItemLocation {
1015 if !EditorSettings::get_global(cx).toolbar.agent_review {
1016 return ToolbarItemLocation::Hidden;
1017 }
1018
1019 match &self.active_item {
1020 None => ToolbarItemLocation::Hidden,
1021 Some(AgentDiffToolbarItem::Pane(_)) => ToolbarItemLocation::PrimaryRight,
1022 Some(AgentDiffToolbarItem::Editor { state, .. }) => match state {
1023 EditorState::Generating | EditorState::Reviewing => {
1024 ToolbarItemLocation::PrimaryRight
1025 }
1026 EditorState::Idle => ToolbarItemLocation::Hidden,
1027 },
1028 }
1029 }
1030}
1031
1032impl EventEmitter<ToolbarItemEvent> for AgentDiffToolbar {}
1033
1034impl ToolbarItemView for AgentDiffToolbar {
1035 fn set_active_pane_item(
1036 &mut self,
1037 active_pane_item: Option<&dyn ItemHandle>,
1038 _: &mut Window,
1039 cx: &mut Context<Self>,
1040 ) -> ToolbarItemLocation {
1041 if let Some(item) = active_pane_item {
1042 if let Some(pane) = item.act_as::<AgentDiffPane>(cx) {
1043 self.active_item = Some(AgentDiffToolbarItem::Pane(pane.downgrade()));
1044 return self.location(cx);
1045 }
1046
1047 if let Some(editor) = item.act_as::<Editor>(cx)
1048 && editor.read(cx).mode().is_full()
1049 {
1050 let agent_diff = AgentDiff::global(cx);
1051
1052 self.active_item = Some(AgentDiffToolbarItem::Editor {
1053 editor: editor.downgrade(),
1054 state: agent_diff.read(cx).editor_state(&editor.downgrade()),
1055 _diff_subscription: cx.observe(&agent_diff, Self::handle_diff_notify),
1056 });
1057
1058 return self.location(cx);
1059 }
1060 }
1061
1062 self.active_item = None;
1063 self.location(cx)
1064 }
1065
1066 fn pane_focus_update(
1067 &mut self,
1068 _pane_focused: bool,
1069 _window: &mut Window,
1070 _cx: &mut Context<Self>,
1071 ) {
1072 }
1073}
1074
1075impl Render for AgentDiffToolbar {
1076 fn render(&mut self, window: &mut Window, cx: &mut Context<Self>) -> impl IntoElement {
1077 let spinner_icon = div()
1078 .px_0p5()
1079 .id("generating")
1080 .tooltip(Tooltip::text("Generating Changes…"))
1081 .child(
1082 Icon::new(IconName::LoadCircle)
1083 .size(IconSize::Small)
1084 .color(Color::Accent)
1085 .with_rotate_animation(3),
1086 )
1087 .into_any();
1088
1089 let Some(active_item) = self.active_item.as_ref() else {
1090 return Empty.into_any();
1091 };
1092
1093 match active_item {
1094 AgentDiffToolbarItem::Editor { editor, state, .. } => {
1095 let Some(editor) = editor.upgrade() else {
1096 return Empty.into_any();
1097 };
1098
1099 let editor_focus_handle = editor.read(cx).focus_handle(cx);
1100
1101 let content = match state {
1102 EditorState::Idle => return Empty.into_any(),
1103 EditorState::Generating => vec![spinner_icon],
1104 EditorState::Reviewing => vec![
1105 h_flex()
1106 .child(
1107 IconButton::new("hunk-up", IconName::ArrowUp)
1108 .icon_size(IconSize::Small)
1109 .tooltip(Tooltip::for_action_title_in(
1110 "Previous Hunk",
1111 &GoToPreviousHunk,
1112 &editor_focus_handle,
1113 ))
1114 .on_click({
1115 let editor_focus_handle = editor_focus_handle.clone();
1116 move |_, window, cx| {
1117 editor_focus_handle.dispatch_action(
1118 &GoToPreviousHunk,
1119 window,
1120 cx,
1121 );
1122 }
1123 }),
1124 )
1125 .child(
1126 IconButton::new("hunk-down", IconName::ArrowDown)
1127 .icon_size(IconSize::Small)
1128 .tooltip(Tooltip::for_action_title_in(
1129 "Next Hunk",
1130 &GoToHunk,
1131 &editor_focus_handle,
1132 ))
1133 .on_click({
1134 let editor_focus_handle = editor_focus_handle.clone();
1135 move |_, window, cx| {
1136 editor_focus_handle
1137 .dispatch_action(&GoToHunk, window, cx);
1138 }
1139 }),
1140 )
1141 .into_any_element(),
1142 vertical_divider().into_any_element(),
1143 h_flex()
1144 .gap_0p5()
1145 .child(
1146 Button::new("reject-all", "Reject All")
1147 .key_binding({
1148 KeyBinding::for_action_in(
1149 &RejectAll,
1150 &editor_focus_handle,
1151 window,
1152 cx,
1153 )
1154 .map(|kb| kb.size(rems_from_px(12.)))
1155 })
1156 .on_click(cx.listener(|this, _, window, cx| {
1157 this.dispatch_action(&RejectAll, window, cx)
1158 })),
1159 )
1160 .child(
1161 Button::new("keep-all", "Keep All")
1162 .key_binding({
1163 KeyBinding::for_action_in(
1164 &KeepAll,
1165 &editor_focus_handle,
1166 window,
1167 cx,
1168 )
1169 .map(|kb| kb.size(rems_from_px(12.)))
1170 })
1171 .on_click(cx.listener(|this, _, window, cx| {
1172 this.dispatch_action(&KeepAll, window, cx)
1173 })),
1174 )
1175 .into_any_element(),
1176 ],
1177 };
1178
1179 h_flex()
1180 .track_focus(&editor_focus_handle)
1181 .size_full()
1182 .px_1()
1183 .mr_1()
1184 .gap_1()
1185 .children(content)
1186 .child(vertical_divider())
1187 .when_some(editor.read(cx).workspace(), |this, _workspace| {
1188 this.child(
1189 IconButton::new("review", IconName::ListTodo)
1190 .icon_size(IconSize::Small)
1191 .tooltip(Tooltip::for_action_title_in(
1192 "Review All Files",
1193 &OpenAgentDiff,
1194 &editor_focus_handle,
1195 ))
1196 .on_click({
1197 cx.listener(move |this, _, window, cx| {
1198 this.dispatch_action(&OpenAgentDiff, window, cx);
1199 })
1200 }),
1201 )
1202 })
1203 .child(vertical_divider())
1204 .on_action({
1205 let editor = editor.clone();
1206 move |_action: &OpenAgentDiff, window, cx| {
1207 AgentDiff::global(cx).update(cx, |agent_diff, cx| {
1208 agent_diff.deploy_pane_from_editor(&editor, window, cx);
1209 });
1210 }
1211 })
1212 .into_any()
1213 }
1214 AgentDiffToolbarItem::Pane(agent_diff) => {
1215 let Some(agent_diff) = agent_diff.upgrade() else {
1216 return Empty.into_any();
1217 };
1218
1219 let has_pending_edit_tool_use =
1220 agent_diff.read(cx).thread.has_pending_edit_tool_uses(cx);
1221
1222 if has_pending_edit_tool_use {
1223 return div().px_2().child(spinner_icon).into_any();
1224 }
1225
1226 let is_empty = agent_diff.read(cx).multibuffer.read(cx).is_empty();
1227 if is_empty {
1228 return Empty.into_any();
1229 }
1230
1231 let focus_handle = agent_diff.focus_handle(cx);
1232
1233 h_group_xl()
1234 .my_neg_1()
1235 .py_1()
1236 .items_center()
1237 .flex_wrap()
1238 .child(
1239 h_group_sm()
1240 .child(
1241 Button::new("reject-all", "Reject All")
1242 .key_binding({
1243 KeyBinding::for_action_in(
1244 &RejectAll,
1245 &focus_handle,
1246 window,
1247 cx,
1248 )
1249 .map(|kb| kb.size(rems_from_px(12.)))
1250 })
1251 .on_click(cx.listener(|this, _, window, cx| {
1252 this.dispatch_action(&RejectAll, window, cx)
1253 })),
1254 )
1255 .child(
1256 Button::new("keep-all", "Keep All")
1257 .key_binding({
1258 KeyBinding::for_action_in(
1259 &KeepAll,
1260 &focus_handle,
1261 window,
1262 cx,
1263 )
1264 .map(|kb| kb.size(rems_from_px(12.)))
1265 })
1266 .on_click(cx.listener(|this, _, window, cx| {
1267 this.dispatch_action(&KeepAll, window, cx)
1268 })),
1269 ),
1270 )
1271 .into_any()
1272 }
1273 }
1274 }
1275}
1276
1277#[derive(Default)]
1278pub struct AgentDiff {
1279 reviewing_editors: HashMap<WeakEntity<Editor>, EditorState>,
1280 workspace_threads: HashMap<WeakEntity<Workspace>, WorkspaceThread>,
1281}
1282
1283#[derive(Clone, Debug, PartialEq, Eq)]
1284pub enum EditorState {
1285 Idle,
1286 Reviewing,
1287 Generating,
1288}
1289
1290struct WorkspaceThread {
1291 thread: WeakAgentDiffThread,
1292 _thread_subscriptions: (Subscription, Subscription),
1293 singleton_editors: HashMap<WeakEntity<Buffer>, HashMap<WeakEntity<Editor>, Subscription>>,
1294 _settings_subscription: Subscription,
1295 _workspace_subscription: Option<Subscription>,
1296}
1297
1298struct AgentDiffGlobal(Entity<AgentDiff>);
1299
1300impl Global for AgentDiffGlobal {}
1301
1302impl AgentDiff {
1303 fn global(cx: &mut App) -> Entity<Self> {
1304 cx.try_global::<AgentDiffGlobal>()
1305 .map(|global| global.0.clone())
1306 .unwrap_or_else(|| {
1307 let entity = cx.new(|_cx| Self::default());
1308 let global = AgentDiffGlobal(entity.clone());
1309 cx.set_global(global);
1310 entity
1311 })
1312 }
1313
1314 pub fn set_active_thread(
1315 workspace: &WeakEntity<Workspace>,
1316 thread: impl Into<AgentDiffThread>,
1317 window: &mut Window,
1318 cx: &mut App,
1319 ) {
1320 Self::global(cx).update(cx, |this, cx| {
1321 this.register_active_thread_impl(workspace, thread.into(), window, cx);
1322 });
1323 }
1324
1325 fn register_active_thread_impl(
1326 &mut self,
1327 workspace: &WeakEntity<Workspace>,
1328 thread: AgentDiffThread,
1329 window: &mut Window,
1330 cx: &mut Context<Self>,
1331 ) {
1332 let action_log = thread.action_log(cx);
1333
1334 let action_log_subscription = cx.observe_in(&action_log, window, {
1335 let workspace = workspace.clone();
1336 move |this, _action_log, window, cx| {
1337 this.update_reviewing_editors(&workspace, window, cx);
1338 }
1339 });
1340
1341 let thread_subscription = match &thread {
1342 AgentDiffThread::Native(thread) => cx.subscribe_in(thread, window, {
1343 let workspace = workspace.clone();
1344 move |this, _thread, event, window, cx| {
1345 this.handle_native_thread_event(&workspace, event, window, cx)
1346 }
1347 }),
1348 AgentDiffThread::AcpThread(thread) => cx.subscribe_in(thread, window, {
1349 let workspace = workspace.clone();
1350 move |this, thread, event, window, cx| {
1351 this.handle_acp_thread_event(&workspace, thread, event, window, cx)
1352 }
1353 }),
1354 };
1355
1356 if let Some(workspace_thread) = self.workspace_threads.get_mut(workspace) {
1357 // replace thread and action log subscription, but keep editors
1358 workspace_thread.thread = thread.downgrade();
1359 workspace_thread._thread_subscriptions = (action_log_subscription, thread_subscription);
1360 self.update_reviewing_editors(workspace, window, cx);
1361 return;
1362 }
1363
1364 let settings_subscription = cx.observe_global_in::<SettingsStore>(window, {
1365 let workspace = workspace.clone();
1366 let mut was_active = AgentSettings::get_global(cx).single_file_review;
1367 move |this, window, cx| {
1368 let is_active = AgentSettings::get_global(cx).single_file_review;
1369 if was_active != is_active {
1370 was_active = is_active;
1371 this.update_reviewing_editors(&workspace, window, cx);
1372 }
1373 }
1374 });
1375
1376 let workspace_subscription = workspace
1377 .upgrade()
1378 .map(|workspace| cx.subscribe_in(&workspace, window, Self::handle_workspace_event));
1379
1380 self.workspace_threads.insert(
1381 workspace.clone(),
1382 WorkspaceThread {
1383 thread: thread.downgrade(),
1384 _thread_subscriptions: (action_log_subscription, thread_subscription),
1385 singleton_editors: HashMap::default(),
1386 _settings_subscription: settings_subscription,
1387 _workspace_subscription: workspace_subscription,
1388 },
1389 );
1390
1391 let workspace = workspace.clone();
1392 cx.defer_in(window, move |this, window, cx| {
1393 if let Some(workspace) = workspace.upgrade() {
1394 this.register_workspace(workspace, window, cx);
1395 }
1396 });
1397 }
1398
1399 fn register_workspace(
1400 &mut self,
1401 workspace: Entity<Workspace>,
1402 window: &mut Window,
1403 cx: &mut Context<Self>,
1404 ) {
1405 let agent_diff = cx.entity();
1406
1407 let editors = workspace.update(cx, |workspace, cx| {
1408 let agent_diff = agent_diff.clone();
1409
1410 Self::register_review_action::<Keep>(workspace, Self::keep, &agent_diff);
1411 Self::register_review_action::<Reject>(workspace, Self::reject, &agent_diff);
1412 Self::register_review_action::<KeepAll>(workspace, Self::keep_all, &agent_diff);
1413 Self::register_review_action::<RejectAll>(workspace, Self::reject_all, &agent_diff);
1414
1415 workspace.items_of_type(cx).collect::<Vec<_>>()
1416 });
1417
1418 let weak_workspace = workspace.downgrade();
1419
1420 for editor in editors {
1421 if let Some(buffer) = Self::full_editor_buffer(editor.read(cx), cx) {
1422 self.register_editor(weak_workspace.clone(), buffer, editor, window, cx);
1423 };
1424 }
1425
1426 self.update_reviewing_editors(&weak_workspace, window, cx);
1427 }
1428
1429 fn register_review_action<T: Action>(
1430 workspace: &mut Workspace,
1431 review: impl Fn(&Entity<Editor>, &AgentDiffThread, &mut Window, &mut App) -> PostReviewState
1432 + 'static,
1433 this: &Entity<AgentDiff>,
1434 ) {
1435 let this = this.clone();
1436 workspace.register_action(move |workspace, _: &T, window, cx| {
1437 let review = &review;
1438 let task = this.update(cx, |this, cx| {
1439 this.review_in_active_editor(workspace, review, window, cx)
1440 });
1441
1442 if let Some(task) = task {
1443 task.detach_and_log_err(cx);
1444 } else {
1445 cx.propagate();
1446 }
1447 });
1448 }
1449
1450 fn handle_native_thread_event(
1451 &mut self,
1452 workspace: &WeakEntity<Workspace>,
1453 event: &ThreadEvent,
1454 window: &mut Window,
1455 cx: &mut Context<Self>,
1456 ) {
1457 match event {
1458 ThreadEvent::NewRequest
1459 | ThreadEvent::Stopped(Ok(StopReason::EndTurn))
1460 | ThreadEvent::Stopped(Ok(StopReason::MaxTokens))
1461 | ThreadEvent::Stopped(Ok(StopReason::Refusal))
1462 | ThreadEvent::Stopped(Err(_))
1463 | ThreadEvent::ShowError(_)
1464 | ThreadEvent::CompletionCanceled => {
1465 self.update_reviewing_editors(workspace, window, cx);
1466 }
1467 // intentionally being exhaustive in case we add a variant we should handle
1468 ThreadEvent::Stopped(Ok(StopReason::ToolUse))
1469 | ThreadEvent::StreamedCompletion
1470 | ThreadEvent::ReceivedTextChunk
1471 | ThreadEvent::StreamedAssistantText(_, _)
1472 | ThreadEvent::StreamedAssistantThinking(_, _)
1473 | ThreadEvent::StreamedToolUse { .. }
1474 | ThreadEvent::InvalidToolInput { .. }
1475 | ThreadEvent::MissingToolUse { .. }
1476 | ThreadEvent::MessageAdded(_)
1477 | ThreadEvent::MessageEdited(_)
1478 | ThreadEvent::MessageDeleted(_)
1479 | ThreadEvent::SummaryGenerated
1480 | ThreadEvent::SummaryChanged
1481 | ThreadEvent::UsePendingTools { .. }
1482 | ThreadEvent::ToolFinished { .. }
1483 | ThreadEvent::CheckpointChanged
1484 | ThreadEvent::ToolConfirmationNeeded
1485 | ThreadEvent::ToolUseLimitReached
1486 | ThreadEvent::CancelEditing
1487 | ThreadEvent::ProfileChanged => {}
1488 }
1489 }
1490
1491 fn handle_acp_thread_event(
1492 &mut self,
1493 workspace: &WeakEntity<Workspace>,
1494 thread: &Entity<AcpThread>,
1495 event: &AcpThreadEvent,
1496 window: &mut Window,
1497 cx: &mut Context<Self>,
1498 ) {
1499 match event {
1500 AcpThreadEvent::NewEntry => {
1501 if thread
1502 .read(cx)
1503 .entries()
1504 .last()
1505 .is_some_and(|entry| entry.diffs().next().is_some())
1506 {
1507 self.update_reviewing_editors(workspace, window, cx);
1508 }
1509 }
1510 AcpThreadEvent::EntryUpdated(ix) => {
1511 if thread
1512 .read(cx)
1513 .entries()
1514 .get(*ix)
1515 .is_some_and(|entry| entry.diffs().next().is_some())
1516 {
1517 self.update_reviewing_editors(workspace, window, cx);
1518 }
1519 }
1520 AcpThreadEvent::Stopped
1521 | AcpThreadEvent::Error
1522 | AcpThreadEvent::LoadError(_)
1523 | AcpThreadEvent::Refusal => {
1524 self.update_reviewing_editors(workspace, window, cx);
1525 }
1526 AcpThreadEvent::TitleUpdated
1527 | AcpThreadEvent::TokenUsageUpdated
1528 | AcpThreadEvent::EntriesRemoved(_)
1529 | AcpThreadEvent::ToolAuthorizationRequired
1530 | AcpThreadEvent::PromptCapabilitiesUpdated
1531 | AcpThreadEvent::AvailableCommandsUpdated(_)
1532 | AcpThreadEvent::Retry(_)
1533 | AcpThreadEvent::ModeUpdated(_) => {}
1534 }
1535 }
1536
1537 fn handle_workspace_event(
1538 &mut self,
1539 workspace: &Entity<Workspace>,
1540 event: &workspace::Event,
1541 window: &mut Window,
1542 cx: &mut Context<Self>,
1543 ) {
1544 if let workspace::Event::ItemAdded { item } = event
1545 && let Some(editor) = item.downcast::<Editor>()
1546 && let Some(buffer) = Self::full_editor_buffer(editor.read(cx), cx)
1547 {
1548 self.register_editor(workspace.downgrade(), buffer, editor, window, cx);
1549 }
1550 }
1551
1552 fn full_editor_buffer(editor: &Editor, cx: &App) -> Option<WeakEntity<Buffer>> {
1553 if editor.mode().is_full() {
1554 editor
1555 .buffer()
1556 .read(cx)
1557 .as_singleton()
1558 .map(|buffer| buffer.downgrade())
1559 } else {
1560 None
1561 }
1562 }
1563
1564 fn register_editor(
1565 &mut self,
1566 workspace: WeakEntity<Workspace>,
1567 buffer: WeakEntity<Buffer>,
1568 editor: Entity<Editor>,
1569 window: &mut Window,
1570 cx: &mut Context<Self>,
1571 ) {
1572 let Some(workspace_thread) = self.workspace_threads.get_mut(&workspace) else {
1573 return;
1574 };
1575
1576 let weak_editor = editor.downgrade();
1577
1578 workspace_thread
1579 .singleton_editors
1580 .entry(buffer.clone())
1581 .or_default()
1582 .entry(weak_editor.clone())
1583 .or_insert_with(|| {
1584 let workspace = workspace.clone();
1585 cx.observe_release(&editor, move |this, _, _cx| {
1586 let Some(active_thread) = this.workspace_threads.get_mut(&workspace) else {
1587 return;
1588 };
1589
1590 if let Entry::Occupied(mut entry) =
1591 active_thread.singleton_editors.entry(buffer)
1592 {
1593 let set = entry.get_mut();
1594 set.remove(&weak_editor);
1595
1596 if set.is_empty() {
1597 entry.remove();
1598 }
1599 }
1600 })
1601 });
1602
1603 self.update_reviewing_editors(&workspace, window, cx);
1604 }
1605
1606 fn update_reviewing_editors(
1607 &mut self,
1608 workspace: &WeakEntity<Workspace>,
1609 window: &mut Window,
1610 cx: &mut Context<Self>,
1611 ) {
1612 if !AgentSettings::get_global(cx).single_file_review {
1613 for (editor, _) in self.reviewing_editors.drain() {
1614 editor
1615 .update(cx, |editor, cx| {
1616 editor.end_temporary_diff_override(cx);
1617 editor.unregister_addon::<EditorAgentDiffAddon>();
1618 })
1619 .ok();
1620 }
1621 return;
1622 }
1623
1624 let Some(workspace_thread) = self.workspace_threads.get_mut(workspace) else {
1625 return;
1626 };
1627
1628 let Some(thread) = workspace_thread.thread.upgrade() else {
1629 return;
1630 };
1631
1632 let action_log = thread.action_log(cx);
1633 let changed_buffers = action_log.read(cx).changed_buffers(cx);
1634
1635 let mut unaffected = self.reviewing_editors.clone();
1636
1637 for (buffer, diff_handle) in changed_buffers {
1638 if buffer.read(cx).file().is_none() {
1639 continue;
1640 }
1641
1642 let Some(buffer_editors) = workspace_thread.singleton_editors.get(&buffer.downgrade())
1643 else {
1644 continue;
1645 };
1646
1647 for weak_editor in buffer_editors.keys() {
1648 let Some(editor) = weak_editor.upgrade() else {
1649 continue;
1650 };
1651
1652 let multibuffer = editor.read(cx).buffer().clone();
1653 multibuffer.update(cx, |multibuffer, cx| {
1654 multibuffer.add_diff(diff_handle.clone(), cx);
1655 });
1656
1657 let new_state = if thread.is_generating(cx) {
1658 EditorState::Generating
1659 } else {
1660 EditorState::Reviewing
1661 };
1662
1663 let previous_state = self
1664 .reviewing_editors
1665 .insert(weak_editor.clone(), new_state.clone());
1666
1667 if previous_state.is_none() {
1668 editor.update(cx, |editor, cx| {
1669 editor.start_temporary_diff_override();
1670 editor.set_render_diff_hunk_controls(diff_hunk_controls(&thread), cx);
1671 editor.set_expand_all_diff_hunks(cx);
1672 editor.register_addon(EditorAgentDiffAddon);
1673 });
1674 } else {
1675 unaffected.remove(weak_editor);
1676 }
1677
1678 if new_state == EditorState::Reviewing && previous_state != Some(new_state) {
1679 // Jump to first hunk when we enter review mode
1680 editor.update(cx, |editor, cx| {
1681 let snapshot = multibuffer.read(cx).snapshot(cx);
1682 if let Some(first_hunk) = snapshot.diff_hunks().next() {
1683 let first_hunk_start = first_hunk.multi_buffer_range().start;
1684
1685 editor.change_selections(
1686 SelectionEffects::scroll(Autoscroll::center()),
1687 window,
1688 cx,
1689 |selections| {
1690 selections.select_ranges([first_hunk_start..first_hunk_start])
1691 },
1692 );
1693 }
1694 });
1695 }
1696 }
1697 }
1698
1699 // Remove editors from this workspace that are no longer under review
1700 for (editor, _) in unaffected {
1701 // Note: We could avoid this check by storing `reviewing_editors` by Workspace,
1702 // but that would add another lookup in `AgentDiff::editor_state`
1703 // which gets called much more frequently.
1704 let in_workspace = editor
1705 .read_with(cx, |editor, _cx| editor.workspace())
1706 .ok()
1707 .flatten()
1708 .is_some_and(|editor_workspace| {
1709 editor_workspace.entity_id() == workspace.entity_id()
1710 });
1711
1712 if in_workspace {
1713 editor
1714 .update(cx, |editor, cx| {
1715 editor.end_temporary_diff_override(cx);
1716 editor.unregister_addon::<EditorAgentDiffAddon>();
1717 })
1718 .ok();
1719 self.reviewing_editors.remove(&editor);
1720 }
1721 }
1722
1723 cx.notify();
1724 }
1725
1726 fn editor_state(&self, editor: &WeakEntity<Editor>) -> EditorState {
1727 self.reviewing_editors
1728 .get(editor)
1729 .cloned()
1730 .unwrap_or(EditorState::Idle)
1731 }
1732
1733 fn deploy_pane_from_editor(&self, editor: &Entity<Editor>, window: &mut Window, cx: &mut App) {
1734 let Some(workspace) = editor.read(cx).workspace() else {
1735 return;
1736 };
1737
1738 let Some(WorkspaceThread { thread, .. }) =
1739 self.workspace_threads.get(&workspace.downgrade())
1740 else {
1741 return;
1742 };
1743
1744 let Some(thread) = thread.upgrade() else {
1745 return;
1746 };
1747
1748 AgentDiffPane::deploy(thread, workspace.downgrade(), window, cx).log_err();
1749 }
1750
1751 fn keep_all(
1752 editor: &Entity<Editor>,
1753 thread: &AgentDiffThread,
1754 window: &mut Window,
1755 cx: &mut App,
1756 ) -> PostReviewState {
1757 editor.update(cx, |editor, cx| {
1758 let snapshot = editor.buffer().read(cx).snapshot(cx);
1759 keep_edits_in_ranges(
1760 editor,
1761 &snapshot,
1762 thread,
1763 vec![editor::Anchor::min()..editor::Anchor::max()],
1764 window,
1765 cx,
1766 );
1767 });
1768 PostReviewState::AllReviewed
1769 }
1770
1771 fn reject_all(
1772 editor: &Entity<Editor>,
1773 thread: &AgentDiffThread,
1774 window: &mut Window,
1775 cx: &mut App,
1776 ) -> PostReviewState {
1777 editor.update(cx, |editor, cx| {
1778 let snapshot = editor.buffer().read(cx).snapshot(cx);
1779 reject_edits_in_ranges(
1780 editor,
1781 &snapshot,
1782 thread,
1783 vec![editor::Anchor::min()..editor::Anchor::max()],
1784 window,
1785 cx,
1786 );
1787 });
1788 PostReviewState::AllReviewed
1789 }
1790
1791 fn keep(
1792 editor: &Entity<Editor>,
1793 thread: &AgentDiffThread,
1794 window: &mut Window,
1795 cx: &mut App,
1796 ) -> PostReviewState {
1797 editor.update(cx, |editor, cx| {
1798 let snapshot = editor.buffer().read(cx).snapshot(cx);
1799 keep_edits_in_selection(editor, &snapshot, thread, window, cx);
1800 Self::post_review_state(&snapshot)
1801 })
1802 }
1803
1804 fn reject(
1805 editor: &Entity<Editor>,
1806 thread: &AgentDiffThread,
1807 window: &mut Window,
1808 cx: &mut App,
1809 ) -> PostReviewState {
1810 editor.update(cx, |editor, cx| {
1811 let snapshot = editor.buffer().read(cx).snapshot(cx);
1812 reject_edits_in_selection(editor, &snapshot, thread, window, cx);
1813 Self::post_review_state(&snapshot)
1814 })
1815 }
1816
1817 fn post_review_state(snapshot: &MultiBufferSnapshot) -> PostReviewState {
1818 for (i, _) in snapshot.diff_hunks().enumerate() {
1819 if i > 0 {
1820 return PostReviewState::Pending;
1821 }
1822 }
1823 PostReviewState::AllReviewed
1824 }
1825
1826 fn review_in_active_editor(
1827 &mut self,
1828 workspace: &mut Workspace,
1829 review: impl Fn(&Entity<Editor>, &AgentDiffThread, &mut Window, &mut App) -> PostReviewState,
1830 window: &mut Window,
1831 cx: &mut Context<Self>,
1832 ) -> Option<Task<Result<()>>> {
1833 let active_item = workspace.active_item(cx)?;
1834 let editor = active_item.act_as::<Editor>(cx)?;
1835
1836 if !matches!(
1837 self.editor_state(&editor.downgrade()),
1838 EditorState::Reviewing
1839 ) {
1840 return None;
1841 }
1842
1843 let WorkspaceThread { thread, .. } =
1844 self.workspace_threads.get(&workspace.weak_handle())?;
1845
1846 let thread = thread.upgrade()?;
1847
1848 if let PostReviewState::AllReviewed = review(&editor, &thread, window, cx)
1849 && let Some(curr_buffer) = editor.read(cx).buffer().read(cx).as_singleton()
1850 {
1851 let changed_buffers = thread.action_log(cx).read(cx).changed_buffers(cx);
1852
1853 let mut keys = changed_buffers.keys().cycle();
1854 keys.find(|k| *k == &curr_buffer);
1855 let next_project_path = keys
1856 .next()
1857 .filter(|k| *k != &curr_buffer)
1858 .and_then(|after| after.read(cx).project_path(cx));
1859
1860 if let Some(path) = next_project_path {
1861 let task = workspace.open_path(path, None, true, window, cx);
1862 let task = cx.spawn(async move |_, _cx| task.await.map(|_| ()));
1863 return Some(task);
1864 }
1865 }
1866
1867 Some(Task::ready(Ok(())))
1868 }
1869}
1870
1871enum PostReviewState {
1872 AllReviewed,
1873 Pending,
1874}
1875
1876pub struct EditorAgentDiffAddon;
1877
1878impl editor::Addon for EditorAgentDiffAddon {
1879 fn to_any(&self) -> &dyn std::any::Any {
1880 self
1881 }
1882
1883 fn extend_key_context(&self, key_context: &mut gpui::KeyContext, _: &App) {
1884 key_context.add("agent_diff");
1885 key_context.add("editor_agent_diff");
1886 }
1887}
1888
1889#[cfg(test)]
1890mod tests {
1891 use super::*;
1892 use crate::Keep;
1893 use agent::thread_store::{self, ThreadStore};
1894 use agent_settings::AgentSettings;
1895 use assistant_tool::ToolWorkingSet;
1896 use editor::EditorSettings;
1897 use gpui::{TestAppContext, UpdateGlobal, VisualTestContext};
1898 use project::{FakeFs, Project};
1899 use prompt_store::PromptBuilder;
1900 use serde_json::json;
1901 use settings::{Settings, SettingsStore};
1902 use std::sync::Arc;
1903 use theme::ThemeSettings;
1904 use util::path;
1905
1906 #[gpui::test]
1907 async fn test_multibuffer_agent_diff(cx: &mut TestAppContext) {
1908 cx.update(|cx| {
1909 let settings_store = SettingsStore::test(cx);
1910 cx.set_global(settings_store);
1911 language::init(cx);
1912 Project::init_settings(cx);
1913 AgentSettings::register(cx);
1914 prompt_store::init(cx);
1915 thread_store::init(cx);
1916 workspace::init_settings(cx);
1917 ThemeSettings::register(cx);
1918 EditorSettings::register(cx);
1919 language_model::init_settings(cx);
1920 });
1921
1922 let fs = FakeFs::new(cx.executor());
1923 fs.insert_tree(
1924 path!("/test"),
1925 json!({"file1": "abc\ndef\nghi\njkl\nmno\npqr\nstu\nvwx\nyz"}),
1926 )
1927 .await;
1928 let project = Project::test(fs, [path!("/test").as_ref()], cx).await;
1929 let buffer_path = project
1930 .read_with(cx, |project, cx| {
1931 project.find_project_path("test/file1", cx)
1932 })
1933 .unwrap();
1934
1935 let prompt_store = None;
1936 let thread_store = cx
1937 .update(|cx| {
1938 ThreadStore::load(
1939 project.clone(),
1940 cx.new(|_| ToolWorkingSet::default()),
1941 prompt_store,
1942 Arc::new(PromptBuilder::new(None).unwrap()),
1943 cx,
1944 )
1945 })
1946 .await
1947 .unwrap();
1948 let thread =
1949 AgentDiffThread::Native(thread_store.update(cx, |store, cx| store.create_thread(cx)));
1950 let action_log = cx.read(|cx| thread.action_log(cx));
1951
1952 let (workspace, cx) =
1953 cx.add_window_view(|window, cx| Workspace::test_new(project.clone(), window, cx));
1954 let agent_diff = cx.new_window_entity(|window, cx| {
1955 AgentDiffPane::new(thread.clone(), workspace.downgrade(), window, cx)
1956 });
1957 let editor = agent_diff.read_with(cx, |diff, _cx| diff.editor.clone());
1958
1959 let buffer = project
1960 .update(cx, |project, cx| project.open_buffer(buffer_path, cx))
1961 .await
1962 .unwrap();
1963 cx.update(|_, cx| {
1964 action_log.update(cx, |log, cx| log.buffer_read(buffer.clone(), cx));
1965 buffer.update(cx, |buffer, cx| {
1966 buffer
1967 .edit(
1968 [
1969 (Point::new(1, 1)..Point::new(1, 2), "E"),
1970 (Point::new(3, 2)..Point::new(3, 3), "L"),
1971 (Point::new(5, 0)..Point::new(5, 1), "P"),
1972 (Point::new(7, 1)..Point::new(7, 2), "W"),
1973 ],
1974 None,
1975 cx,
1976 )
1977 .unwrap()
1978 });
1979 action_log.update(cx, |log, cx| log.buffer_edited(buffer.clone(), cx));
1980 });
1981 cx.run_until_parked();
1982
1983 // When opening the assistant diff, the cursor is positioned on the first hunk.
1984 assert_eq!(
1985 editor.read_with(cx, |editor, cx| editor.text(cx)),
1986 "abc\ndef\ndEf\nghi\njkl\njkL\nmno\npqr\nPqr\nstu\nvwx\nvWx\nyz"
1987 );
1988 assert_eq!(
1989 editor
1990 .update(cx, |editor, cx| editor.selections.newest::<Point>(cx))
1991 .range(),
1992 Point::new(1, 0)..Point::new(1, 0)
1993 );
1994
1995 // After keeping a hunk, the cursor should be positioned on the second hunk.
1996 agent_diff.update_in(cx, |diff, window, cx| diff.keep(&Keep, window, cx));
1997 cx.run_until_parked();
1998 assert_eq!(
1999 editor.read_with(cx, |editor, cx| editor.text(cx)),
2000 "abc\ndEf\nghi\njkl\njkL\nmno\npqr\nPqr\nstu\nvwx\nvWx\nyz"
2001 );
2002 assert_eq!(
2003 editor
2004 .update(cx, |editor, cx| editor.selections.newest::<Point>(cx))
2005 .range(),
2006 Point::new(3, 0)..Point::new(3, 0)
2007 );
2008
2009 // Rejecting a hunk also moves the cursor to the next hunk, possibly cycling if it's at the end.
2010 editor.update_in(cx, |editor, window, cx| {
2011 editor.change_selections(SelectionEffects::no_scroll(), window, cx, |selections| {
2012 selections.select_ranges([Point::new(10, 0)..Point::new(10, 0)])
2013 });
2014 });
2015 agent_diff.update_in(cx, |diff, window, cx| {
2016 diff.reject(&crate::Reject, window, cx)
2017 });
2018 cx.run_until_parked();
2019 assert_eq!(
2020 editor.read_with(cx, |editor, cx| editor.text(cx)),
2021 "abc\ndEf\nghi\njkl\njkL\nmno\npqr\nPqr\nstu\nvwx\nyz"
2022 );
2023 assert_eq!(
2024 editor
2025 .update(cx, |editor, cx| editor.selections.newest::<Point>(cx))
2026 .range(),
2027 Point::new(3, 0)..Point::new(3, 0)
2028 );
2029
2030 // Keeping a range that doesn't intersect the current selection doesn't move it.
2031 agent_diff.update_in(cx, |_diff, window, cx| {
2032 let position = editor
2033 .read(cx)
2034 .buffer()
2035 .read(cx)
2036 .read(cx)
2037 .anchor_before(Point::new(7, 0));
2038 editor.update(cx, |editor, cx| {
2039 let snapshot = editor.buffer().read(cx).snapshot(cx);
2040 keep_edits_in_ranges(
2041 editor,
2042 &snapshot,
2043 &thread,
2044 vec![position..position],
2045 window,
2046 cx,
2047 )
2048 });
2049 });
2050 cx.run_until_parked();
2051 assert_eq!(
2052 editor.read_with(cx, |editor, cx| editor.text(cx)),
2053 "abc\ndEf\nghi\njkl\njkL\nmno\nPqr\nstu\nvwx\nyz"
2054 );
2055 assert_eq!(
2056 editor
2057 .update(cx, |editor, cx| editor.selections.newest::<Point>(cx))
2058 .range(),
2059 Point::new(3, 0)..Point::new(3, 0)
2060 );
2061 }
2062
2063 #[gpui::test]
2064 async fn test_singleton_agent_diff(cx: &mut TestAppContext) {
2065 cx.update(|cx| {
2066 let settings_store = SettingsStore::test(cx);
2067 cx.set_global(settings_store);
2068 language::init(cx);
2069 Project::init_settings(cx);
2070 AgentSettings::register(cx);
2071 prompt_store::init(cx);
2072 thread_store::init(cx);
2073 workspace::init_settings(cx);
2074 ThemeSettings::register(cx);
2075 EditorSettings::register(cx);
2076 language_model::init_settings(cx);
2077 workspace::register_project_item::<Editor>(cx);
2078 });
2079
2080 let fs = FakeFs::new(cx.executor());
2081 fs.insert_tree(
2082 path!("/test"),
2083 json!({"file1": "abc\ndef\nghi\njkl\nmno\npqr\nstu\nvwx\nyz"}),
2084 )
2085 .await;
2086 fs.insert_tree(path!("/test"), json!({"file2": "abc\ndef\nghi"}))
2087 .await;
2088
2089 let project = Project::test(fs, [path!("/test").as_ref()], cx).await;
2090 let buffer_path1 = project
2091 .read_with(cx, |project, cx| {
2092 project.find_project_path("test/file1", cx)
2093 })
2094 .unwrap();
2095 let buffer_path2 = project
2096 .read_with(cx, |project, cx| {
2097 project.find_project_path("test/file2", cx)
2098 })
2099 .unwrap();
2100
2101 let prompt_store = None;
2102 let thread_store = cx
2103 .update(|cx| {
2104 ThreadStore::load(
2105 project.clone(),
2106 cx.new(|_| ToolWorkingSet::default()),
2107 prompt_store,
2108 Arc::new(PromptBuilder::new(None).unwrap()),
2109 cx,
2110 )
2111 })
2112 .await
2113 .unwrap();
2114 let thread = thread_store.update(cx, |store, cx| store.create_thread(cx));
2115 let action_log = thread.read_with(cx, |thread, _| thread.action_log().clone());
2116
2117 let (workspace, cx) =
2118 cx.add_window_view(|window, cx| Workspace::test_new(project.clone(), window, cx));
2119
2120 // Add the diff toolbar to the active pane
2121 let diff_toolbar = cx.new_window_entity(|_, cx| AgentDiffToolbar::new(cx));
2122
2123 workspace.update_in(cx, {
2124 let diff_toolbar = diff_toolbar.clone();
2125
2126 move |workspace, window, cx| {
2127 workspace.active_pane().update(cx, |pane, cx| {
2128 pane.toolbar().update(cx, |toolbar, cx| {
2129 toolbar.add_item(diff_toolbar, window, cx);
2130 });
2131 })
2132 }
2133 });
2134
2135 // Set the active thread
2136 let thread = AgentDiffThread::Native(thread);
2137 cx.update(|window, cx| {
2138 AgentDiff::set_active_thread(&workspace.downgrade(), thread.clone(), window, cx)
2139 });
2140
2141 let buffer1 = project
2142 .update(cx, |project, cx| {
2143 project.open_buffer(buffer_path1.clone(), cx)
2144 })
2145 .await
2146 .unwrap();
2147 let buffer2 = project
2148 .update(cx, |project, cx| {
2149 project.open_buffer(buffer_path2.clone(), cx)
2150 })
2151 .await
2152 .unwrap();
2153
2154 // Open an editor for buffer1
2155 let editor1 = cx.new_window_entity(|window, cx| {
2156 Editor::for_buffer(buffer1.clone(), Some(project.clone()), window, cx)
2157 });
2158
2159 workspace.update_in(cx, |workspace, window, cx| {
2160 workspace.add_item_to_active_pane(Box::new(editor1.clone()), None, true, window, cx);
2161 });
2162 cx.run_until_parked();
2163
2164 // Toolbar knows about the current editor, but it's hidden since there are no changes yet
2165 assert!(diff_toolbar.read_with(cx, |toolbar, _cx| matches!(
2166 toolbar.active_item,
2167 Some(AgentDiffToolbarItem::Editor {
2168 state: EditorState::Idle,
2169 ..
2170 })
2171 )));
2172 assert_eq!(
2173 diff_toolbar.read_with(cx, |toolbar, cx| toolbar.location(cx)),
2174 ToolbarItemLocation::Hidden
2175 );
2176
2177 // Make changes
2178 cx.update(|_, cx| {
2179 action_log.update(cx, |log, cx| log.buffer_read(buffer1.clone(), cx));
2180 buffer1.update(cx, |buffer, cx| {
2181 buffer
2182 .edit(
2183 [
2184 (Point::new(1, 1)..Point::new(1, 2), "E"),
2185 (Point::new(3, 2)..Point::new(3, 3), "L"),
2186 (Point::new(5, 0)..Point::new(5, 1), "P"),
2187 (Point::new(7, 1)..Point::new(7, 2), "W"),
2188 ],
2189 None,
2190 cx,
2191 )
2192 .unwrap()
2193 });
2194 action_log.update(cx, |log, cx| log.buffer_edited(buffer1.clone(), cx));
2195
2196 action_log.update(cx, |log, cx| log.buffer_read(buffer2.clone(), cx));
2197 buffer2.update(cx, |buffer, cx| {
2198 buffer
2199 .edit(
2200 [
2201 (Point::new(0, 0)..Point::new(0, 1), "A"),
2202 (Point::new(2, 1)..Point::new(2, 2), "H"),
2203 ],
2204 None,
2205 cx,
2206 )
2207 .unwrap();
2208 });
2209 action_log.update(cx, |log, cx| log.buffer_edited(buffer2.clone(), cx));
2210 });
2211 cx.run_until_parked();
2212
2213 // The already opened editor displays the diff and the cursor is at the first hunk
2214 assert_eq!(
2215 editor1.read_with(cx, |editor, cx| editor.text(cx)),
2216 "abc\ndef\ndEf\nghi\njkl\njkL\nmno\npqr\nPqr\nstu\nvwx\nvWx\nyz"
2217 );
2218 assert_eq!(
2219 editor1
2220 .update(cx, |editor, cx| editor.selections.newest::<Point>(cx))
2221 .range(),
2222 Point::new(1, 0)..Point::new(1, 0)
2223 );
2224
2225 // The toolbar is displayed in the right state
2226 assert_eq!(
2227 diff_toolbar.read_with(cx, |toolbar, cx| toolbar.location(cx)),
2228 ToolbarItemLocation::PrimaryRight
2229 );
2230 assert!(diff_toolbar.read_with(cx, |toolbar, _cx| matches!(
2231 toolbar.active_item,
2232 Some(AgentDiffToolbarItem::Editor {
2233 state: EditorState::Reviewing,
2234 ..
2235 })
2236 )));
2237
2238 // The toolbar respects its setting
2239 override_toolbar_agent_review_setting(false, cx);
2240 assert_eq!(
2241 diff_toolbar.read_with(cx, |toolbar, cx| toolbar.location(cx)),
2242 ToolbarItemLocation::Hidden
2243 );
2244 override_toolbar_agent_review_setting(true, cx);
2245 assert_eq!(
2246 diff_toolbar.read_with(cx, |toolbar, cx| toolbar.location(cx)),
2247 ToolbarItemLocation::PrimaryRight
2248 );
2249
2250 // After keeping a hunk, the cursor should be positioned on the second hunk.
2251 workspace.update(cx, |_, cx| {
2252 cx.dispatch_action(&Keep);
2253 });
2254 cx.run_until_parked();
2255 assert_eq!(
2256 editor1.read_with(cx, |editor, cx| editor.text(cx)),
2257 "abc\ndEf\nghi\njkl\njkL\nmno\npqr\nPqr\nstu\nvwx\nvWx\nyz"
2258 );
2259 assert_eq!(
2260 editor1
2261 .update(cx, |editor, cx| editor.selections.newest::<Point>(cx))
2262 .range(),
2263 Point::new(3, 0)..Point::new(3, 0)
2264 );
2265
2266 // Rejecting a hunk also moves the cursor to the next hunk, possibly cycling if it's at the end.
2267 editor1.update_in(cx, |editor, window, cx| {
2268 editor.change_selections(SelectionEffects::no_scroll(), window, cx, |selections| {
2269 selections.select_ranges([Point::new(10, 0)..Point::new(10, 0)])
2270 });
2271 });
2272 workspace.update(cx, |_, cx| {
2273 cx.dispatch_action(&Reject);
2274 });
2275 cx.run_until_parked();
2276 assert_eq!(
2277 editor1.read_with(cx, |editor, cx| editor.text(cx)),
2278 "abc\ndEf\nghi\njkl\njkL\nmno\npqr\nPqr\nstu\nvwx\nyz"
2279 );
2280 assert_eq!(
2281 editor1
2282 .update(cx, |editor, cx| editor.selections.newest::<Point>(cx))
2283 .range(),
2284 Point::new(3, 0)..Point::new(3, 0)
2285 );
2286
2287 // Keeping a range that doesn't intersect the current selection doesn't move it.
2288 editor1.update_in(cx, |editor, window, cx| {
2289 let buffer = editor.buffer().read(cx);
2290 let position = buffer.read(cx).anchor_before(Point::new(7, 0));
2291 let snapshot = buffer.snapshot(cx);
2292 keep_edits_in_ranges(
2293 editor,
2294 &snapshot,
2295 &thread,
2296 vec![position..position],
2297 window,
2298 cx,
2299 )
2300 });
2301 cx.run_until_parked();
2302 assert_eq!(
2303 editor1.read_with(cx, |editor, cx| editor.text(cx)),
2304 "abc\ndEf\nghi\njkl\njkL\nmno\nPqr\nstu\nvwx\nyz"
2305 );
2306 assert_eq!(
2307 editor1
2308 .update(cx, |editor, cx| editor.selections.newest::<Point>(cx))
2309 .range(),
2310 Point::new(3, 0)..Point::new(3, 0)
2311 );
2312
2313 // Reviewing the last change opens the next changed buffer
2314 workspace
2315 .update_in(cx, |workspace, window, cx| {
2316 AgentDiff::global(cx).update(cx, |agent_diff, cx| {
2317 agent_diff.review_in_active_editor(workspace, AgentDiff::keep, window, cx)
2318 })
2319 })
2320 .unwrap()
2321 .await
2322 .unwrap();
2323
2324 cx.run_until_parked();
2325
2326 let editor2 = workspace.update(cx, |workspace, cx| {
2327 workspace.active_item_as::<Editor>(cx).unwrap()
2328 });
2329
2330 let editor2_path = editor2
2331 .read_with(cx, |editor, cx| editor.project_path(cx))
2332 .unwrap();
2333 assert_eq!(editor2_path, buffer_path2);
2334
2335 assert_eq!(
2336 editor2.read_with(cx, |editor, cx| editor.text(cx)),
2337 "abc\nAbc\ndef\nghi\ngHi"
2338 );
2339 assert_eq!(
2340 editor2
2341 .update(cx, |editor, cx| editor.selections.newest::<Point>(cx))
2342 .range(),
2343 Point::new(0, 0)..Point::new(0, 0)
2344 );
2345
2346 // Editor 1 toolbar is hidden since all changes have been reviewed
2347 workspace.update_in(cx, |workspace, window, cx| {
2348 workspace.activate_item(&editor1, true, true, window, cx)
2349 });
2350
2351 assert!(diff_toolbar.read_with(cx, |toolbar, _cx| matches!(
2352 toolbar.active_item,
2353 Some(AgentDiffToolbarItem::Editor {
2354 state: EditorState::Idle,
2355 ..
2356 })
2357 )));
2358 assert_eq!(
2359 diff_toolbar.read_with(cx, |toolbar, cx| toolbar.location(cx)),
2360 ToolbarItemLocation::Hidden
2361 );
2362 }
2363
2364 fn override_toolbar_agent_review_setting(active: bool, cx: &mut VisualTestContext) {
2365 cx.update(|_window, cx| {
2366 SettingsStore::update_global(cx, |store, _cx| {
2367 let mut editor_settings = store.get::<EditorSettings>(None).clone();
2368 editor_settings.toolbar.agent_review = active;
2369 store.override_global(editor_settings);
2370 })
2371 });
2372 cx.run_until_parked();
2373 }
2374}