delete_path_tool.rs

  1use crate::schema::json_schema_for;
  2use anyhow::{Result, anyhow};
  3use assistant_tool::{ActionLog, Tool, ToolResult};
  4use futures::{SinkExt, StreamExt, channel::mpsc};
  5use gpui::{AnyWindowHandle, App, AppContext, Entity, Task};
  6use language_model::{LanguageModelRequestMessage, LanguageModelToolSchemaFormat};
  7use project::{Project, ProjectPath};
  8use schemars::JsonSchema;
  9use serde::{Deserialize, Serialize};
 10use std::sync::Arc;
 11use ui::IconName;
 12
 13#[derive(Debug, Serialize, Deserialize, JsonSchema)]
 14pub struct DeletePathToolInput {
 15    /// The path of the file or directory to delete.
 16    ///
 17    /// <example>
 18    /// If the project has the following files:
 19    ///
 20    /// - directory1/a/something.txt
 21    /// - directory2/a/things.txt
 22    /// - directory3/a/other.txt
 23    ///
 24    /// You can delete the first file by providing a path of "directory1/a/something.txt"
 25    /// </example>
 26    pub path: String,
 27}
 28
 29pub struct DeletePathTool;
 30
 31impl Tool for DeletePathTool {
 32    fn name(&self) -> String {
 33        "delete_path".into()
 34    }
 35
 36    fn needs_confirmation(&self, _: &serde_json::Value, _: &App) -> bool {
 37        false
 38    }
 39
 40    fn description(&self) -> String {
 41        include_str!("./delete_path_tool/description.md").into()
 42    }
 43
 44    fn icon(&self) -> IconName {
 45        IconName::FileDelete
 46    }
 47
 48    fn input_schema(&self, format: LanguageModelToolSchemaFormat) -> Result<serde_json::Value> {
 49        json_schema_for::<DeletePathToolInput>(format)
 50    }
 51
 52    fn ui_text(&self, input: &serde_json::Value) -> String {
 53        match serde_json::from_value::<DeletePathToolInput>(input.clone()) {
 54            Ok(input) => format!("Delete “`{}`”", input.path),
 55            Err(_) => "Delete path".to_string(),
 56        }
 57    }
 58
 59    fn run(
 60        self: Arc<Self>,
 61        input: serde_json::Value,
 62        _messages: &[LanguageModelRequestMessage],
 63        project: Entity<Project>,
 64        action_log: Entity<ActionLog>,
 65        _window: Option<AnyWindowHandle>,
 66        cx: &mut App,
 67    ) -> ToolResult {
 68        let path_str = match serde_json::from_value::<DeletePathToolInput>(input) {
 69            Ok(input) => input.path,
 70            Err(err) => return Task::ready(Err(anyhow!(err))).into(),
 71        };
 72        let Some(project_path) = project.read(cx).find_project_path(&path_str, cx) else {
 73            return Task::ready(Err(anyhow!(
 74                "Couldn't delete {path_str} because that path isn't in this project."
 75            )))
 76            .into();
 77        };
 78
 79        let Some(worktree) = project
 80            .read(cx)
 81            .worktree_for_id(project_path.worktree_id, cx)
 82        else {
 83            return Task::ready(Err(anyhow!(
 84                "Couldn't delete {path_str} because that path isn't in this project."
 85            )))
 86            .into();
 87        };
 88
 89        let worktree_snapshot = worktree.read(cx).snapshot();
 90        let (mut paths_tx, mut paths_rx) = mpsc::channel(256);
 91        cx.background_spawn({
 92            let project_path = project_path.clone();
 93            async move {
 94                for entry in
 95                    worktree_snapshot.traverse_from_path(true, false, false, &project_path.path)
 96                {
 97                    if !entry.path.starts_with(&project_path.path) {
 98                        break;
 99                    }
100                    paths_tx
101                        .send(ProjectPath {
102                            worktree_id: project_path.worktree_id,
103                            path: entry.path.clone(),
104                        })
105                        .await?;
106                }
107                anyhow::Ok(())
108            }
109        })
110        .detach();
111
112        cx.spawn(async move |cx| {
113            while let Some(path) = paths_rx.next().await {
114                if let Ok(buffer) = project
115                    .update(cx, |project, cx| project.open_buffer(path, cx))?
116                    .await
117                {
118                    action_log.update(cx, |action_log, cx| {
119                        action_log.will_delete_buffer(buffer.clone(), cx)
120                    })?;
121                }
122            }
123
124            let delete = project.update(cx, |project, cx| {
125                project.delete_file(project_path, false, cx)
126            })?;
127
128            match delete {
129                Some(deletion_task) => match deletion_task.await {
130                    Ok(()) => Ok(format!("Deleted {path_str}")),
131                    Err(err) => Err(anyhow!("Failed to delete {path_str}: {err}")),
132                },
133                None => Err(anyhow!(
134                    "Couldn't delete {path_str} because that path isn't in this project."
135                )),
136            }
137        })
138        .into()
139    }
140}