1use crate::{
2 Templates,
3 edit_agent::{EditAgent, EditAgentOutput, EditAgentOutputEvent, EditFormat},
4 schema::json_schema_for,
5 ui::{COLLAPSED_LINES, ToolOutputPreview},
6};
7use action_log::ActionLog;
8use agent_settings;
9use anyhow::{Context as _, Result, anyhow};
10use assistant_tool::{
11 AnyToolCard, Tool, ToolCard, ToolResult, ToolResultContent, ToolResultOutput, ToolUseStatus,
12};
13use buffer_diff::{BufferDiff, BufferDiffSnapshot};
14use editor::{
15 Editor, EditorMode, MinimapVisibility, MultiBuffer, PathKey, multibuffer_context_lines,
16};
17use futures::StreamExt;
18use gpui::{
19 Animation, AnimationExt, AnyWindowHandle, App, AppContext, AsyncApp, Entity, Task,
20 TextStyleRefinement, WeakEntity, pulsating_between, px,
21};
22use indoc::formatdoc;
23use language::{
24 Anchor, Buffer, Capability, LanguageRegistry, LineEnding, OffsetRangeExt, Point, Rope,
25 TextBuffer,
26 language_settings::{self, FormatOnSave, SoftWrap},
27};
28use language_model::{LanguageModel, LanguageModelRequest, LanguageModelToolSchemaFormat};
29use markdown::{Markdown, MarkdownElement, MarkdownStyle};
30use paths;
31use project::{
32 Project, ProjectPath,
33 lsp_store::{FormatTrigger, LspFormatTarget},
34};
35use schemars::JsonSchema;
36use serde::{Deserialize, Serialize};
37use settings::Settings;
38use std::{
39 cmp::Reverse,
40 collections::HashSet,
41 ops::Range,
42 path::{Path, PathBuf},
43 sync::Arc,
44 time::Duration,
45};
46use theme::ThemeSettings;
47use ui::{CommonAnimationExt, Disclosure, Tooltip, prelude::*};
48use util::ResultExt;
49use workspace::Workspace;
50
51pub struct EditFileTool;
52
53#[derive(Clone, Debug, Serialize, Deserialize, JsonSchema)]
54pub struct EditFileToolInput {
55 /// A one-line, user-friendly markdown description of the edit. This will be
56 /// shown in the UI and also passed to another model to perform the edit.
57 ///
58 /// Be terse, but also descriptive in what you want to achieve with this
59 /// edit. Avoid generic instructions.
60 ///
61 /// NEVER mention the file path in this description.
62 ///
63 /// <example>Fix API endpoint URLs</example>
64 /// <example>Update copyright year in `page_footer`</example>
65 ///
66 /// Make sure to include this field before all the others in the input object
67 /// so that we can display it immediately.
68 pub display_description: String,
69
70 /// The full path of the file to create or modify in the project.
71 ///
72 /// WARNING: When specifying which file path need changing, you MUST
73 /// start each path with one of the project's root directories.
74 ///
75 /// The following examples assume we have two root directories in the project:
76 /// - /a/b/backend
77 /// - /c/d/frontend
78 ///
79 /// <example>
80 /// `backend/src/main.rs`
81 ///
82 /// Notice how the file path starts with `backend`. Without that, the path
83 /// would be ambiguous and the call would fail!
84 /// </example>
85 ///
86 /// <example>
87 /// `frontend/db.js`
88 /// </example>
89 pub path: PathBuf,
90
91 /// The mode of operation on the file. Possible values:
92 /// - 'edit': Make granular edits to an existing file.
93 /// - 'create': Create a new file if it doesn't exist.
94 /// - 'overwrite': Replace the entire contents of an existing file.
95 ///
96 /// When a file already exists or you just created it, prefer editing
97 /// it as opposed to recreating it from scratch.
98 pub mode: EditFileMode,
99}
100
101#[derive(Clone, Debug, Serialize, Deserialize, JsonSchema)]
102#[serde(rename_all = "lowercase")]
103pub enum EditFileMode {
104 Edit,
105 Create,
106 Overwrite,
107}
108
109#[derive(Debug, Serialize, Deserialize, JsonSchema)]
110pub struct EditFileToolOutput {
111 pub original_path: PathBuf,
112 pub new_text: String,
113 pub old_text: Arc<String>,
114 pub raw_output: Option<EditAgentOutput>,
115}
116
117#[derive(Debug, Serialize, Deserialize, JsonSchema)]
118struct PartialInput {
119 #[serde(default)]
120 path: String,
121 #[serde(default)]
122 display_description: String,
123}
124
125const DEFAULT_UI_TEXT: &str = "Editing file";
126
127impl Tool for EditFileTool {
128 fn name(&self) -> String {
129 "edit_file".into()
130 }
131
132 fn needs_confirmation(
133 &self,
134 input: &serde_json::Value,
135 project: &Entity<Project>,
136 cx: &App,
137 ) -> bool {
138 if agent_settings::AgentSettings::get_global(cx).always_allow_tool_actions {
139 return false;
140 }
141
142 let Ok(input) = serde_json::from_value::<EditFileToolInput>(input.clone()) else {
143 // If it's not valid JSON, it's going to error and confirming won't do anything.
144 return false;
145 };
146
147 // If any path component matches the local settings folder, then this could affect
148 // the editor in ways beyond the project source, so prompt.
149 let local_settings_folder = paths::local_settings_folder_relative_path();
150 let path = Path::new(&input.path);
151 if path
152 .components()
153 .any(|component| component.as_os_str() == local_settings_folder.as_os_str())
154 {
155 return true;
156 }
157
158 // It's also possible that the global config dir is configured to be inside the project,
159 // so check for that edge case too.
160 if let Ok(canonical_path) = std::fs::canonicalize(&input.path)
161 && canonical_path.starts_with(paths::config_dir())
162 {
163 return true;
164 }
165
166 // Check if path is inside the global config directory
167 // First check if it's already inside project - if not, try to canonicalize
168 let project_path = project.read(cx).find_project_path(&input.path, cx);
169
170 // If the path is inside the project, and it's not one of the above edge cases,
171 // then no confirmation is necessary. Otherwise, confirmation is necessary.
172 project_path.is_none()
173 }
174
175 fn may_perform_edits(&self) -> bool {
176 true
177 }
178
179 fn description(&self) -> String {
180 include_str!("edit_file_tool/description.md").to_string()
181 }
182
183 fn icon(&self) -> IconName {
184 IconName::ToolPencil
185 }
186
187 fn input_schema(&self, format: LanguageModelToolSchemaFormat) -> Result<serde_json::Value> {
188 json_schema_for::<EditFileToolInput>(format)
189 }
190
191 fn ui_text(&self, input: &serde_json::Value) -> String {
192 match serde_json::from_value::<EditFileToolInput>(input.clone()) {
193 Ok(input) => {
194 let path = Path::new(&input.path);
195 let mut description = input.display_description.clone();
196
197 // Add context about why confirmation may be needed
198 let local_settings_folder = paths::local_settings_folder_relative_path();
199 if path
200 .components()
201 .any(|c| c.as_os_str() == local_settings_folder.as_os_str())
202 {
203 description.push_str(" (local settings)");
204 } else if let Ok(canonical_path) = std::fs::canonicalize(&input.path)
205 && canonical_path.starts_with(paths::config_dir())
206 {
207 description.push_str(" (global settings)");
208 }
209
210 description
211 }
212 Err(_) => "Editing file".to_string(),
213 }
214 }
215
216 fn still_streaming_ui_text(&self, input: &serde_json::Value) -> String {
217 if let Some(input) = serde_json::from_value::<PartialInput>(input.clone()).ok() {
218 let description = input.display_description.trim();
219 if !description.is_empty() {
220 return description.to_string();
221 }
222
223 let path = input.path.trim();
224 if !path.is_empty() {
225 return path.to_string();
226 }
227 }
228
229 DEFAULT_UI_TEXT.to_string()
230 }
231
232 fn run(
233 self: Arc<Self>,
234 input: serde_json::Value,
235 request: Arc<LanguageModelRequest>,
236 project: Entity<Project>,
237 action_log: Entity<ActionLog>,
238 model: Arc<dyn LanguageModel>,
239 window: Option<AnyWindowHandle>,
240 cx: &mut App,
241 ) -> ToolResult {
242 let input = match serde_json::from_value::<EditFileToolInput>(input) {
243 Ok(input) => input,
244 Err(err) => return Task::ready(Err(anyhow!(err))).into(),
245 };
246
247 let project_path = match resolve_path(&input, project.clone(), cx) {
248 Ok(path) => path,
249 Err(err) => return Task::ready(Err(anyhow!(err))).into(),
250 };
251
252 let card = window.and_then(|window| {
253 window
254 .update(cx, |_, window, cx| {
255 cx.new(|cx| {
256 EditFileToolCard::new(input.path.clone(), project.clone(), window, cx)
257 })
258 })
259 .ok()
260 });
261
262 let card_clone = card.clone();
263 let action_log_clone = action_log.clone();
264 let task = cx.spawn(async move |cx: &mut AsyncApp| {
265 let edit_format = EditFormat::from_model(model.clone())?;
266 let edit_agent = EditAgent::new(
267 model,
268 project.clone(),
269 action_log_clone,
270 Templates::new(),
271 edit_format,
272 );
273
274 let buffer = project
275 .update(cx, |project, cx| {
276 project.open_buffer(project_path.clone(), cx)
277 })?
278 .await?;
279
280 let old_snapshot = buffer.read_with(cx, |buffer, _cx| buffer.snapshot())?;
281 let old_text = cx
282 .background_spawn({
283 let old_snapshot = old_snapshot.clone();
284 async move { Arc::new(old_snapshot.text()) }
285 })
286 .await;
287
288 if let Some(card) = card_clone.as_ref() {
289 card.update(cx, |card, cx| card.initialize(buffer.clone(), cx))?;
290 }
291
292 let (output, mut events) = if matches!(input.mode, EditFileMode::Edit) {
293 edit_agent.edit(
294 buffer.clone(),
295 input.display_description.clone(),
296 &request,
297 cx,
298 )
299 } else {
300 edit_agent.overwrite(
301 buffer.clone(),
302 input.display_description.clone(),
303 &request,
304 cx,
305 )
306 };
307
308 let mut hallucinated_old_text = false;
309 let mut ambiguous_ranges = Vec::new();
310 while let Some(event) = events.next().await {
311 match event {
312 EditAgentOutputEvent::Edited { .. } => {
313 if let Some(card) = card_clone.as_ref() {
314 card.update(cx, |card, cx| card.update_diff(cx))?;
315 }
316 }
317 EditAgentOutputEvent::UnresolvedEditRange => hallucinated_old_text = true,
318 EditAgentOutputEvent::AmbiguousEditRange(ranges) => ambiguous_ranges = ranges,
319 EditAgentOutputEvent::ResolvingEditRange(range) => {
320 if let Some(card) = card_clone.as_ref() {
321 card.update(cx, |card, cx| card.reveal_range(range, cx))?;
322 }
323 }
324 }
325 }
326 let agent_output = output.await?;
327
328 // If format_on_save is enabled, format the buffer
329 let format_on_save_enabled = buffer
330 .read_with(cx, |buffer, cx| {
331 let settings = language_settings::language_settings(
332 buffer.language().map(|l| l.name()),
333 buffer.file(),
334 cx,
335 );
336 !matches!(settings.format_on_save, FormatOnSave::Off)
337 })
338 .unwrap_or(false);
339
340 if format_on_save_enabled {
341 action_log.update(cx, |log, cx| {
342 log.buffer_edited(buffer.clone(), cx);
343 })?;
344 let format_task = project.update(cx, |project, cx| {
345 project.format(
346 HashSet::from_iter([buffer.clone()]),
347 LspFormatTarget::Buffers,
348 false, // Don't push to history since the tool did it.
349 FormatTrigger::Save,
350 cx,
351 )
352 })?;
353 format_task.await.log_err();
354 }
355
356 project
357 .update(cx, |project, cx| project.save_buffer(buffer.clone(), cx))?
358 .await?;
359
360 // Notify the action log that we've edited the buffer (*after* formatting has completed).
361 action_log.update(cx, |log, cx| {
362 log.buffer_edited(buffer.clone(), cx);
363 })?;
364
365 let new_snapshot = buffer.read_with(cx, |buffer, _cx| buffer.snapshot())?;
366 let (new_text, diff) = cx
367 .background_spawn({
368 let new_snapshot = new_snapshot.clone();
369 let old_text = old_text.clone();
370 async move {
371 let new_text = new_snapshot.text();
372 let diff = language::unified_diff(&old_text, &new_text);
373
374 (new_text, diff)
375 }
376 })
377 .await;
378
379 let output = EditFileToolOutput {
380 original_path: project_path.path.to_path_buf(),
381 new_text,
382 old_text,
383 raw_output: Some(agent_output),
384 };
385
386 if let Some(card) = card_clone {
387 card.update(cx, |card, cx| {
388 card.update_diff(cx);
389 card.finalize(cx)
390 })
391 .log_err();
392 }
393
394 let input_path = input.path.display();
395 if diff.is_empty() {
396 anyhow::ensure!(
397 !hallucinated_old_text,
398 formatdoc! {"
399 Some edits were produced but none of them could be applied.
400 Read the relevant sections of {input_path} again so that
401 I can perform the requested edits.
402 "}
403 );
404 anyhow::ensure!(
405 ambiguous_ranges.is_empty(),
406 {
407 let line_numbers = ambiguous_ranges
408 .iter()
409 .map(|range| range.start.to_string())
410 .collect::<Vec<_>>()
411 .join(", ");
412 formatdoc! {"
413 <old_text> matches more than one position in the file (lines: {line_numbers}). Read the
414 relevant sections of {input_path} again and extend <old_text> so
415 that I can perform the requested edits.
416 "}
417 }
418 );
419 Ok(ToolResultOutput {
420 content: ToolResultContent::Text("No edits were made.".into()),
421 output: serde_json::to_value(output).ok(),
422 })
423 } else {
424 Ok(ToolResultOutput {
425 content: ToolResultContent::Text(format!(
426 "Edited {}:\n\n```diff\n{}\n```",
427 input_path, diff
428 )),
429 output: serde_json::to_value(output).ok(),
430 })
431 }
432 });
433
434 ToolResult {
435 output: task,
436 card: card.map(AnyToolCard::from),
437 }
438 }
439
440 fn deserialize_card(
441 self: Arc<Self>,
442 output: serde_json::Value,
443 project: Entity<Project>,
444 window: &mut Window,
445 cx: &mut App,
446 ) -> Option<AnyToolCard> {
447 let output = match serde_json::from_value::<EditFileToolOutput>(output) {
448 Ok(output) => output,
449 Err(_) => return None,
450 };
451
452 let card = cx.new(|cx| {
453 EditFileToolCard::new(output.original_path.clone(), project.clone(), window, cx)
454 });
455
456 cx.spawn({
457 let path: Arc<Path> = output.original_path.into();
458 let language_registry = project.read(cx).languages().clone();
459 let card = card.clone();
460 async move |cx| {
461 let buffer =
462 build_buffer(output.new_text, path.clone(), &language_registry, cx).await?;
463 let buffer_diff =
464 build_buffer_diff(output.old_text.clone(), &buffer, &language_registry, cx)
465 .await?;
466 card.update(cx, |card, cx| {
467 card.multibuffer.update(cx, |multibuffer, cx| {
468 let snapshot = buffer.read(cx).snapshot();
469 let diff = buffer_diff.read(cx);
470 let diff_hunk_ranges = diff
471 .hunks_intersecting_range(Anchor::MIN..Anchor::MAX, &snapshot, cx)
472 .map(|diff_hunk| diff_hunk.buffer_range.to_point(&snapshot))
473 .collect::<Vec<_>>();
474
475 multibuffer.set_excerpts_for_path(
476 PathKey::for_buffer(&buffer, cx),
477 buffer,
478 diff_hunk_ranges,
479 multibuffer_context_lines(cx),
480 cx,
481 );
482 multibuffer.add_diff(buffer_diff, cx);
483 let end = multibuffer.len(cx);
484 card.total_lines =
485 Some(multibuffer.snapshot(cx).offset_to_point(end).row + 1);
486 });
487
488 cx.notify();
489 })?;
490 anyhow::Ok(())
491 }
492 })
493 .detach_and_log_err(cx);
494
495 Some(card.into())
496 }
497}
498
499/// Validate that the file path is valid, meaning:
500///
501/// - For `edit` and `overwrite`, the path must point to an existing file.
502/// - For `create`, the file must not already exist, but it's parent dir must exist.
503fn resolve_path(
504 input: &EditFileToolInput,
505 project: Entity<Project>,
506 cx: &mut App,
507) -> Result<ProjectPath> {
508 let project = project.read(cx);
509
510 match input.mode {
511 EditFileMode::Edit | EditFileMode::Overwrite => {
512 let path = project
513 .find_project_path(&input.path, cx)
514 .context("Can't edit file: path not found")?;
515
516 let entry = project
517 .entry_for_path(&path, cx)
518 .context("Can't edit file: path not found")?;
519
520 anyhow::ensure!(entry.is_file(), "Can't edit file: path is a directory");
521 Ok(path)
522 }
523
524 EditFileMode::Create => {
525 if let Some(path) = project.find_project_path(&input.path, cx) {
526 anyhow::ensure!(
527 project.entry_for_path(&path, cx).is_none(),
528 "Can't create file: file already exists"
529 );
530 }
531
532 let parent_path = input
533 .path
534 .parent()
535 .context("Can't create file: incorrect path")?;
536
537 let parent_project_path = project.find_project_path(&parent_path, cx);
538
539 let parent_entry = parent_project_path
540 .as_ref()
541 .and_then(|path| project.entry_for_path(path, cx))
542 .context("Can't create file: parent directory doesn't exist")?;
543
544 anyhow::ensure!(
545 parent_entry.is_dir(),
546 "Can't create file: parent is not a directory"
547 );
548
549 let file_name = input
550 .path
551 .file_name()
552 .context("Can't create file: invalid filename")?;
553
554 let new_file_path = parent_project_path.map(|parent| ProjectPath {
555 path: Arc::from(parent.path.join(file_name)),
556 ..parent
557 });
558
559 new_file_path.context("Can't create file")
560 }
561 }
562}
563
564pub struct EditFileToolCard {
565 path: PathBuf,
566 editor: Entity<Editor>,
567 multibuffer: Entity<MultiBuffer>,
568 project: Entity<Project>,
569 buffer: Option<Entity<Buffer>>,
570 base_text: Option<Arc<String>>,
571 buffer_diff: Option<Entity<BufferDiff>>,
572 revealed_ranges: Vec<Range<Anchor>>,
573 diff_task: Option<Task<Result<()>>>,
574 preview_expanded: bool,
575 error_expanded: Option<Entity<Markdown>>,
576 full_height_expanded: bool,
577 total_lines: Option<u32>,
578}
579
580impl EditFileToolCard {
581 pub fn new(path: PathBuf, project: Entity<Project>, window: &mut Window, cx: &mut App) -> Self {
582 let expand_edit_card = agent_settings::AgentSettings::get_global(cx).expand_edit_card;
583 let multibuffer = cx.new(|_| MultiBuffer::without_headers(Capability::ReadOnly));
584
585 let editor = cx.new(|cx| {
586 let mut editor = Editor::new(
587 EditorMode::Full {
588 scale_ui_elements_with_buffer_font_size: false,
589 show_active_line_background: false,
590 sized_by_content: true,
591 },
592 multibuffer.clone(),
593 Some(project.clone()),
594 window,
595 cx,
596 );
597 editor.set_show_gutter(false, cx);
598 editor.disable_inline_diagnostics();
599 editor.disable_expand_excerpt_buttons(cx);
600 // Keep horizontal scrollbar so user can scroll horizontally if needed
601 editor.set_show_vertical_scrollbar(false, cx);
602 editor.set_minimap_visibility(MinimapVisibility::Disabled, window, cx);
603 editor.set_soft_wrap_mode(SoftWrap::None, cx);
604 editor.scroll_manager.set_forbid_vertical_scroll(true);
605 editor.set_show_indent_guides(false, cx);
606 editor.set_read_only(true);
607 editor.set_show_breakpoints(false, cx);
608 editor.set_show_code_actions(false, cx);
609 editor.set_show_git_diff_gutter(false, cx);
610 editor.set_expand_all_diff_hunks(cx);
611 editor
612 });
613 Self {
614 path,
615 project,
616 editor,
617 multibuffer,
618 buffer: None,
619 base_text: None,
620 buffer_diff: None,
621 revealed_ranges: Vec::new(),
622 diff_task: None,
623 preview_expanded: true,
624 error_expanded: None,
625 full_height_expanded: expand_edit_card,
626 total_lines: None,
627 }
628 }
629
630 pub fn initialize(&mut self, buffer: Entity<Buffer>, cx: &mut App) {
631 let buffer_snapshot = buffer.read(cx).snapshot();
632 let base_text = buffer_snapshot.text();
633 let language_registry = buffer.read(cx).language_registry();
634 let text_snapshot = buffer.read(cx).text_snapshot();
635
636 // Create a buffer diff with the current text as the base
637 let buffer_diff = cx.new(|cx| {
638 let mut diff = BufferDiff::new(&text_snapshot, cx);
639 let _ = diff.set_base_text(
640 buffer_snapshot.clone(),
641 language_registry,
642 text_snapshot,
643 cx,
644 );
645 diff
646 });
647
648 self.buffer = Some(buffer);
649 self.base_text = Some(base_text.into());
650 self.buffer_diff = Some(buffer_diff.clone());
651
652 // Add the diff to the multibuffer
653 self.multibuffer
654 .update(cx, |multibuffer, cx| multibuffer.add_diff(buffer_diff, cx));
655 }
656
657 pub fn is_loading(&self) -> bool {
658 self.total_lines.is_none()
659 }
660
661 pub fn update_diff(&mut self, cx: &mut Context<Self>) {
662 let Some(buffer) = self.buffer.as_ref() else {
663 return;
664 };
665 let Some(buffer_diff) = self.buffer_diff.as_ref() else {
666 return;
667 };
668
669 let buffer = buffer.clone();
670 let buffer_diff = buffer_diff.clone();
671 let base_text = self.base_text.clone();
672 self.diff_task = Some(cx.spawn(async move |this, cx| {
673 let text_snapshot = buffer.read_with(cx, |buffer, _| buffer.text_snapshot())?;
674 let diff_snapshot = BufferDiff::update_diff(
675 buffer_diff.clone(),
676 text_snapshot.clone(),
677 base_text,
678 false,
679 false,
680 None,
681 None,
682 cx,
683 )
684 .await?;
685 buffer_diff.update(cx, |diff, cx| {
686 diff.set_snapshot(diff_snapshot, &text_snapshot, cx)
687 })?;
688 this.update(cx, |this, cx| this.update_visible_ranges(cx))
689 }));
690 }
691
692 pub fn reveal_range(&mut self, range: Range<Anchor>, cx: &mut Context<Self>) {
693 self.revealed_ranges.push(range);
694 self.update_visible_ranges(cx);
695 }
696
697 fn update_visible_ranges(&mut self, cx: &mut Context<Self>) {
698 let Some(buffer) = self.buffer.as_ref() else {
699 return;
700 };
701
702 let ranges = self.excerpt_ranges(cx);
703 self.total_lines = self.multibuffer.update(cx, |multibuffer, cx| {
704 multibuffer.set_excerpts_for_path(
705 PathKey::for_buffer(buffer, cx),
706 buffer.clone(),
707 ranges,
708 multibuffer_context_lines(cx),
709 cx,
710 );
711 let end = multibuffer.len(cx);
712 Some(multibuffer.snapshot(cx).offset_to_point(end).row + 1)
713 });
714 cx.notify();
715 }
716
717 fn excerpt_ranges(&self, cx: &App) -> Vec<Range<Point>> {
718 let Some(buffer) = self.buffer.as_ref() else {
719 return Vec::new();
720 };
721 let Some(diff) = self.buffer_diff.as_ref() else {
722 return Vec::new();
723 };
724
725 let buffer = buffer.read(cx);
726 let diff = diff.read(cx);
727 let mut ranges = diff
728 .hunks_intersecting_range(Anchor::MIN..Anchor::MAX, buffer, cx)
729 .map(|diff_hunk| diff_hunk.buffer_range.to_point(buffer))
730 .collect::<Vec<_>>();
731 ranges.extend(
732 self.revealed_ranges
733 .iter()
734 .map(|range| range.to_point(buffer)),
735 );
736 ranges.sort_unstable_by_key(|range| (range.start, Reverse(range.end)));
737
738 // Merge adjacent ranges
739 let mut ranges = ranges.into_iter().peekable();
740 let mut merged_ranges = Vec::new();
741 while let Some(mut range) = ranges.next() {
742 while let Some(next_range) = ranges.peek() {
743 if range.end >= next_range.start {
744 range.end = range.end.max(next_range.end);
745 ranges.next();
746 } else {
747 break;
748 }
749 }
750
751 merged_ranges.push(range);
752 }
753 merged_ranges
754 }
755
756 pub fn finalize(&mut self, cx: &mut Context<Self>) -> Result<()> {
757 let ranges = self.excerpt_ranges(cx);
758 let buffer = self.buffer.take().context("card was already finalized")?;
759 let base_text = self
760 .base_text
761 .take()
762 .context("card was already finalized")?;
763 let language_registry = self.project.read(cx).languages().clone();
764
765 // Replace the buffer in the multibuffer with the snapshot
766 let buffer = cx.new(|cx| {
767 let language = buffer.read(cx).language().cloned();
768 let buffer = TextBuffer::new_normalized(
769 0,
770 cx.entity_id().as_non_zero_u64().into(),
771 buffer.read(cx).line_ending(),
772 buffer.read(cx).as_rope().clone(),
773 );
774 let mut buffer = Buffer::build(buffer, None, Capability::ReadWrite);
775 buffer.set_language(language, cx);
776 buffer
777 });
778
779 let buffer_diff = cx.spawn({
780 let buffer = buffer.clone();
781 async move |_this, cx| {
782 build_buffer_diff(base_text, &buffer, &language_registry, cx).await
783 }
784 });
785
786 cx.spawn(async move |this, cx| {
787 let buffer_diff = buffer_diff.await?;
788 this.update(cx, |this, cx| {
789 this.multibuffer.update(cx, |multibuffer, cx| {
790 let path_key = PathKey::for_buffer(&buffer, cx);
791 multibuffer.clear(cx);
792 multibuffer.set_excerpts_for_path(
793 path_key,
794 buffer,
795 ranges,
796 multibuffer_context_lines(cx),
797 cx,
798 );
799 multibuffer.add_diff(buffer_diff.clone(), cx);
800 });
801
802 cx.notify();
803 })
804 })
805 .detach_and_log_err(cx);
806 Ok(())
807 }
808}
809
810impl ToolCard for EditFileToolCard {
811 fn render(
812 &mut self,
813 status: &ToolUseStatus,
814 window: &mut Window,
815 workspace: WeakEntity<Workspace>,
816 cx: &mut Context<Self>,
817 ) -> impl IntoElement {
818 let error_message = match status {
819 ToolUseStatus::Error(err) => Some(err),
820 _ => None,
821 };
822
823 let running_or_pending = match status {
824 ToolUseStatus::Running | ToolUseStatus::Pending => Some(()),
825 _ => None,
826 };
827
828 let should_show_loading = running_or_pending.is_some() && !self.full_height_expanded;
829
830 let path_label_button = h_flex()
831 .id(("edit-tool-path-label-button", self.editor.entity_id()))
832 .w_full()
833 .max_w_full()
834 .px_1()
835 .gap_0p5()
836 .cursor_pointer()
837 .rounded_sm()
838 .opacity(0.8)
839 .hover(|label| {
840 label
841 .opacity(1.)
842 .bg(cx.theme().colors().element_hover.opacity(0.5))
843 })
844 .tooltip(Tooltip::text("Jump to File"))
845 .child(
846 h_flex()
847 .child(
848 Icon::new(IconName::ToolPencil)
849 .size(IconSize::Small)
850 .color(Color::Muted),
851 )
852 .child(
853 div()
854 .text_size(rems(0.8125))
855 .child(self.path.display().to_string())
856 .ml_1p5()
857 .mr_0p5(),
858 )
859 .child(
860 Icon::new(IconName::ArrowUpRight)
861 .size(IconSize::Small)
862 .color(Color::Ignored),
863 ),
864 )
865 .on_click({
866 let path = self.path.clone();
867 move |_, window, cx| {
868 workspace
869 .update(cx, {
870 |workspace, cx| {
871 let Some(project_path) =
872 workspace.project().read(cx).find_project_path(&path, cx)
873 else {
874 return;
875 };
876 let open_task =
877 workspace.open_path(project_path, None, true, window, cx);
878 window
879 .spawn(cx, async move |cx| {
880 let item = open_task.await?;
881 if let Some(active_editor) = item.downcast::<Editor>() {
882 active_editor
883 .update_in(cx, |editor, window, cx| {
884 let snapshot =
885 editor.buffer().read(cx).snapshot(cx);
886 let first_hunk = editor
887 .diff_hunks_in_ranges(
888 &[editor::Anchor::min()
889 ..editor::Anchor::max()],
890 &snapshot,
891 )
892 .next();
893 if let Some(first_hunk) = first_hunk {
894 let first_hunk_start =
895 first_hunk.multi_buffer_range().start;
896 editor.change_selections(
897 Default::default(),
898 window,
899 cx,
900 |selections| {
901 selections.select_anchor_ranges([
902 first_hunk_start
903 ..first_hunk_start,
904 ]);
905 },
906 )
907 }
908 })
909 .log_err();
910 }
911 anyhow::Ok(())
912 })
913 .detach_and_log_err(cx);
914 }
915 })
916 .ok();
917 }
918 })
919 .into_any_element();
920
921 let codeblock_header_bg = cx
922 .theme()
923 .colors()
924 .element_background
925 .blend(cx.theme().colors().editor_foreground.opacity(0.025));
926
927 let codeblock_header = h_flex()
928 .flex_none()
929 .p_1()
930 .gap_1()
931 .justify_between()
932 .rounded_t_md()
933 .when(error_message.is_none(), |header| {
934 header.bg(codeblock_header_bg)
935 })
936 .child(path_label_button)
937 .when(should_show_loading, |header| {
938 header.pr_1p5().child(
939 Icon::new(IconName::ArrowCircle)
940 .size(IconSize::XSmall)
941 .color(Color::Info)
942 .with_rotate_animation(2),
943 )
944 })
945 .when_some(error_message, |header, error_message| {
946 header.child(
947 h_flex()
948 .gap_1()
949 .child(
950 Icon::new(IconName::Close)
951 .size(IconSize::Small)
952 .color(Color::Error),
953 )
954 .child(
955 Disclosure::new(
956 ("edit-file-error-disclosure", self.editor.entity_id()),
957 self.error_expanded.is_some(),
958 )
959 .opened_icon(IconName::ChevronUp)
960 .closed_icon(IconName::ChevronDown)
961 .on_click(cx.listener({
962 let error_message = error_message.clone();
963
964 move |this, _event, _window, cx| {
965 if this.error_expanded.is_some() {
966 this.error_expanded.take();
967 } else {
968 this.error_expanded = Some(cx.new(|cx| {
969 Markdown::new(error_message.clone(), None, None, cx)
970 }))
971 }
972 cx.notify();
973 }
974 })),
975 ),
976 )
977 })
978 .when(error_message.is_none() && !self.is_loading(), |header| {
979 header.child(
980 Disclosure::new(
981 ("edit-file-disclosure", self.editor.entity_id()),
982 self.preview_expanded,
983 )
984 .opened_icon(IconName::ChevronUp)
985 .closed_icon(IconName::ChevronDown)
986 .on_click(cx.listener(
987 move |this, _event, _window, _cx| {
988 this.preview_expanded = !this.preview_expanded;
989 },
990 )),
991 )
992 });
993
994 let (editor, editor_line_height) = self.editor.update(cx, |editor, cx| {
995 let line_height = editor
996 .style()
997 .map(|style| style.text.line_height_in_pixels(window.rem_size()))
998 .unwrap_or_default();
999
1000 editor.set_text_style_refinement(TextStyleRefinement {
1001 font_size: Some(
1002 TextSize::Small
1003 .rems(cx)
1004 .to_pixels(ThemeSettings::get_global(cx).agent_font_size(cx))
1005 .into(),
1006 ),
1007 ..TextStyleRefinement::default()
1008 });
1009 let element = editor.render(window, cx);
1010 (element.into_any_element(), line_height)
1011 });
1012
1013 let border_color = cx.theme().colors().border.opacity(0.6);
1014
1015 let waiting_for_diff = {
1016 let styles = [
1017 ("w_4_5", (0.1, 0.85), 2000),
1018 ("w_1_4", (0.2, 0.75), 2200),
1019 ("w_2_4", (0.15, 0.64), 1900),
1020 ("w_3_5", (0.25, 0.72), 2300),
1021 ("w_2_5", (0.3, 0.56), 1800),
1022 ];
1023
1024 let mut container = v_flex()
1025 .p_3()
1026 .gap_1()
1027 .border_t_1()
1028 .rounded_b_md()
1029 .border_color(border_color)
1030 .bg(cx.theme().colors().editor_background);
1031
1032 for (width_method, pulse_range, duration_ms) in styles.iter() {
1033 let (min_opacity, max_opacity) = *pulse_range;
1034 let placeholder = match *width_method {
1035 "w_4_5" => div().w_3_4(),
1036 "w_1_4" => div().w_1_4(),
1037 "w_2_4" => div().w_2_4(),
1038 "w_3_5" => div().w_3_5(),
1039 "w_2_5" => div().w_2_5(),
1040 _ => div().w_1_2(),
1041 }
1042 .id("loading_div")
1043 .h_1()
1044 .rounded_full()
1045 .bg(cx.theme().colors().element_active)
1046 .with_animation(
1047 "loading_pulsate",
1048 Animation::new(Duration::from_millis(*duration_ms))
1049 .repeat()
1050 .with_easing(pulsating_between(min_opacity, max_opacity)),
1051 |label, delta| label.opacity(delta),
1052 );
1053
1054 container = container.child(placeholder);
1055 }
1056
1057 container
1058 };
1059
1060 v_flex()
1061 .mb_2()
1062 .border_1()
1063 .when(error_message.is_some(), |card| card.border_dashed())
1064 .border_color(border_color)
1065 .rounded_md()
1066 .overflow_hidden()
1067 .child(codeblock_header)
1068 .when_some(self.error_expanded.as_ref(), |card, error_markdown| {
1069 card.child(
1070 v_flex()
1071 .p_2()
1072 .gap_1()
1073 .border_t_1()
1074 .border_dashed()
1075 .border_color(border_color)
1076 .bg(cx.theme().colors().editor_background)
1077 .rounded_b_md()
1078 .child(
1079 Label::new("Error")
1080 .size(LabelSize::XSmall)
1081 .color(Color::Error),
1082 )
1083 .child(
1084 div()
1085 .rounded_md()
1086 .text_ui_sm(cx)
1087 .bg(cx.theme().colors().editor_background)
1088 .child(MarkdownElement::new(
1089 error_markdown.clone(),
1090 markdown_style(window, cx),
1091 )),
1092 ),
1093 )
1094 })
1095 .when(self.is_loading() && error_message.is_none(), |card| {
1096 card.child(waiting_for_diff)
1097 })
1098 .when(self.preview_expanded && !self.is_loading(), |card| {
1099 let editor_view = v_flex()
1100 .relative()
1101 .h_full()
1102 .when(!self.full_height_expanded, |editor_container| {
1103 editor_container.max_h(px(COLLAPSED_LINES as f32 * editor_line_height.0))
1104 })
1105 .overflow_hidden()
1106 .border_t_1()
1107 .border_color(border_color)
1108 .bg(cx.theme().colors().editor_background)
1109 .child(editor);
1110
1111 card.child(
1112 ToolOutputPreview::new(editor_view.into_any_element(), self.editor.entity_id())
1113 .with_total_lines(self.total_lines.unwrap_or(0) as usize)
1114 .toggle_state(self.full_height_expanded)
1115 .with_collapsed_fade()
1116 .on_toggle({
1117 let this = cx.entity().downgrade();
1118 move |is_expanded, _window, cx| {
1119 if let Some(this) = this.upgrade() {
1120 this.update(cx, |this, _cx| {
1121 this.full_height_expanded = is_expanded;
1122 });
1123 }
1124 }
1125 }),
1126 )
1127 })
1128 }
1129}
1130
1131fn markdown_style(window: &Window, cx: &App) -> MarkdownStyle {
1132 let theme_settings = ThemeSettings::get_global(cx);
1133 let ui_font_size = TextSize::Default.rems(cx);
1134 let mut text_style = window.text_style();
1135
1136 text_style.refine(&TextStyleRefinement {
1137 font_family: Some(theme_settings.ui_font.family.clone()),
1138 font_fallbacks: theme_settings.ui_font.fallbacks.clone(),
1139 font_features: Some(theme_settings.ui_font.features.clone()),
1140 font_size: Some(ui_font_size.into()),
1141 color: Some(cx.theme().colors().text),
1142 ..Default::default()
1143 });
1144
1145 MarkdownStyle {
1146 base_text_style: text_style.clone(),
1147 selection_background_color: cx.theme().colors().element_selection_background,
1148 ..Default::default()
1149 }
1150}
1151
1152async fn build_buffer(
1153 mut text: String,
1154 path: Arc<Path>,
1155 language_registry: &Arc<language::LanguageRegistry>,
1156 cx: &mut AsyncApp,
1157) -> Result<Entity<Buffer>> {
1158 let line_ending = LineEnding::detect(&text);
1159 LineEnding::normalize(&mut text);
1160 let text = Rope::from(text);
1161 let language = cx
1162 .update(|_cx| language_registry.language_for_file_path(&path))?
1163 .await
1164 .ok();
1165 let buffer = cx.new(|cx| {
1166 let buffer = TextBuffer::new_normalized(
1167 0,
1168 cx.entity_id().as_non_zero_u64().into(),
1169 line_ending,
1170 text,
1171 );
1172 let mut buffer = Buffer::build(buffer, None, Capability::ReadWrite);
1173 buffer.set_language(language, cx);
1174 buffer
1175 })?;
1176 Ok(buffer)
1177}
1178
1179async fn build_buffer_diff(
1180 old_text: Arc<String>,
1181 buffer: &Entity<Buffer>,
1182 language_registry: &Arc<LanguageRegistry>,
1183 cx: &mut AsyncApp,
1184) -> Result<Entity<BufferDiff>> {
1185 let buffer = cx.update(|cx| buffer.read(cx).snapshot())?;
1186
1187 let old_text_rope = cx
1188 .background_spawn({
1189 let old_text = old_text.clone();
1190 async move { Rope::from(old_text.as_str()) }
1191 })
1192 .await;
1193 let base_buffer = cx
1194 .update(|cx| {
1195 Buffer::build_snapshot(
1196 old_text_rope,
1197 buffer.language().cloned(),
1198 Some(language_registry.clone()),
1199 cx,
1200 )
1201 })?
1202 .await;
1203
1204 let diff_snapshot = cx
1205 .update(|cx| {
1206 BufferDiffSnapshot::new_with_base_buffer(
1207 buffer.text.clone(),
1208 Some(old_text),
1209 base_buffer,
1210 cx,
1211 )
1212 })?
1213 .await;
1214
1215 let secondary_diff = cx.new(|cx| {
1216 let mut diff = BufferDiff::new(&buffer, cx);
1217 diff.set_snapshot(diff_snapshot.clone(), &buffer, cx);
1218 diff
1219 })?;
1220
1221 cx.new(|cx| {
1222 let mut diff = BufferDiff::new(&buffer.text, cx);
1223 diff.set_snapshot(diff_snapshot, &buffer, cx);
1224 diff.set_secondary_diff(secondary_diff);
1225 diff
1226 })
1227}
1228
1229#[cfg(test)]
1230mod tests {
1231 use super::*;
1232 use ::fs::{Fs, encodings::EncodingWrapper};
1233 use client::TelemetrySettings;
1234 use encoding_rs::UTF_8;
1235 use gpui::{TestAppContext, UpdateGlobal};
1236 use language_model::fake_provider::FakeLanguageModel;
1237 use serde_json::json;
1238 use settings::SettingsStore;
1239 use std::fs;
1240 use util::path;
1241
1242 #[gpui::test]
1243 async fn test_edit_nonexistent_file(cx: &mut TestAppContext) {
1244 init_test(cx);
1245
1246 let fs = project::FakeFs::new(cx.executor());
1247 fs.insert_tree("/root", json!({})).await;
1248 let project = Project::test(fs.clone(), [path!("/root").as_ref()], cx).await;
1249 let action_log = cx.new(|_| ActionLog::new(project.clone()));
1250 let model = Arc::new(FakeLanguageModel::default());
1251 let result = cx
1252 .update(|cx| {
1253 let input = serde_json::to_value(EditFileToolInput {
1254 display_description: "Some edit".into(),
1255 path: "root/nonexistent_file.txt".into(),
1256 mode: EditFileMode::Edit,
1257 })
1258 .unwrap();
1259 Arc::new(EditFileTool)
1260 .run(
1261 input,
1262 Arc::default(),
1263 project.clone(),
1264 action_log,
1265 model,
1266 None,
1267 cx,
1268 )
1269 .output
1270 })
1271 .await;
1272 assert_eq!(
1273 result.unwrap_err().to_string(),
1274 "Can't edit file: path not found"
1275 );
1276 }
1277
1278 #[gpui::test]
1279 async fn test_resolve_path_for_creating_file(cx: &mut TestAppContext) {
1280 let mode = &EditFileMode::Create;
1281
1282 let result = test_resolve_path(mode, "root/new.txt", cx);
1283 assert_resolved_path_eq(result.await, "new.txt");
1284
1285 let result = test_resolve_path(mode, "new.txt", cx);
1286 assert_resolved_path_eq(result.await, "new.txt");
1287
1288 let result = test_resolve_path(mode, "dir/new.txt", cx);
1289 assert_resolved_path_eq(result.await, "dir/new.txt");
1290
1291 let result = test_resolve_path(mode, "root/dir/subdir/existing.txt", cx);
1292 assert_eq!(
1293 result.await.unwrap_err().to_string(),
1294 "Can't create file: file already exists"
1295 );
1296
1297 let result = test_resolve_path(mode, "root/dir/nonexistent_dir/new.txt", cx);
1298 assert_eq!(
1299 result.await.unwrap_err().to_string(),
1300 "Can't create file: parent directory doesn't exist"
1301 );
1302 }
1303
1304 #[gpui::test]
1305 async fn test_resolve_path_for_editing_file(cx: &mut TestAppContext) {
1306 let mode = &EditFileMode::Edit;
1307
1308 let path_with_root = "root/dir/subdir/existing.txt";
1309 let path_without_root = "dir/subdir/existing.txt";
1310 let result = test_resolve_path(mode, path_with_root, cx);
1311 assert_resolved_path_eq(result.await, path_without_root);
1312
1313 let result = test_resolve_path(mode, path_without_root, cx);
1314 assert_resolved_path_eq(result.await, path_without_root);
1315
1316 let result = test_resolve_path(mode, "root/nonexistent.txt", cx);
1317 assert_eq!(
1318 result.await.unwrap_err().to_string(),
1319 "Can't edit file: path not found"
1320 );
1321
1322 let result = test_resolve_path(mode, "root/dir", cx);
1323 assert_eq!(
1324 result.await.unwrap_err().to_string(),
1325 "Can't edit file: path is a directory"
1326 );
1327 }
1328
1329 async fn test_resolve_path(
1330 mode: &EditFileMode,
1331 path: &str,
1332 cx: &mut TestAppContext,
1333 ) -> anyhow::Result<ProjectPath> {
1334 init_test(cx);
1335
1336 let fs = project::FakeFs::new(cx.executor());
1337 fs.insert_tree(
1338 "/root",
1339 json!({
1340 "dir": {
1341 "subdir": {
1342 "existing.txt": "hello"
1343 }
1344 }
1345 }),
1346 )
1347 .await;
1348 let project = Project::test(fs.clone(), [path!("/root").as_ref()], cx).await;
1349
1350 let input = EditFileToolInput {
1351 display_description: "Some edit".into(),
1352 path: path.into(),
1353 mode: mode.clone(),
1354 };
1355
1356 cx.update(|cx| resolve_path(&input, project, cx))
1357 }
1358
1359 fn assert_resolved_path_eq(path: anyhow::Result<ProjectPath>, expected: &str) {
1360 let actual = path
1361 .expect("Should return valid path")
1362 .path
1363 .to_str()
1364 .unwrap()
1365 .replace("\\", "/"); // Naive Windows paths normalization
1366 assert_eq!(actual, expected);
1367 }
1368
1369 #[test]
1370 fn still_streaming_ui_text_with_path() {
1371 let input = json!({
1372 "path": "src/main.rs",
1373 "display_description": "",
1374 "old_string": "old code",
1375 "new_string": "new code"
1376 });
1377
1378 assert_eq!(EditFileTool.still_streaming_ui_text(&input), "src/main.rs");
1379 }
1380
1381 #[test]
1382 fn still_streaming_ui_text_with_description() {
1383 let input = json!({
1384 "path": "",
1385 "display_description": "Fix error handling",
1386 "old_string": "old code",
1387 "new_string": "new code"
1388 });
1389
1390 assert_eq!(
1391 EditFileTool.still_streaming_ui_text(&input),
1392 "Fix error handling",
1393 );
1394 }
1395
1396 #[test]
1397 fn still_streaming_ui_text_with_path_and_description() {
1398 let input = json!({
1399 "path": "src/main.rs",
1400 "display_description": "Fix error handling",
1401 "old_string": "old code",
1402 "new_string": "new code"
1403 });
1404
1405 assert_eq!(
1406 EditFileTool.still_streaming_ui_text(&input),
1407 "Fix error handling",
1408 );
1409 }
1410
1411 #[test]
1412 fn still_streaming_ui_text_no_path_or_description() {
1413 let input = json!({
1414 "path": "",
1415 "display_description": "",
1416 "old_string": "old code",
1417 "new_string": "new code"
1418 });
1419
1420 assert_eq!(
1421 EditFileTool.still_streaming_ui_text(&input),
1422 DEFAULT_UI_TEXT,
1423 );
1424 }
1425
1426 #[test]
1427 fn still_streaming_ui_text_with_null() {
1428 let input = serde_json::Value::Null;
1429
1430 assert_eq!(
1431 EditFileTool.still_streaming_ui_text(&input),
1432 DEFAULT_UI_TEXT,
1433 );
1434 }
1435
1436 fn init_test(cx: &mut TestAppContext) {
1437 cx.update(|cx| {
1438 let settings_store = SettingsStore::test(cx);
1439 cx.set_global(settings_store);
1440 language::init(cx);
1441 TelemetrySettings::register(cx);
1442 agent_settings::AgentSettings::register(cx);
1443 Project::init_settings(cx);
1444 });
1445 }
1446
1447 fn init_test_with_config(cx: &mut TestAppContext, data_dir: &Path) {
1448 cx.update(|cx| {
1449 // Set custom data directory (config will be under data_dir/config)
1450 paths::set_custom_data_dir(data_dir.to_str().unwrap());
1451
1452 let settings_store = SettingsStore::test(cx);
1453 cx.set_global(settings_store);
1454 language::init(cx);
1455 TelemetrySettings::register(cx);
1456 agent_settings::AgentSettings::register(cx);
1457 Project::init_settings(cx);
1458 });
1459 }
1460
1461 #[gpui::test]
1462 async fn test_format_on_save(cx: &mut TestAppContext) {
1463 init_test(cx);
1464
1465 let fs = project::FakeFs::new(cx.executor());
1466 fs.insert_tree("/root", json!({"src": {}})).await;
1467
1468 let project = Project::test(fs.clone(), [path!("/root").as_ref()], cx).await;
1469
1470 // Set up a Rust language with LSP formatting support
1471 let rust_language = Arc::new(language::Language::new(
1472 language::LanguageConfig {
1473 name: "Rust".into(),
1474 matcher: language::LanguageMatcher {
1475 path_suffixes: vec!["rs".to_string()],
1476 ..Default::default()
1477 },
1478 ..Default::default()
1479 },
1480 None,
1481 ));
1482
1483 // Register the language and fake LSP
1484 let language_registry = project.read_with(cx, |project, _| project.languages().clone());
1485 language_registry.add(rust_language);
1486
1487 let mut fake_language_servers = language_registry.register_fake_lsp(
1488 "Rust",
1489 language::FakeLspAdapter {
1490 capabilities: lsp::ServerCapabilities {
1491 document_formatting_provider: Some(lsp::OneOf::Left(true)),
1492 ..Default::default()
1493 },
1494 ..Default::default()
1495 },
1496 );
1497
1498 // Create the file
1499 fs.save(
1500 path!("/root/src/main.rs").as_ref(),
1501 &"initial content".into(),
1502 language::LineEnding::Unix,
1503 EncodingWrapper::new(UTF_8),
1504 )
1505 .await
1506 .unwrap();
1507
1508 // Open the buffer to trigger LSP initialization
1509 let buffer = project
1510 .update(cx, |project, cx| {
1511 project.open_local_buffer(path!("/root/src/main.rs"), cx)
1512 })
1513 .await
1514 .unwrap();
1515
1516 // Register the buffer with language servers
1517 let _handle = project.update(cx, |project, cx| {
1518 project.register_buffer_with_language_servers(&buffer, cx)
1519 });
1520
1521 const UNFORMATTED_CONTENT: &str = "fn main() {println!(\"Hello!\");}\n";
1522 const FORMATTED_CONTENT: &str =
1523 "This file was formatted by the fake formatter in the test.\n";
1524
1525 // Get the fake language server and set up formatting handler
1526 let fake_language_server = fake_language_servers.next().await.unwrap();
1527 fake_language_server.set_request_handler::<lsp::request::Formatting, _, _>({
1528 |_, _| async move {
1529 Ok(Some(vec![lsp::TextEdit {
1530 range: lsp::Range::new(lsp::Position::new(0, 0), lsp::Position::new(1, 0)),
1531 new_text: FORMATTED_CONTENT.to_string(),
1532 }]))
1533 }
1534 });
1535
1536 let action_log = cx.new(|_| ActionLog::new(project.clone()));
1537 let model = Arc::new(FakeLanguageModel::default());
1538
1539 // First, test with format_on_save enabled
1540 cx.update(|cx| {
1541 SettingsStore::update_global(cx, |store, cx| {
1542 store.update_user_settings::<language::language_settings::AllLanguageSettings>(
1543 cx,
1544 |settings| {
1545 settings.defaults.format_on_save = Some(FormatOnSave::On);
1546 settings.defaults.formatter =
1547 Some(language::language_settings::SelectedFormatter::Auto);
1548 },
1549 );
1550 });
1551 });
1552
1553 // Have the model stream unformatted content
1554 let edit_result = {
1555 let edit_task = cx.update(|cx| {
1556 let input = serde_json::to_value(EditFileToolInput {
1557 display_description: "Create main function".into(),
1558 path: "root/src/main.rs".into(),
1559 mode: EditFileMode::Overwrite,
1560 })
1561 .unwrap();
1562 Arc::new(EditFileTool)
1563 .run(
1564 input,
1565 Arc::default(),
1566 project.clone(),
1567 action_log.clone(),
1568 model.clone(),
1569 None,
1570 cx,
1571 )
1572 .output
1573 });
1574
1575 // Stream the unformatted content
1576 cx.executor().run_until_parked();
1577 model.send_last_completion_stream_text_chunk(UNFORMATTED_CONTENT.to_string());
1578 model.end_last_completion_stream();
1579
1580 edit_task.await
1581 };
1582 assert!(edit_result.is_ok());
1583
1584 // Wait for any async operations (e.g. formatting) to complete
1585 cx.executor().run_until_parked();
1586
1587 // Read the file to verify it was formatted automatically
1588 let new_content = fs.load(path!("/root/src/main.rs").as_ref()).await.unwrap();
1589 assert_eq!(
1590 // Ignore carriage returns on Windows
1591 new_content.replace("\r\n", "\n"),
1592 FORMATTED_CONTENT,
1593 "Code should be formatted when format_on_save is enabled"
1594 );
1595
1596 let stale_buffer_count = action_log.read_with(cx, |log, cx| log.stale_buffers(cx).count());
1597
1598 assert_eq!(
1599 stale_buffer_count, 0,
1600 "BUG: Buffer is incorrectly marked as stale after format-on-save. Found {} stale buffers. \
1601 This causes the agent to think the file was modified externally when it was just formatted.",
1602 stale_buffer_count
1603 );
1604
1605 // Next, test with format_on_save disabled
1606 cx.update(|cx| {
1607 SettingsStore::update_global(cx, |store, cx| {
1608 store.update_user_settings::<language::language_settings::AllLanguageSettings>(
1609 cx,
1610 |settings| {
1611 settings.defaults.format_on_save = Some(FormatOnSave::Off);
1612 },
1613 );
1614 });
1615 });
1616
1617 // Stream unformatted edits again
1618 let edit_result = {
1619 let edit_task = cx.update(|cx| {
1620 let input = serde_json::to_value(EditFileToolInput {
1621 display_description: "Update main function".into(),
1622 path: "root/src/main.rs".into(),
1623 mode: EditFileMode::Overwrite,
1624 })
1625 .unwrap();
1626 Arc::new(EditFileTool)
1627 .run(
1628 input,
1629 Arc::default(),
1630 project.clone(),
1631 action_log.clone(),
1632 model.clone(),
1633 None,
1634 cx,
1635 )
1636 .output
1637 });
1638
1639 // Stream the unformatted content
1640 cx.executor().run_until_parked();
1641 model.send_last_completion_stream_text_chunk(UNFORMATTED_CONTENT.to_string());
1642 model.end_last_completion_stream();
1643
1644 edit_task.await
1645 };
1646 assert!(edit_result.is_ok());
1647
1648 // Wait for any async operations (e.g. formatting) to complete
1649 cx.executor().run_until_parked();
1650
1651 // Verify the file was not formatted
1652 let new_content = fs.load(path!("/root/src/main.rs").as_ref()).await.unwrap();
1653 assert_eq!(
1654 // Ignore carriage returns on Windows
1655 new_content.replace("\r\n", "\n"),
1656 UNFORMATTED_CONTENT,
1657 "Code should not be formatted when format_on_save is disabled"
1658 );
1659 }
1660
1661 #[gpui::test]
1662 async fn test_remove_trailing_whitespace(cx: &mut TestAppContext) {
1663 init_test(cx);
1664
1665 let fs = project::FakeFs::new(cx.executor());
1666 fs.insert_tree("/root", json!({"src": {}})).await;
1667
1668 // Create a simple file with trailing whitespace
1669 fs.save(
1670 path!("/root/src/main.rs").as_ref(),
1671 &"initial content".into(),
1672 language::LineEnding::Unix,
1673 EncodingWrapper::new(UTF_8),
1674 )
1675 .await
1676 .unwrap();
1677
1678 let project = Project::test(fs.clone(), [path!("/root").as_ref()], cx).await;
1679 let action_log = cx.new(|_| ActionLog::new(project.clone()));
1680 let model = Arc::new(FakeLanguageModel::default());
1681
1682 // First, test with remove_trailing_whitespace_on_save enabled
1683 cx.update(|cx| {
1684 SettingsStore::update_global(cx, |store, cx| {
1685 store.update_user_settings::<language::language_settings::AllLanguageSettings>(
1686 cx,
1687 |settings| {
1688 settings.defaults.remove_trailing_whitespace_on_save = Some(true);
1689 },
1690 );
1691 });
1692 });
1693
1694 const CONTENT_WITH_TRAILING_WHITESPACE: &str =
1695 "fn main() { \n println!(\"Hello!\"); \n}\n";
1696
1697 // Have the model stream content that contains trailing whitespace
1698 let edit_result = {
1699 let edit_task = cx.update(|cx| {
1700 let input = serde_json::to_value(EditFileToolInput {
1701 display_description: "Create main function".into(),
1702 path: "root/src/main.rs".into(),
1703 mode: EditFileMode::Overwrite,
1704 })
1705 .unwrap();
1706 Arc::new(EditFileTool)
1707 .run(
1708 input,
1709 Arc::default(),
1710 project.clone(),
1711 action_log.clone(),
1712 model.clone(),
1713 None,
1714 cx,
1715 )
1716 .output
1717 });
1718
1719 // Stream the content with trailing whitespace
1720 cx.executor().run_until_parked();
1721 model.send_last_completion_stream_text_chunk(
1722 CONTENT_WITH_TRAILING_WHITESPACE.to_string(),
1723 );
1724 model.end_last_completion_stream();
1725
1726 edit_task.await
1727 };
1728 assert!(edit_result.is_ok());
1729
1730 // Wait for any async operations (e.g. formatting) to complete
1731 cx.executor().run_until_parked();
1732
1733 // Read the file to verify trailing whitespace was removed automatically
1734 assert_eq!(
1735 // Ignore carriage returns on Windows
1736 fs.load(path!("/root/src/main.rs").as_ref())
1737 .await
1738 .unwrap()
1739 .replace("\r\n", "\n"),
1740 "fn main() {\n println!(\"Hello!\");\n}\n",
1741 "Trailing whitespace should be removed when remove_trailing_whitespace_on_save is enabled"
1742 );
1743
1744 // Next, test with remove_trailing_whitespace_on_save disabled
1745 cx.update(|cx| {
1746 SettingsStore::update_global(cx, |store, cx| {
1747 store.update_user_settings::<language::language_settings::AllLanguageSettings>(
1748 cx,
1749 |settings| {
1750 settings.defaults.remove_trailing_whitespace_on_save = Some(false);
1751 },
1752 );
1753 });
1754 });
1755
1756 // Stream edits again with trailing whitespace
1757 let edit_result = {
1758 let edit_task = cx.update(|cx| {
1759 let input = serde_json::to_value(EditFileToolInput {
1760 display_description: "Update main function".into(),
1761 path: "root/src/main.rs".into(),
1762 mode: EditFileMode::Overwrite,
1763 })
1764 .unwrap();
1765 Arc::new(EditFileTool)
1766 .run(
1767 input,
1768 Arc::default(),
1769 project.clone(),
1770 action_log.clone(),
1771 model.clone(),
1772 None,
1773 cx,
1774 )
1775 .output
1776 });
1777
1778 // Stream the content with trailing whitespace
1779 cx.executor().run_until_parked();
1780 model.send_last_completion_stream_text_chunk(
1781 CONTENT_WITH_TRAILING_WHITESPACE.to_string(),
1782 );
1783 model.end_last_completion_stream();
1784
1785 edit_task.await
1786 };
1787 assert!(edit_result.is_ok());
1788
1789 // Wait for any async operations (e.g. formatting) to complete
1790 cx.executor().run_until_parked();
1791
1792 // Verify the file still has trailing whitespace
1793 // Read the file again - it should still have trailing whitespace
1794 let final_content = fs.load(path!("/root/src/main.rs").as_ref()).await.unwrap();
1795 assert_eq!(
1796 // Ignore carriage returns on Windows
1797 final_content.replace("\r\n", "\n"),
1798 CONTENT_WITH_TRAILING_WHITESPACE,
1799 "Trailing whitespace should remain when remove_trailing_whitespace_on_save is disabled"
1800 );
1801 }
1802
1803 #[gpui::test]
1804 async fn test_needs_confirmation(cx: &mut TestAppContext) {
1805 init_test(cx);
1806 let tool = Arc::new(EditFileTool);
1807 let fs = project::FakeFs::new(cx.executor());
1808 fs.insert_tree("/root", json!({})).await;
1809
1810 // Test 1: Path with .zed component should require confirmation
1811 let input_with_zed = json!({
1812 "display_description": "Edit settings",
1813 "path": ".zed/settings.json",
1814 "mode": "edit"
1815 });
1816 let project = Project::test(fs.clone(), [path!("/root").as_ref()], cx).await;
1817 cx.update(|cx| {
1818 assert!(
1819 tool.needs_confirmation(&input_with_zed, &project, cx),
1820 "Path with .zed component should require confirmation"
1821 );
1822 });
1823
1824 // Test 2: Absolute path should require confirmation
1825 let input_absolute = json!({
1826 "display_description": "Edit file",
1827 "path": "/etc/hosts",
1828 "mode": "edit"
1829 });
1830 cx.update(|cx| {
1831 assert!(
1832 tool.needs_confirmation(&input_absolute, &project, cx),
1833 "Absolute path should require confirmation"
1834 );
1835 });
1836
1837 // Test 3: Relative path without .zed should not require confirmation
1838 let input_relative = json!({
1839 "display_description": "Edit file",
1840 "path": "root/src/main.rs",
1841 "mode": "edit"
1842 });
1843 cx.update(|cx| {
1844 assert!(
1845 !tool.needs_confirmation(&input_relative, &project, cx),
1846 "Relative path without .zed should not require confirmation"
1847 );
1848 });
1849
1850 // Test 4: Path with .zed in the middle should require confirmation
1851 let input_zed_middle = json!({
1852 "display_description": "Edit settings",
1853 "path": "root/.zed/tasks.json",
1854 "mode": "edit"
1855 });
1856 cx.update(|cx| {
1857 assert!(
1858 tool.needs_confirmation(&input_zed_middle, &project, cx),
1859 "Path with .zed in any component should require confirmation"
1860 );
1861 });
1862
1863 // Test 5: When always_allow_tool_actions is enabled, no confirmation needed
1864 cx.update(|cx| {
1865 let mut settings = agent_settings::AgentSettings::get_global(cx).clone();
1866 settings.always_allow_tool_actions = true;
1867 agent_settings::AgentSettings::override_global(settings, cx);
1868
1869 assert!(
1870 !tool.needs_confirmation(&input_with_zed, &project, cx),
1871 "When always_allow_tool_actions is true, no confirmation should be needed"
1872 );
1873 assert!(
1874 !tool.needs_confirmation(&input_absolute, &project, cx),
1875 "When always_allow_tool_actions is true, no confirmation should be needed for absolute paths"
1876 );
1877 });
1878 }
1879
1880 #[gpui::test]
1881 async fn test_ui_text_shows_correct_context(cx: &mut TestAppContext) {
1882 // Set up a custom config directory for testing
1883 let temp_dir = tempfile::tempdir().unwrap();
1884 init_test_with_config(cx, temp_dir.path());
1885
1886 let tool = Arc::new(EditFileTool);
1887
1888 // Test ui_text shows context for various paths
1889 let test_cases = vec![
1890 (
1891 json!({
1892 "display_description": "Update config",
1893 "path": ".zed/settings.json",
1894 "mode": "edit"
1895 }),
1896 "Update config (local settings)",
1897 ".zed path should show local settings context",
1898 ),
1899 (
1900 json!({
1901 "display_description": "Fix bug",
1902 "path": "src/.zed/local.json",
1903 "mode": "edit"
1904 }),
1905 "Fix bug (local settings)",
1906 "Nested .zed path should show local settings context",
1907 ),
1908 (
1909 json!({
1910 "display_description": "Update readme",
1911 "path": "README.md",
1912 "mode": "edit"
1913 }),
1914 "Update readme",
1915 "Normal path should not show additional context",
1916 ),
1917 (
1918 json!({
1919 "display_description": "Edit config",
1920 "path": "config.zed",
1921 "mode": "edit"
1922 }),
1923 "Edit config",
1924 ".zed as extension should not show context",
1925 ),
1926 ];
1927
1928 for (input, expected_text, description) in test_cases {
1929 cx.update(|_cx| {
1930 let ui_text = tool.ui_text(&input);
1931 assert_eq!(ui_text, expected_text, "Failed for case: {}", description);
1932 });
1933 }
1934 }
1935
1936 #[gpui::test]
1937 async fn test_needs_confirmation_outside_project(cx: &mut TestAppContext) {
1938 init_test(cx);
1939 let tool = Arc::new(EditFileTool);
1940 let fs = project::FakeFs::new(cx.executor());
1941
1942 // Create a project in /project directory
1943 fs.insert_tree("/project", json!({})).await;
1944 let project = Project::test(fs.clone(), [path!("/project").as_ref()], cx).await;
1945
1946 // Test file outside project requires confirmation
1947 let input_outside = json!({
1948 "display_description": "Edit file",
1949 "path": "/outside/file.txt",
1950 "mode": "edit"
1951 });
1952 cx.update(|cx| {
1953 assert!(
1954 tool.needs_confirmation(&input_outside, &project, cx),
1955 "File outside project should require confirmation"
1956 );
1957 });
1958
1959 // Test file inside project doesn't require confirmation
1960 let input_inside = json!({
1961 "display_description": "Edit file",
1962 "path": "project/file.txt",
1963 "mode": "edit"
1964 });
1965 cx.update(|cx| {
1966 assert!(
1967 !tool.needs_confirmation(&input_inside, &project, cx),
1968 "File inside project should not require confirmation"
1969 );
1970 });
1971 }
1972
1973 #[gpui::test]
1974 async fn test_needs_confirmation_config_paths(cx: &mut TestAppContext) {
1975 // Set up a custom data directory for testing
1976 let temp_dir = tempfile::tempdir().unwrap();
1977 init_test_with_config(cx, temp_dir.path());
1978
1979 let tool = Arc::new(EditFileTool);
1980 let fs = project::FakeFs::new(cx.executor());
1981 fs.insert_tree("/home/user/myproject", json!({})).await;
1982 let project = Project::test(fs.clone(), [path!("/home/user/myproject").as_ref()], cx).await;
1983
1984 // Get the actual local settings folder name
1985 let local_settings_folder = paths::local_settings_folder_relative_path();
1986
1987 // Test various config path patterns
1988 let test_cases = vec![
1989 (
1990 format!("{}/settings.json", local_settings_folder.display()),
1991 true,
1992 "Top-level local settings file".to_string(),
1993 ),
1994 (
1995 format!(
1996 "myproject/{}/settings.json",
1997 local_settings_folder.display()
1998 ),
1999 true,
2000 "Local settings in project path".to_string(),
2001 ),
2002 (
2003 format!("src/{}/config.toml", local_settings_folder.display()),
2004 true,
2005 "Local settings in subdirectory".to_string(),
2006 ),
2007 (
2008 ".zed.backup/file.txt".to_string(),
2009 true,
2010 ".zed.backup is outside project".to_string(),
2011 ),
2012 (
2013 "my.zed/file.txt".to_string(),
2014 true,
2015 "my.zed is outside project".to_string(),
2016 ),
2017 (
2018 "myproject/src/file.zed".to_string(),
2019 false,
2020 ".zed as file extension".to_string(),
2021 ),
2022 (
2023 "myproject/normal/path/file.rs".to_string(),
2024 false,
2025 "Normal file without config paths".to_string(),
2026 ),
2027 ];
2028
2029 for (path, should_confirm, description) in test_cases {
2030 let input = json!({
2031 "display_description": "Edit file",
2032 "path": path,
2033 "mode": "edit"
2034 });
2035 cx.update(|cx| {
2036 assert_eq!(
2037 tool.needs_confirmation(&input, &project, cx),
2038 should_confirm,
2039 "Failed for case: {} - path: {}",
2040 description,
2041 path
2042 );
2043 });
2044 }
2045 }
2046
2047 #[gpui::test]
2048 async fn test_needs_confirmation_global_config(cx: &mut TestAppContext) {
2049 // Set up a custom data directory for testing
2050 let temp_dir = tempfile::tempdir().unwrap();
2051 init_test_with_config(cx, temp_dir.path());
2052
2053 let tool = Arc::new(EditFileTool);
2054 let fs = project::FakeFs::new(cx.executor());
2055
2056 // Create test files in the global config directory
2057 let global_config_dir = paths::config_dir();
2058 fs::create_dir_all(&global_config_dir).unwrap();
2059 let global_settings_path = global_config_dir.join("settings.json");
2060 fs::write(&global_settings_path, "{}").unwrap();
2061
2062 fs.insert_tree("/project", json!({})).await;
2063 let project = Project::test(fs.clone(), [path!("/project").as_ref()], cx).await;
2064
2065 // Test global config paths
2066 let test_cases = vec![
2067 (
2068 global_settings_path.to_str().unwrap().to_string(),
2069 true,
2070 "Global settings file should require confirmation",
2071 ),
2072 (
2073 global_config_dir
2074 .join("keymap.json")
2075 .to_str()
2076 .unwrap()
2077 .to_string(),
2078 true,
2079 "Global keymap file should require confirmation",
2080 ),
2081 (
2082 "project/normal_file.rs".to_string(),
2083 false,
2084 "Normal project file should not require confirmation",
2085 ),
2086 ];
2087
2088 for (path, should_confirm, description) in test_cases {
2089 let input = json!({
2090 "display_description": "Edit file",
2091 "path": path,
2092 "mode": "edit"
2093 });
2094 cx.update(|cx| {
2095 assert_eq!(
2096 tool.needs_confirmation(&input, &project, cx),
2097 should_confirm,
2098 "Failed for case: {}",
2099 description
2100 );
2101 });
2102 }
2103 }
2104
2105 #[gpui::test]
2106 async fn test_needs_confirmation_with_multiple_worktrees(cx: &mut TestAppContext) {
2107 init_test(cx);
2108 let tool = Arc::new(EditFileTool);
2109 let fs = project::FakeFs::new(cx.executor());
2110
2111 // Create multiple worktree directories
2112 fs.insert_tree(
2113 "/workspace/frontend",
2114 json!({
2115 "src": {
2116 "main.js": "console.log('frontend');"
2117 }
2118 }),
2119 )
2120 .await;
2121 fs.insert_tree(
2122 "/workspace/backend",
2123 json!({
2124 "src": {
2125 "main.rs": "fn main() {}"
2126 }
2127 }),
2128 )
2129 .await;
2130 fs.insert_tree(
2131 "/workspace/shared",
2132 json!({
2133 ".zed": {
2134 "settings.json": "{}"
2135 }
2136 }),
2137 )
2138 .await;
2139
2140 // Create project with multiple worktrees
2141 let project = Project::test(
2142 fs.clone(),
2143 [
2144 path!("/workspace/frontend").as_ref(),
2145 path!("/workspace/backend").as_ref(),
2146 path!("/workspace/shared").as_ref(),
2147 ],
2148 cx,
2149 )
2150 .await;
2151
2152 // Test files in different worktrees
2153 let test_cases = vec![
2154 ("frontend/src/main.js", false, "File in first worktree"),
2155 ("backend/src/main.rs", false, "File in second worktree"),
2156 (
2157 "shared/.zed/settings.json",
2158 true,
2159 ".zed file in third worktree",
2160 ),
2161 ("/etc/hosts", true, "Absolute path outside all worktrees"),
2162 (
2163 "../outside/file.txt",
2164 true,
2165 "Relative path outside worktrees",
2166 ),
2167 ];
2168
2169 for (path, should_confirm, description) in test_cases {
2170 let input = json!({
2171 "display_description": "Edit file",
2172 "path": path,
2173 "mode": "edit"
2174 });
2175 cx.update(|cx| {
2176 assert_eq!(
2177 tool.needs_confirmation(&input, &project, cx),
2178 should_confirm,
2179 "Failed for case: {} - path: {}",
2180 description,
2181 path
2182 );
2183 });
2184 }
2185 }
2186
2187 #[gpui::test]
2188 async fn test_needs_confirmation_edge_cases(cx: &mut TestAppContext) {
2189 init_test(cx);
2190 let tool = Arc::new(EditFileTool);
2191 let fs = project::FakeFs::new(cx.executor());
2192 fs.insert_tree(
2193 "/project",
2194 json!({
2195 ".zed": {
2196 "settings.json": "{}"
2197 },
2198 "src": {
2199 ".zed": {
2200 "local.json": "{}"
2201 }
2202 }
2203 }),
2204 )
2205 .await;
2206 let project = Project::test(fs.clone(), [path!("/project").as_ref()], cx).await;
2207
2208 // Test edge cases
2209 let test_cases = vec![
2210 // Empty path - find_project_path returns Some for empty paths
2211 ("", false, "Empty path is treated as project root"),
2212 // Root directory
2213 ("/", true, "Root directory should be outside project"),
2214 // Parent directory references - find_project_path resolves these
2215 (
2216 "project/../other",
2217 false,
2218 "Path with .. is resolved by find_project_path",
2219 ),
2220 (
2221 "project/./src/file.rs",
2222 false,
2223 "Path with . should work normally",
2224 ),
2225 // Windows-style paths (if on Windows)
2226 #[cfg(target_os = "windows")]
2227 ("C:\\Windows\\System32\\hosts", true, "Windows system path"),
2228 #[cfg(target_os = "windows")]
2229 ("project\\src\\main.rs", false, "Windows-style project path"),
2230 ];
2231
2232 for (path, should_confirm, description) in test_cases {
2233 let input = json!({
2234 "display_description": "Edit file",
2235 "path": path,
2236 "mode": "edit"
2237 });
2238 cx.update(|cx| {
2239 assert_eq!(
2240 tool.needs_confirmation(&input, &project, cx),
2241 should_confirm,
2242 "Failed for case: {} - path: {}",
2243 description,
2244 path
2245 );
2246 });
2247 }
2248 }
2249
2250 #[gpui::test]
2251 async fn test_ui_text_with_all_path_types(cx: &mut TestAppContext) {
2252 init_test(cx);
2253 let tool = Arc::new(EditFileTool);
2254
2255 // Test UI text for various scenarios
2256 let test_cases = vec![
2257 (
2258 json!({
2259 "display_description": "Update config",
2260 "path": ".zed/settings.json",
2261 "mode": "edit"
2262 }),
2263 "Update config (local settings)",
2264 ".zed path should show local settings context",
2265 ),
2266 (
2267 json!({
2268 "display_description": "Fix bug",
2269 "path": "src/.zed/local.json",
2270 "mode": "edit"
2271 }),
2272 "Fix bug (local settings)",
2273 "Nested .zed path should show local settings context",
2274 ),
2275 (
2276 json!({
2277 "display_description": "Update readme",
2278 "path": "README.md",
2279 "mode": "edit"
2280 }),
2281 "Update readme",
2282 "Normal path should not show additional context",
2283 ),
2284 (
2285 json!({
2286 "display_description": "Edit config",
2287 "path": "config.zed",
2288 "mode": "edit"
2289 }),
2290 "Edit config",
2291 ".zed as extension should not show context",
2292 ),
2293 ];
2294
2295 for (input, expected_text, description) in test_cases {
2296 cx.update(|_cx| {
2297 let ui_text = tool.ui_text(&input);
2298 assert_eq!(ui_text, expected_text, "Failed for case: {}", description);
2299 });
2300 }
2301 }
2302
2303 #[gpui::test]
2304 async fn test_needs_confirmation_with_different_modes(cx: &mut TestAppContext) {
2305 init_test(cx);
2306 let tool = Arc::new(EditFileTool);
2307 let fs = project::FakeFs::new(cx.executor());
2308 fs.insert_tree(
2309 "/project",
2310 json!({
2311 "existing.txt": "content",
2312 ".zed": {
2313 "settings.json": "{}"
2314 }
2315 }),
2316 )
2317 .await;
2318 let project = Project::test(fs.clone(), [path!("/project").as_ref()], cx).await;
2319
2320 // Test different EditFileMode values
2321 let modes = vec![
2322 EditFileMode::Edit,
2323 EditFileMode::Create,
2324 EditFileMode::Overwrite,
2325 ];
2326
2327 for mode in modes {
2328 // Test .zed path with different modes
2329 let input_zed = json!({
2330 "display_description": "Edit settings",
2331 "path": "project/.zed/settings.json",
2332 "mode": mode
2333 });
2334 cx.update(|cx| {
2335 assert!(
2336 tool.needs_confirmation(&input_zed, &project, cx),
2337 ".zed path should require confirmation regardless of mode: {:?}",
2338 mode
2339 );
2340 });
2341
2342 // Test outside path with different modes
2343 let input_outside = json!({
2344 "display_description": "Edit file",
2345 "path": "/outside/file.txt",
2346 "mode": mode
2347 });
2348 cx.update(|cx| {
2349 assert!(
2350 tool.needs_confirmation(&input_outside, &project, cx),
2351 "Outside path should require confirmation regardless of mode: {:?}",
2352 mode
2353 );
2354 });
2355
2356 // Test normal path with different modes
2357 let input_normal = json!({
2358 "display_description": "Edit file",
2359 "path": "project/normal.txt",
2360 "mode": mode
2361 });
2362 cx.update(|cx| {
2363 assert!(
2364 !tool.needs_confirmation(&input_normal, &project, cx),
2365 "Normal path should not require confirmation regardless of mode: {:?}",
2366 mode
2367 );
2368 });
2369 }
2370 }
2371
2372 #[gpui::test]
2373 async fn test_always_allow_tool_actions_bypasses_all_checks(cx: &mut TestAppContext) {
2374 // Set up with custom directories for deterministic testing
2375 let temp_dir = tempfile::tempdir().unwrap();
2376 init_test_with_config(cx, temp_dir.path());
2377
2378 let tool = Arc::new(EditFileTool);
2379 let fs = project::FakeFs::new(cx.executor());
2380 fs.insert_tree("/project", json!({})).await;
2381 let project = Project::test(fs.clone(), [path!("/project").as_ref()], cx).await;
2382
2383 // Enable always_allow_tool_actions
2384 cx.update(|cx| {
2385 let mut settings = agent_settings::AgentSettings::get_global(cx).clone();
2386 settings.always_allow_tool_actions = true;
2387 agent_settings::AgentSettings::override_global(settings, cx);
2388 });
2389
2390 // Test that all paths that normally require confirmation are bypassed
2391 let global_settings_path = paths::config_dir().join("settings.json");
2392 fs::create_dir_all(paths::config_dir()).unwrap();
2393 fs::write(&global_settings_path, "{}").unwrap();
2394
2395 let test_cases = vec![
2396 ".zed/settings.json",
2397 "project/.zed/config.toml",
2398 global_settings_path.to_str().unwrap(),
2399 "/etc/hosts",
2400 "/absolute/path/file.txt",
2401 "../outside/project.txt",
2402 ];
2403
2404 for path in test_cases {
2405 let input = json!({
2406 "display_description": "Edit file",
2407 "path": path,
2408 "mode": "edit"
2409 });
2410 cx.update(|cx| {
2411 assert!(
2412 !tool.needs_confirmation(&input, &project, cx),
2413 "Path {} should not require confirmation when always_allow_tool_actions is true",
2414 path
2415 );
2416 });
2417 }
2418
2419 // Disable always_allow_tool_actions and verify confirmation is required again
2420 cx.update(|cx| {
2421 let mut settings = agent_settings::AgentSettings::get_global(cx).clone();
2422 settings.always_allow_tool_actions = false;
2423 agent_settings::AgentSettings::override_global(settings, cx);
2424 });
2425
2426 // Verify .zed path requires confirmation again
2427 let input = json!({
2428 "display_description": "Edit file",
2429 "path": ".zed/settings.json",
2430 "mode": "edit"
2431 });
2432 cx.update(|cx| {
2433 assert!(
2434 tool.needs_confirmation(&input, &project, cx),
2435 ".zed path should require confirmation when always_allow_tool_actions is false"
2436 );
2437 });
2438 }
2439}