1use anyhow::{Context as _, bail};
   2use collections::{FxHashMap, HashMap, HashSet};
   3use language::{LanguageName, LanguageRegistry};
   4use std::{
   5    borrow::Cow,
   6    path::{Path, PathBuf},
   7    sync::Arc,
   8    usize,
   9};
  10use tasks_ui::{TaskOverrides, TasksModal};
  11
  12use dap::{
  13    DapRegistry, DebugRequest, TelemetrySpawnLocation, adapters::DebugAdapterName, send_telemetry,
  14};
  15use editor::{Editor, EditorElement, EditorStyle};
  16use fuzzy::{StringMatch, StringMatchCandidate};
  17use gpui::{
  18    Action, App, AppContext, DismissEvent, Entity, EventEmitter, FocusHandle, Focusable,
  19    KeyContext, Render, Subscription, Task, TextStyle, WeakEntity,
  20};
  21use itertools::Itertools as _;
  22use picker::{Picker, PickerDelegate, highlighted_match_with_paths::HighlightedMatch};
  23use project::{DebugScenarioContext, Project, TaskContexts, TaskSourceKind, task_store::TaskStore};
  24use settings::Settings;
  25use task::{DebugScenario, RevealTarget, VariableName, ZedDebugConfig};
  26use theme::ThemeSettings;
  27use ui::{
  28    ActiveTheme, Button, ButtonCommon, ButtonSize, CheckboxWithLabel, Clickable, Color, Context,
  29    ContextMenu, Disableable, DropdownMenu, FluentBuilder, Icon, IconName, IconSize,
  30    IconWithIndicator, Indicator, InteractiveElement, IntoElement, KeyBinding, Label,
  31    LabelCommon as _, LabelSize, ListItem, ListItemSpacing, ParentElement, RenderOnce,
  32    SharedString, Styled, StyledExt, ToggleButton, ToggleState, Toggleable, Tooltip, Window, div,
  33    h_flex, relative, rems, v_flex,
  34};
  35use util::{ResultExt, rel_path::RelPath, shell::ShellKind};
  36use workspace::{ModalView, Workspace, notifications::DetachAndPromptErr, pane};
  37
  38use crate::{attach_modal::AttachModal, debugger_panel::DebugPanel};
  39
  40pub(super) struct NewProcessModal {
  41    workspace: WeakEntity<Workspace>,
  42    debug_panel: WeakEntity<DebugPanel>,
  43    mode: NewProcessMode,
  44    debug_picker: Entity<Picker<DebugDelegate>>,
  45    attach_mode: Entity<AttachMode>,
  46    configure_mode: Entity<ConfigureMode>,
  47    task_mode: TaskMode,
  48    debugger: Option<DebugAdapterName>,
  49    _subscriptions: [Subscription; 3],
  50}
  51
  52fn suggested_label(request: &DebugRequest, debugger: &str) -> SharedString {
  53    match request {
  54        DebugRequest::Launch(config) => {
  55            let last_path_component = Path::new(&config.program)
  56                .file_name()
  57                .map(|name| name.to_string_lossy())
  58                .unwrap_or_else(|| Cow::Borrowed(&config.program));
  59
  60            format!("{} ({debugger})", last_path_component).into()
  61        }
  62        DebugRequest::Attach(config) => format!(
  63            "pid: {} ({debugger})",
  64            config.process_id.unwrap_or(u32::MAX)
  65        )
  66        .into(),
  67    }
  68}
  69
  70impl NewProcessModal {
  71    pub(super) fn show(
  72        workspace: &mut Workspace,
  73        window: &mut Window,
  74        mode: NewProcessMode,
  75        reveal_target: Option<RevealTarget>,
  76        cx: &mut Context<Workspace>,
  77    ) {
  78        let Some(debug_panel) = workspace.panel::<DebugPanel>(cx) else {
  79            return;
  80        };
  81        let task_store = workspace.project().read(cx).task_store().clone();
  82        let languages = workspace.app_state().languages.clone();
  83
  84        cx.spawn_in(window, async move |workspace, cx| {
  85            let task_contexts = workspace.update_in(cx, |workspace, window, cx| {
  86                // todo(debugger): get the buffer here (if the active item is an editor) and store it so we can pass it to start_session later
  87                tasks_ui::task_contexts(workspace, window, cx)
  88            })?;
  89            workspace.update_in(cx, |workspace, window, cx| {
  90                let workspace_handle = workspace.weak_handle();
  91                let project = workspace.project().clone();
  92                workspace.toggle_modal(window, cx, |window, cx| {
  93                    let attach_mode =
  94                        AttachMode::new(None, workspace_handle.clone(), project, window, cx);
  95
  96                    let debug_picker = cx.new(|cx| {
  97                        let delegate =
  98                            DebugDelegate::new(debug_panel.downgrade(), task_store.clone());
  99                        Picker::uniform_list(delegate, window, cx).modal(false)
 100                    });
 101
 102                    let configure_mode = ConfigureMode::new(window, cx);
 103
 104                    let task_overrides = Some(TaskOverrides { reveal_target });
 105
 106                    let task_mode = TaskMode {
 107                        task_modal: cx.new(|cx| {
 108                            TasksModal::new(
 109                                task_store.clone(),
 110                                Arc::new(TaskContexts::default()),
 111                                task_overrides,
 112                                false,
 113                                workspace_handle.clone(),
 114                                window,
 115                                cx,
 116                            )
 117                        }),
 118                    };
 119
 120                    let _subscriptions = [
 121                        cx.subscribe(&debug_picker, |_, _, _, cx| {
 122                            cx.emit(DismissEvent);
 123                        }),
 124                        cx.subscribe(
 125                            &attach_mode.read(cx).attach_picker.clone(),
 126                            |_, _, _, cx| {
 127                                cx.emit(DismissEvent);
 128                            },
 129                        ),
 130                        cx.subscribe(&task_mode.task_modal, |_, _, _: &DismissEvent, cx| {
 131                            cx.emit(DismissEvent)
 132                        }),
 133                    ];
 134
 135                    cx.spawn_in(window, {
 136                        let debug_picker = debug_picker.downgrade();
 137                        let configure_mode = configure_mode.downgrade();
 138                        let task_modal = task_mode.task_modal.downgrade();
 139                        let workspace = workspace_handle.clone();
 140
 141                        async move |this, cx| {
 142                            let task_contexts = task_contexts.await;
 143                            let task_contexts = Arc::new(task_contexts);
 144                            let lsp_task_sources = task_contexts.lsp_task_sources.clone();
 145                            let task_position = task_contexts.latest_selection;
 146                            // Get LSP tasks and filter out based on language vs lsp preference
 147                            let (lsp_tasks, prefer_lsp) =
 148                                workspace.update(cx, |workspace, cx| {
 149                                    let lsp_tasks = editor::lsp_tasks(
 150                                        workspace.project().clone(),
 151                                        &lsp_task_sources,
 152                                        task_position,
 153                                        cx,
 154                                    );
 155                                    let prefer_lsp = workspace
 156                                        .active_item(cx)
 157                                        .and_then(|item| item.downcast::<Editor>())
 158                                        .map(|editor| {
 159                                            editor
 160                                                .read(cx)
 161                                                .buffer()
 162                                                .read(cx)
 163                                                .language_settings(cx)
 164                                                .tasks
 165                                                .prefer_lsp
 166                                        })
 167                                        .unwrap_or(false);
 168                                    (lsp_tasks, prefer_lsp)
 169                                })?;
 170
 171                            let lsp_tasks = lsp_tasks.await;
 172                            let add_current_language_tasks = !prefer_lsp || lsp_tasks.is_empty();
 173
 174                            let lsp_tasks = lsp_tasks
 175                                .into_iter()
 176                                .flat_map(|(kind, tasks_with_locations)| {
 177                                    tasks_with_locations
 178                                        .into_iter()
 179                                        .sorted_by_key(|(location, task)| {
 180                                            (location.is_none(), task.resolved_label.clone())
 181                                        })
 182                                        .map(move |(_, task)| (kind.clone(), task))
 183                                })
 184                                .collect::<Vec<_>>();
 185
 186                            let Some(task_inventory) = task_store
 187                                .update(cx, |task_store, _| task_store.task_inventory().cloned())?
 188                            else {
 189                                return Ok(());
 190                            };
 191
 192                            let (used_tasks, current_resolved_tasks) = task_inventory
 193                                .update(cx, |task_inventory, cx| {
 194                                    task_inventory
 195                                        .used_and_current_resolved_tasks(task_contexts.clone(), cx)
 196                                })?
 197                                .await;
 198
 199                            if let Ok(task) = debug_picker.update(cx, |picker, cx| {
 200                                picker.delegate.tasks_loaded(
 201                                    task_contexts.clone(),
 202                                    languages,
 203                                    lsp_tasks.clone(),
 204                                    current_resolved_tasks.clone(),
 205                                    add_current_language_tasks,
 206                                    cx,
 207                                )
 208                            }) {
 209                                task.await;
 210                                debug_picker
 211                                    .update_in(cx, |picker, window, cx| {
 212                                        picker.refresh(window, cx);
 213                                        cx.notify();
 214                                    })
 215                                    .ok();
 216                            }
 217
 218                            if let Some(active_cwd) = task_contexts
 219                                .active_context()
 220                                .and_then(|context| context.cwd.clone())
 221                            {
 222                                configure_mode
 223                                    .update_in(cx, |configure_mode, window, cx| {
 224                                        configure_mode.load(active_cwd, window, cx);
 225                                    })
 226                                    .ok();
 227                            }
 228
 229                            task_modal
 230                                .update_in(cx, |task_modal, window, cx| {
 231                                    task_modal.tasks_loaded(
 232                                        task_contexts,
 233                                        lsp_tasks,
 234                                        used_tasks,
 235                                        current_resolved_tasks,
 236                                        add_current_language_tasks,
 237                                        window,
 238                                        cx,
 239                                    );
 240                                })
 241                                .ok();
 242
 243                            this.update(cx, |_, cx| {
 244                                cx.notify();
 245                            })
 246                            .ok();
 247
 248                            anyhow::Ok(())
 249                        }
 250                    })
 251                    .detach();
 252
 253                    Self {
 254                        debug_picker,
 255                        attach_mode,
 256                        configure_mode,
 257                        task_mode,
 258                        debugger: None,
 259                        mode,
 260                        debug_panel: debug_panel.downgrade(),
 261                        workspace: workspace_handle,
 262                        _subscriptions,
 263                    }
 264                });
 265            })?;
 266
 267            anyhow::Ok(())
 268        })
 269        .detach();
 270    }
 271
 272    fn render_mode(&mut self, window: &mut Window, cx: &mut Context<Self>) -> impl ui::IntoElement {
 273        let dap_menu = self.adapter_drop_down_menu(window, cx);
 274        match self.mode {
 275            NewProcessMode::Task => self
 276                .task_mode
 277                .task_modal
 278                .read(cx)
 279                .picker
 280                .clone()
 281                .into_any_element(),
 282            NewProcessMode::Attach => self.attach_mode.update(cx, |this, cx| {
 283                this.clone().render(window, cx).into_any_element()
 284            }),
 285            NewProcessMode::Launch => self.configure_mode.update(cx, |this, cx| {
 286                this.clone().render(dap_menu, window, cx).into_any_element()
 287            }),
 288            NewProcessMode::Debug => v_flex()
 289                .w(rems(34.))
 290                .child(self.debug_picker.clone())
 291                .into_any_element(),
 292        }
 293    }
 294
 295    fn mode_focus_handle(&self, cx: &App) -> FocusHandle {
 296        match self.mode {
 297            NewProcessMode::Task => self.task_mode.task_modal.focus_handle(cx),
 298            NewProcessMode::Attach => self.attach_mode.read(cx).attach_picker.focus_handle(cx),
 299            NewProcessMode::Launch => self.configure_mode.read(cx).program.focus_handle(cx),
 300            NewProcessMode::Debug => self.debug_picker.focus_handle(cx),
 301        }
 302    }
 303
 304    fn debug_scenario(&self, debugger: &str, cx: &App) -> Task<Option<DebugScenario>> {
 305        let request = match self.mode {
 306            NewProcessMode::Launch => {
 307                DebugRequest::Launch(self.configure_mode.read(cx).debug_request(cx))
 308            }
 309            NewProcessMode::Attach => {
 310                DebugRequest::Attach(self.attach_mode.read(cx).debug_request())
 311            }
 312            _ => return Task::ready(None),
 313        };
 314        let label = suggested_label(&request, debugger);
 315
 316        let stop_on_entry = if let NewProcessMode::Launch = &self.mode {
 317            Some(self.configure_mode.read(cx).stop_on_entry.selected())
 318        } else {
 319            None
 320        };
 321
 322        let session_scenario = ZedDebugConfig {
 323            adapter: debugger.to_owned().into(),
 324            label,
 325            request,
 326            stop_on_entry,
 327        };
 328
 329        let adapter = cx
 330            .global::<DapRegistry>()
 331            .adapter(&session_scenario.adapter);
 332
 333        cx.spawn(async move |_| adapter?.config_from_zed_format(session_scenario).await.ok())
 334    }
 335
 336    fn start_new_session(&mut self, window: &mut Window, cx: &mut Context<Self>) {
 337        if self.debugger.as_ref().is_none() {
 338            return;
 339        }
 340
 341        if let NewProcessMode::Debug = &self.mode {
 342            self.debug_picker.update(cx, |picker, cx| {
 343                picker.delegate.confirm(false, window, cx);
 344            });
 345            return;
 346        }
 347
 348        if let NewProcessMode::Launch = &self.mode
 349            && self.configure_mode.read(cx).save_to_debug_json.selected()
 350        {
 351            self.save_debug_scenario(window, cx);
 352        }
 353
 354        let Some(debugger) = self.debugger.clone() else {
 355            return;
 356        };
 357
 358        let debug_panel = self.debug_panel.clone();
 359        let Some(task_contexts) = self.task_contexts(cx) else {
 360            return;
 361        };
 362
 363        let task_context = task_contexts.active_context().cloned().unwrap_or_default();
 364        let worktree_id = task_contexts.worktree();
 365        let mode = self.mode;
 366        cx.spawn_in(window, async move |this, cx| {
 367            let Some(config) = this
 368                .update(cx, |this, cx| this.debug_scenario(&debugger, cx))?
 369                .await
 370            else {
 371                bail!("debug config not found in mode: {mode}");
 372            };
 373
 374            debug_panel.update_in(cx, |debug_panel, window, cx| {
 375                send_telemetry(&config, TelemetrySpawnLocation::Custom, cx);
 376                debug_panel.start_session(config, task_context, None, worktree_id, window, cx)
 377            })?;
 378            this.update(cx, |_, cx| {
 379                cx.emit(DismissEvent);
 380            })
 381            .ok();
 382            anyhow::Ok(())
 383        })
 384        .detach_and_log_err(cx);
 385    }
 386
 387    fn update_attach_picker(
 388        attach: &Entity<AttachMode>,
 389        adapter: &DebugAdapterName,
 390        window: &mut Window,
 391        cx: &mut App,
 392    ) {
 393        attach.update(cx, |this, cx| {
 394            if adapter.0 != this.definition.adapter {
 395                this.definition.adapter = adapter.0.clone();
 396
 397                this.attach_picker.update(cx, |this, cx| {
 398                    this.picker.update(cx, |this, cx| {
 399                        this.delegate.definition.adapter = adapter.0.clone();
 400                        this.focus(window, cx);
 401                    })
 402                });
 403            }
 404
 405            cx.notify();
 406        })
 407    }
 408
 409    fn task_contexts(&self, cx: &App) -> Option<Arc<TaskContexts>> {
 410        self.debug_picker.read(cx).delegate.task_contexts.clone()
 411    }
 412
 413    pub fn save_debug_scenario(&mut self, window: &mut Window, cx: &mut Context<Self>) {
 414        let task_contexts = self.task_contexts(cx);
 415        let Some(adapter) = self.debugger.as_ref() else {
 416            return;
 417        };
 418        let scenario = self.debug_scenario(adapter, cx);
 419        cx.spawn_in(window, async move |this, cx| {
 420            let scenario = scenario.await.context("no scenario to save")?;
 421            let worktree_id = task_contexts
 422                .context("no task contexts")?
 423                .worktree()
 424                .context("no active worktree")?;
 425            this.update_in(cx, |this, window, cx| {
 426                this.debug_panel.update(cx, |panel, cx| {
 427                    panel.save_scenario(scenario, worktree_id, window, cx)
 428                })
 429            })??
 430            .await?;
 431            this.update_in(cx, |_, _, cx| {
 432                cx.emit(DismissEvent);
 433            })
 434        })
 435        .detach_and_prompt_err("Failed to edit debug.json", window, cx, |_, _, _| None);
 436    }
 437
 438    fn adapter_drop_down_menu(
 439        &mut self,
 440        window: &mut Window,
 441        cx: &mut Context<Self>,
 442    ) -> ui::DropdownMenu {
 443        let workspace = self.workspace.clone();
 444        let weak = cx.weak_entity();
 445        let active_buffer = self.task_contexts(cx).and_then(|tc| {
 446            tc.active_item_context
 447                .as_ref()
 448                .and_then(|aic| aic.1.as_ref().map(|l| l.buffer.clone()))
 449        });
 450
 451        let active_buffer_language = active_buffer
 452            .and_then(|buffer| buffer.read(cx).language())
 453            .cloned();
 454
 455        let mut available_adapters: Vec<_> = workspace
 456            .update(cx, |_, cx| DapRegistry::global(cx).enumerate_adapters())
 457            .unwrap_or_default();
 458        if let Some(language) = active_buffer_language {
 459            available_adapters.sort_by_key(|adapter| {
 460                language
 461                    .config()
 462                    .debuggers
 463                    .get_index_of(adapter.0.as_ref())
 464                    .unwrap_or(usize::MAX)
 465            });
 466            if self.debugger.is_none() {
 467                self.debugger = available_adapters.first().cloned();
 468            }
 469        }
 470
 471        let label = self
 472            .debugger
 473            .as_ref()
 474            .map(|d| d.0.clone())
 475            .unwrap_or_else(|| SELECT_DEBUGGER_LABEL.clone());
 476
 477        DropdownMenu::new(
 478            "dap-adapter-picker",
 479            label,
 480            ContextMenu::build(window, cx, move |mut menu, _, _| {
 481                let setter_for_name = |name: DebugAdapterName| {
 482                    let weak = weak.clone();
 483                    move |window: &mut Window, cx: &mut App| {
 484                        weak.update(cx, |this, cx| {
 485                            this.debugger = Some(name.clone());
 486                            cx.notify();
 487                            if let NewProcessMode::Attach = &this.mode {
 488                                Self::update_attach_picker(&this.attach_mode, &name, window, cx);
 489                            }
 490                        })
 491                        .ok();
 492                    }
 493                };
 494
 495                for adapter in available_adapters.into_iter() {
 496                    menu = menu.entry(adapter.0.clone(), None, setter_for_name(adapter.clone()));
 497                }
 498
 499                menu
 500            }),
 501        )
 502    }
 503}
 504
 505static SELECT_DEBUGGER_LABEL: SharedString = SharedString::new_static("Select Debugger");
 506
 507#[derive(Clone, Copy)]
 508pub(crate) enum NewProcessMode {
 509    Task,
 510    Launch,
 511    Attach,
 512    Debug,
 513}
 514
 515impl std::fmt::Display for NewProcessMode {
 516    fn fmt(&self, f: &mut std::fmt::Formatter<'_>) -> std::fmt::Result {
 517        let mode = match self {
 518            NewProcessMode::Task => "Run",
 519            NewProcessMode::Debug => "Debug",
 520            NewProcessMode::Attach => "Attach",
 521            NewProcessMode::Launch => "Launch",
 522        };
 523
 524        write!(f, "{}", mode)
 525    }
 526}
 527
 528impl Focusable for NewProcessMode {
 529    fn focus_handle(&self, cx: &App) -> FocusHandle {
 530        cx.focus_handle()
 531    }
 532}
 533
 534fn render_editor(editor: &Entity<Editor>, window: &mut Window, cx: &App) -> impl IntoElement {
 535    let settings = ThemeSettings::get_global(cx);
 536    let theme = cx.theme();
 537
 538    let text_style = TextStyle {
 539        color: cx.theme().colors().text,
 540        font_family: settings.buffer_font.family.clone(),
 541        font_features: settings.buffer_font.features.clone(),
 542        font_size: settings.buffer_font_size(cx).into(),
 543        font_weight: settings.buffer_font.weight,
 544        line_height: relative(settings.buffer_line_height.value()),
 545        background_color: Some(theme.colors().editor_background),
 546        ..Default::default()
 547    };
 548
 549    let element = EditorElement::new(
 550        editor,
 551        EditorStyle {
 552            background: theme.colors().editor_background,
 553            local_player: theme.players().local(),
 554            text: text_style,
 555            ..Default::default()
 556        },
 557    );
 558
 559    div()
 560        .rounded_md()
 561        .p_1()
 562        .border_1()
 563        .border_color(theme.colors().border_variant)
 564        .when(
 565            editor.focus_handle(cx).contains_focused(window, cx),
 566            |this| this.border_color(theme.colors().border_focused),
 567        )
 568        .child(element)
 569        .bg(theme.colors().editor_background)
 570}
 571
 572impl Render for NewProcessModal {
 573    fn render(
 574        &mut self,
 575        window: &mut ui::Window,
 576        cx: &mut ui::Context<Self>,
 577    ) -> impl ui::IntoElement {
 578        v_flex()
 579            .key_context({
 580                let mut key_context = KeyContext::new_with_defaults();
 581                key_context.add("Pane");
 582                key_context.add("RunModal");
 583                key_context
 584            })
 585            .size_full()
 586            .w(rems(34.))
 587            .elevation_3(cx)
 588            .overflow_hidden()
 589            .on_action(cx.listener(|_, _: &menu::Cancel, _, cx| {
 590                cx.emit(DismissEvent);
 591            }))
 592            .on_action(cx.listener(|this, _: &pane::ActivateNextItem, window, cx| {
 593                this.mode = match this.mode {
 594                    NewProcessMode::Task => NewProcessMode::Debug,
 595                    NewProcessMode::Debug => NewProcessMode::Attach,
 596                    NewProcessMode::Attach => NewProcessMode::Launch,
 597                    NewProcessMode::Launch => NewProcessMode::Task,
 598                };
 599
 600                this.mode_focus_handle(cx).focus(window);
 601            }))
 602            .on_action(
 603                cx.listener(|this, _: &pane::ActivatePreviousItem, window, cx| {
 604                    this.mode = match this.mode {
 605                        NewProcessMode::Task => NewProcessMode::Launch,
 606                        NewProcessMode::Debug => NewProcessMode::Task,
 607                        NewProcessMode::Attach => NewProcessMode::Debug,
 608                        NewProcessMode::Launch => NewProcessMode::Attach,
 609                    };
 610
 611                    this.mode_focus_handle(cx).focus(window);
 612                }),
 613            )
 614            .child(
 615                h_flex()
 616                    .p_2()
 617                    .w_full()
 618                    .border_b_1()
 619                    .border_color(cx.theme().colors().border_variant)
 620                    .child(
 621                        ToggleButton::new(
 622                            "debugger-session-ui-tasks-button",
 623                            NewProcessMode::Task.to_string(),
 624                        )
 625                        .size(ButtonSize::Default)
 626                        .toggle_state(matches!(self.mode, NewProcessMode::Task))
 627                        .style(ui::ButtonStyle::Subtle)
 628                        .on_click(cx.listener(|this, _, window, cx| {
 629                            this.mode = NewProcessMode::Task;
 630                            this.mode_focus_handle(cx).focus(window);
 631                            cx.notify();
 632                        }))
 633                        .tooltip(Tooltip::text("Run predefined task"))
 634                        .first(),
 635                    )
 636                    .child(
 637                        ToggleButton::new(
 638                            "debugger-session-ui-launch-button",
 639                            NewProcessMode::Debug.to_string(),
 640                        )
 641                        .size(ButtonSize::Default)
 642                        .style(ui::ButtonStyle::Subtle)
 643                        .toggle_state(matches!(self.mode, NewProcessMode::Debug))
 644                        .on_click(cx.listener(|this, _, window, cx| {
 645                            this.mode = NewProcessMode::Debug;
 646                            this.mode_focus_handle(cx).focus(window);
 647                            cx.notify();
 648                        }))
 649                        .tooltip(Tooltip::text("Start a predefined debug scenario"))
 650                        .middle(),
 651                    )
 652                    .child(
 653                        ToggleButton::new(
 654                            "debugger-session-ui-attach-button",
 655                            NewProcessMode::Attach.to_string(),
 656                        )
 657                        .size(ButtonSize::Default)
 658                        .toggle_state(matches!(self.mode, NewProcessMode::Attach))
 659                        .style(ui::ButtonStyle::Subtle)
 660                        .on_click(cx.listener(|this, _, window, cx| {
 661                            this.mode = NewProcessMode::Attach;
 662
 663                            if let Some(debugger) = this.debugger.as_ref() {
 664                                Self::update_attach_picker(&this.attach_mode, debugger, window, cx);
 665                            }
 666                            this.mode_focus_handle(cx).focus(window);
 667                            cx.notify();
 668                        }))
 669                        .tooltip(Tooltip::text("Attach the debugger to a running process"))
 670                        .middle(),
 671                    )
 672                    .child(
 673                        ToggleButton::new(
 674                            "debugger-session-ui-custom-button",
 675                            NewProcessMode::Launch.to_string(),
 676                        )
 677                        .size(ButtonSize::Default)
 678                        .toggle_state(matches!(self.mode, NewProcessMode::Launch))
 679                        .style(ui::ButtonStyle::Subtle)
 680                        .on_click(cx.listener(|this, _, window, cx| {
 681                            this.mode = NewProcessMode::Launch;
 682                            this.mode_focus_handle(cx).focus(window);
 683                            cx.notify();
 684                        }))
 685                        .tooltip(Tooltip::text("Launch a new process with a debugger"))
 686                        .last(),
 687                    ),
 688            )
 689            .child(v_flex().child(self.render_mode(window, cx)))
 690            .map(|el| {
 691                let container = h_flex()
 692                    .w_full()
 693                    .p_1p5()
 694                    .gap_2()
 695                    .justify_between()
 696                    .border_t_1()
 697                    .border_color(cx.theme().colors().border_variant);
 698                match self.mode {
 699                    NewProcessMode::Launch => el.child(
 700                        container
 701                            .child(
 702                                h_flex().child(
 703                                    Button::new("edit-custom-debug", "Edit in debug.json")
 704                                        .on_click(cx.listener(|this, _, window, cx| {
 705                                            this.save_debug_scenario(window, cx);
 706                                        }))
 707                                        .disabled(
 708                                            self.debugger.is_none()
 709                                                || self
 710                                                    .configure_mode
 711                                                    .read(cx)
 712                                                    .program
 713                                                    .read(cx)
 714                                                    .is_empty(cx),
 715                                        ),
 716                                ),
 717                            )
 718                            .child(
 719                                Button::new("debugger-spawn", "Start")
 720                                    .on_click(cx.listener(|this, _, window, cx| {
 721                                        this.start_new_session(window, cx)
 722                                    }))
 723                                    .disabled(
 724                                        self.debugger.is_none()
 725                                            || self
 726                                                .configure_mode
 727                                                .read(cx)
 728                                                .program
 729                                                .read(cx)
 730                                                .is_empty(cx),
 731                                    ),
 732                            ),
 733                    ),
 734                    NewProcessMode::Attach => el.child({
 735                        let disabled = self.debugger.is_none()
 736                            || self
 737                                .attach_mode
 738                                .read(cx)
 739                                .attach_picker
 740                                .read(cx)
 741                                .picker
 742                                .read(cx)
 743                                .delegate
 744                                .match_count()
 745                                == 0;
 746                        let secondary_action = menu::SecondaryConfirm.boxed_clone();
 747                        container
 748                            .child(div().child({
 749                                Button::new("edit-attach-task", "Edit in debug.json")
 750                                    .label_size(LabelSize::Small)
 751                                    .key_binding(KeyBinding::for_action(&*secondary_action, cx))
 752                                    .on_click(move |_, window, cx| {
 753                                        window.dispatch_action(secondary_action.boxed_clone(), cx)
 754                                    })
 755                                    .disabled(disabled)
 756                            }))
 757                            .child(
 758                                h_flex()
 759                                    .child(div().child(self.adapter_drop_down_menu(window, cx))),
 760                            )
 761                    }),
 762                    NewProcessMode::Debug => el,
 763                    NewProcessMode::Task => el,
 764                }
 765            })
 766    }
 767}
 768
 769impl EventEmitter<DismissEvent> for NewProcessModal {}
 770impl Focusable for NewProcessModal {
 771    fn focus_handle(&self, cx: &ui::App) -> gpui::FocusHandle {
 772        self.mode_focus_handle(cx)
 773    }
 774}
 775
 776impl ModalView for NewProcessModal {}
 777
 778impl RenderOnce for AttachMode {
 779    fn render(self, _: &mut Window, cx: &mut App) -> impl IntoElement {
 780        v_flex()
 781            .w_full()
 782            .track_focus(&self.attach_picker.focus_handle(cx))
 783            .child(self.attach_picker)
 784    }
 785}
 786
 787#[derive(Clone)]
 788pub(super) struct ConfigureMode {
 789    program: Entity<Editor>,
 790    cwd: Entity<Editor>,
 791    stop_on_entry: ToggleState,
 792    save_to_debug_json: ToggleState,
 793}
 794
 795impl ConfigureMode {
 796    pub(super) fn new(window: &mut Window, cx: &mut App) -> Entity<Self> {
 797        let program = cx.new(|cx| Editor::single_line(window, cx));
 798        program.update(cx, |this, cx| {
 799            this.set_placeholder_text("ENV=Zed ~/bin/program --option", window, cx);
 800        });
 801
 802        let cwd = cx.new(|cx| Editor::single_line(window, cx));
 803        cwd.update(cx, |this, cx| {
 804            this.set_placeholder_text("Ex: $ZED_WORKTREE_ROOT", window, cx);
 805        });
 806
 807        cx.new(|_| Self {
 808            program,
 809            cwd,
 810            stop_on_entry: ToggleState::Unselected,
 811            save_to_debug_json: ToggleState::Unselected,
 812        })
 813    }
 814
 815    fn load(&mut self, cwd: PathBuf, window: &mut Window, cx: &mut App) {
 816        self.cwd.update(cx, |editor, cx| {
 817            if editor.is_empty(cx) {
 818                editor.set_text(cwd.to_string_lossy(), window, cx);
 819            }
 820        });
 821    }
 822
 823    pub(super) fn debug_request(&self, cx: &App) -> task::LaunchRequest {
 824        let cwd_text = self.cwd.read(cx).text(cx);
 825        let cwd = if cwd_text.is_empty() {
 826            None
 827        } else {
 828            Some(PathBuf::from(cwd_text))
 829        };
 830
 831        if cfg!(windows) {
 832            return task::LaunchRequest {
 833                program: self.program.read(cx).text(cx),
 834                cwd,
 835                args: Default::default(),
 836                env: Default::default(),
 837            };
 838        }
 839        let command = self.program.read(cx).text(cx);
 840        let mut args = ShellKind::Posix
 841            .split(&command)
 842            .into_iter()
 843            .flatten()
 844            .peekable();
 845        let mut env = FxHashMap::default();
 846        while args.peek().is_some_and(|arg| arg.contains('=')) {
 847            let arg = args.next().unwrap();
 848            let (lhs, rhs) = arg.split_once('=').unwrap();
 849            env.insert(lhs.to_string(), rhs.to_string());
 850        }
 851
 852        let program = if let Some(program) = args.next() {
 853            program
 854        } else {
 855            env = FxHashMap::default();
 856            command
 857        };
 858
 859        let args = args.collect::<Vec<_>>();
 860
 861        task::LaunchRequest {
 862            program,
 863            cwd,
 864            args,
 865            env,
 866        }
 867    }
 868
 869    fn render(
 870        &mut self,
 871        adapter_menu: DropdownMenu,
 872        window: &mut Window,
 873        cx: &mut ui::Context<Self>,
 874    ) -> impl IntoElement {
 875        v_flex()
 876            .p_2()
 877            .w_full()
 878            .gap_2()
 879            .track_focus(&self.program.focus_handle(cx))
 880            .child(
 881                h_flex()
 882                    .gap_2()
 883                    .child(
 884                        Label::new("Debugger")
 885                            .size(LabelSize::Small)
 886                            .color(Color::Muted),
 887                    )
 888                    .child(adapter_menu),
 889            )
 890            .child(
 891                v_flex()
 892                    .gap_0p5()
 893                    .child(
 894                        Label::new("Program")
 895                            .size(LabelSize::Small)
 896                            .color(Color::Muted),
 897                    )
 898                    .child(render_editor(&self.program, window, cx)),
 899            )
 900            .child(
 901                v_flex()
 902                    .gap_0p5()
 903                    .child(
 904                        Label::new("Working Directory")
 905                            .size(LabelSize::Small)
 906                            .color(Color::Muted),
 907                    )
 908                    .child(render_editor(&self.cwd, window, cx)),
 909            )
 910            .child(
 911                CheckboxWithLabel::new(
 912                    "debugger-stop-on-entry",
 913                    Label::new("Stop on Entry")
 914                        .size(LabelSize::Small)
 915                        .color(Color::Muted),
 916                    self.stop_on_entry,
 917                    {
 918                        let this = cx.weak_entity();
 919                        move |state, _, cx| {
 920                            this.update(cx, |this, _| {
 921                                this.stop_on_entry = *state;
 922                            })
 923                            .ok();
 924                        }
 925                    },
 926                )
 927                .checkbox_position(ui::IconPosition::End),
 928            )
 929    }
 930}
 931
 932#[derive(Clone)]
 933pub(super) struct AttachMode {
 934    pub(super) definition: ZedDebugConfig,
 935    pub(super) attach_picker: Entity<AttachModal>,
 936}
 937
 938impl AttachMode {
 939    pub(super) fn new(
 940        debugger: Option<DebugAdapterName>,
 941        workspace: WeakEntity<Workspace>,
 942        project: Entity<Project>,
 943        window: &mut Window,
 944        cx: &mut Context<NewProcessModal>,
 945    ) -> Entity<Self> {
 946        let definition = ZedDebugConfig {
 947            adapter: debugger.unwrap_or(DebugAdapterName("".into())).0,
 948            label: "Attach New Session Setup".into(),
 949            request: dap::DebugRequest::Attach(task::AttachRequest { process_id: None }),
 950            stop_on_entry: Some(false),
 951        };
 952        let attach_picker = cx.new(|cx| {
 953            let modal = AttachModal::new(definition.clone(), workspace, project, false, window, cx);
 954            window.focus(&modal.focus_handle(cx));
 955
 956            modal
 957        });
 958
 959        cx.new(|_| Self {
 960            definition,
 961            attach_picker,
 962        })
 963    }
 964    pub(super) fn debug_request(&self) -> task::AttachRequest {
 965        task::AttachRequest { process_id: None }
 966    }
 967}
 968
 969#[derive(Clone)]
 970pub(super) struct TaskMode {
 971    pub(super) task_modal: Entity<TasksModal>,
 972}
 973
 974pub(super) struct DebugDelegate {
 975    task_store: Entity<TaskStore>,
 976    candidates: Vec<(
 977        Option<TaskSourceKind>,
 978        Option<LanguageName>,
 979        DebugScenario,
 980        Option<DebugScenarioContext>,
 981    )>,
 982    selected_index: usize,
 983    matches: Vec<StringMatch>,
 984    prompt: String,
 985    debug_panel: WeakEntity<DebugPanel>,
 986    task_contexts: Option<Arc<TaskContexts>>,
 987    divider_index: Option<usize>,
 988    last_used_candidate_index: Option<usize>,
 989}
 990
 991impl DebugDelegate {
 992    pub(super) fn new(debug_panel: WeakEntity<DebugPanel>, task_store: Entity<TaskStore>) -> Self {
 993        Self {
 994            task_store,
 995            candidates: Vec::default(),
 996            selected_index: 0,
 997            matches: Vec::new(),
 998            prompt: String::new(),
 999            debug_panel,
1000            task_contexts: None,
1001            divider_index: None,
1002            last_used_candidate_index: None,
1003        }
1004    }
1005
1006    fn get_task_subtitle(
1007        &self,
1008        task_kind: &Option<TaskSourceKind>,
1009        context: &Option<DebugScenarioContext>,
1010        cx: &mut App,
1011    ) -> Option<String> {
1012        match task_kind {
1013            Some(TaskSourceKind::Worktree {
1014                id: worktree_id,
1015                directory_in_worktree,
1016                ..
1017            }) => self
1018                .debug_panel
1019                .update(cx, |debug_panel, cx| {
1020                    let project = debug_panel.project().read(cx);
1021                    let worktrees: Vec<_> = project.visible_worktrees(cx).collect();
1022
1023                    let mut path = if worktrees.len() > 1
1024                        && let Some(worktree) = project.worktree_for_id(*worktree_id, cx)
1025                    {
1026                        worktree
1027                            .read(cx)
1028                            .root_name()
1029                            .join(directory_in_worktree)
1030                            .to_rel_path_buf()
1031                    } else {
1032                        directory_in_worktree.to_rel_path_buf()
1033                    };
1034
1035                    match path.components().next_back() {
1036                        Some(".zed") => {
1037                            path.push(RelPath::unix("debug.json").unwrap());
1038                        }
1039                        Some(".vscode") => {
1040                            path.push(RelPath::unix("launch.json").unwrap());
1041                        }
1042                        _ => {}
1043                    }
1044                    path.display(project.path_style(cx)).to_string()
1045                })
1046                .ok(),
1047            Some(TaskSourceKind::AbsPath { abs_path, .. }) => {
1048                Some(abs_path.to_string_lossy().into_owned())
1049            }
1050            Some(TaskSourceKind::Lsp { language_name, .. }) => {
1051                Some(format!("LSP: {language_name}"))
1052            }
1053            Some(TaskSourceKind::Language { .. }) => None,
1054            _ => context.clone().and_then(|ctx| {
1055                ctx.task_context
1056                    .task_variables
1057                    .get(&VariableName::RelativeFile)
1058                    .map(|f| format!("in {f}"))
1059                    .or_else(|| {
1060                        ctx.task_context
1061                            .task_variables
1062                            .get(&VariableName::Dirname)
1063                            .map(|d| format!("in {d}/"))
1064                    })
1065            }),
1066        }
1067    }
1068
1069    fn get_scenario_language(
1070        languages: &Arc<LanguageRegistry>,
1071        dap_registry: &DapRegistry,
1072        scenario: DebugScenario,
1073    ) -> (Option<LanguageName>, DebugScenario) {
1074        let language_names = languages.language_names();
1075        let language_name = dap_registry.adapter_language(&scenario.adapter);
1076
1077        let language_name = language_name.or_else(|| {
1078            scenario.label.split_whitespace().find_map(|word| {
1079                language_names
1080                    .iter()
1081                    .find(|name| name.as_ref().eq_ignore_ascii_case(word))
1082                    .cloned()
1083            })
1084        });
1085
1086        (language_name, scenario)
1087    }
1088
1089    pub fn tasks_loaded(
1090        &mut self,
1091        task_contexts: Arc<TaskContexts>,
1092        languages: Arc<LanguageRegistry>,
1093        lsp_tasks: Vec<(TaskSourceKind, task::ResolvedTask)>,
1094        current_resolved_tasks: Vec<(TaskSourceKind, task::ResolvedTask)>,
1095        add_current_language_tasks: bool,
1096        cx: &mut Context<Picker<Self>>,
1097    ) -> Task<()> {
1098        self.task_contexts = Some(task_contexts.clone());
1099        let task = self.task_store.update(cx, |task_store, cx| {
1100            task_store.task_inventory().map(|inventory| {
1101                inventory.update(cx, |inventory, cx| {
1102                    inventory.list_debug_scenarios(
1103                        &task_contexts,
1104                        lsp_tasks,
1105                        current_resolved_tasks,
1106                        add_current_language_tasks,
1107                        cx,
1108                    )
1109                })
1110            })
1111        });
1112
1113        let valid_adapters: HashSet<_> = cx.global::<DapRegistry>().enumerate_adapters();
1114
1115        cx.spawn(async move |this, cx| {
1116            let (recent, scenarios) = if let Some(task) = task {
1117                task.await
1118            } else {
1119                (Vec::new(), Vec::new())
1120            };
1121
1122            this.update(cx, |this, cx| {
1123                if !recent.is_empty() {
1124                    this.delegate.last_used_candidate_index = Some(recent.len() - 1);
1125                }
1126
1127                let dap_registry = cx.global::<DapRegistry>();
1128                let hide_vscode = scenarios.iter().any(|(kind, _)| match kind {
1129                    TaskSourceKind::Worktree {
1130                        id: _,
1131                        directory_in_worktree: dir,
1132                        id_base: _,
1133                    } => dir.ends_with(RelPath::unix(".zed").unwrap()),
1134                    _ => false,
1135                });
1136
1137                this.delegate.candidates = recent
1138                    .into_iter()
1139                    .map(|(scenario, context)| {
1140                        let (language_name, scenario) =
1141                            Self::get_scenario_language(&languages, dap_registry, scenario);
1142                        (None, language_name, scenario, Some(context))
1143                    })
1144                    .chain(
1145                        scenarios
1146                            .into_iter()
1147                            .filter(|(kind, _)| match kind {
1148                                TaskSourceKind::Worktree {
1149                                    id: _,
1150                                    directory_in_worktree: dir,
1151                                    id_base: _,
1152                                } => {
1153                                    !(hide_vscode
1154                                        && dir.ends_with(RelPath::unix(".vscode").unwrap()))
1155                                }
1156                                _ => true,
1157                            })
1158                            .filter(|(_, scenario)| valid_adapters.contains(&scenario.adapter))
1159                            .map(|(kind, scenario)| {
1160                                let (language_name, scenario) =
1161                                    Self::get_scenario_language(&languages, dap_registry, scenario);
1162                                (Some(kind), language_name, scenario, None)
1163                            }),
1164                    )
1165                    .collect();
1166            })
1167            .ok();
1168        })
1169    }
1170}
1171
1172impl PickerDelegate for DebugDelegate {
1173    type ListItem = ui::ListItem;
1174
1175    fn match_count(&self) -> usize {
1176        self.matches.len()
1177    }
1178
1179    fn selected_index(&self) -> usize {
1180        self.selected_index
1181    }
1182
1183    fn set_selected_index(
1184        &mut self,
1185        ix: usize,
1186        _window: &mut Window,
1187        _cx: &mut Context<picker::Picker<Self>>,
1188    ) {
1189        self.selected_index = ix;
1190    }
1191
1192    fn placeholder_text(&self, _window: &mut Window, _cx: &mut App) -> std::sync::Arc<str> {
1193        "Find a debug task, or debug a command.".into()
1194    }
1195
1196    fn update_matches(
1197        &mut self,
1198        query: String,
1199        window: &mut Window,
1200        cx: &mut Context<picker::Picker<Self>>,
1201    ) -> gpui::Task<()> {
1202        let candidates = self.candidates.clone();
1203
1204        cx.spawn_in(window, async move |picker, cx| {
1205            let candidates: Vec<_> = candidates
1206                .into_iter()
1207                .enumerate()
1208                .map(|(index, (_, _, candidate, _))| {
1209                    StringMatchCandidate::new(index, candidate.label.as_ref())
1210                })
1211                .collect();
1212
1213            let matches = fuzzy::match_strings(
1214                &candidates,
1215                &query,
1216                true,
1217                true,
1218                1000,
1219                &Default::default(),
1220                cx.background_executor().clone(),
1221            )
1222            .await;
1223
1224            picker
1225                .update(cx, |picker, _| {
1226                    let delegate = &mut picker.delegate;
1227
1228                    delegate.matches = matches;
1229                    delegate.prompt = query;
1230
1231                    delegate.divider_index = delegate.last_used_candidate_index.and_then(|index| {
1232                        let index = delegate
1233                            .matches
1234                            .partition_point(|matching_task| matching_task.candidate_id <= index);
1235                        Some(index).and_then(|index| (index != 0).then(|| index - 1))
1236                    });
1237
1238                    if delegate.matches.is_empty() {
1239                        delegate.selected_index = 0;
1240                    } else {
1241                        delegate.selected_index =
1242                            delegate.selected_index.min(delegate.matches.len() - 1);
1243                    }
1244                })
1245                .log_err();
1246        })
1247    }
1248
1249    fn separators_after_indices(&self) -> Vec<usize> {
1250        if let Some(i) = self.divider_index {
1251            vec![i]
1252        } else {
1253            Vec::new()
1254        }
1255    }
1256
1257    fn confirm_input(&mut self, _: bool, window: &mut Window, cx: &mut Context<Picker<Self>>) {
1258        let text = self.prompt.clone();
1259        let (task_context, worktree_id) = self
1260            .task_contexts
1261            .as_ref()
1262            .and_then(|task_contexts| {
1263                Some((
1264                    task_contexts.active_context().cloned()?,
1265                    task_contexts.worktree(),
1266                ))
1267            })
1268            .unwrap_or_default();
1269
1270        let mut args = ShellKind::Posix
1271            .split(&text)
1272            .into_iter()
1273            .flatten()
1274            .peekable();
1275        let mut env = HashMap::default();
1276        while args.peek().is_some_and(|arg| arg.contains('=')) {
1277            let arg = args.next().unwrap();
1278            let (lhs, rhs) = arg.split_once('=').unwrap();
1279            env.insert(lhs.to_string(), rhs.to_string());
1280        }
1281
1282        let program = if let Some(program) = args.next() {
1283            program
1284        } else {
1285            env = HashMap::default();
1286            text
1287        };
1288
1289        let args = args.collect::<Vec<_>>();
1290        let task = task::TaskTemplate {
1291            label: "one-off".to_owned(), // TODO: rename using command as label
1292            env,
1293            command: program,
1294            args,
1295            ..Default::default()
1296        };
1297
1298        let Some(location) = self
1299            .task_contexts
1300            .as_ref()
1301            .and_then(|cx| cx.location().cloned())
1302        else {
1303            return;
1304        };
1305        let file = location.buffer.read(cx).file();
1306        let language = location.buffer.read(cx).language();
1307        let language_name = language.as_ref().map(|l| l.name());
1308        let Some(adapter): Option<DebugAdapterName> =
1309            language::language_settings::language_settings(language_name, file, cx)
1310                .debuggers
1311                .first()
1312                .map(SharedString::from)
1313                .map(Into::into)
1314                .or_else(|| {
1315                    language.and_then(|l| {
1316                        l.config()
1317                            .debuggers
1318                            .first()
1319                            .map(SharedString::from)
1320                            .map(Into::into)
1321                    })
1322                })
1323        else {
1324            return;
1325        };
1326        let locators = cx.global::<DapRegistry>().locators();
1327        cx.spawn_in(window, async move |this, cx| {
1328            let Some(debug_scenario) = cx
1329                .background_spawn(async move {
1330                    for locator in locators {
1331                        if let Some(scenario) =
1332                            // TODO: use a more informative label than "one-off"
1333                            locator
1334                                .1
1335                                .create_scenario(&task, &task.label, &adapter)
1336                                .await
1337                        {
1338                            return Some(scenario);
1339                        }
1340                    }
1341                    None
1342                })
1343                .await
1344            else {
1345                return;
1346            };
1347
1348            this.update_in(cx, |this, window, cx| {
1349                send_telemetry(&debug_scenario, TelemetrySpawnLocation::ScenarioList, cx);
1350                this.delegate
1351                    .debug_panel
1352                    .update(cx, |panel, cx| {
1353                        panel.start_session(
1354                            debug_scenario,
1355                            task_context,
1356                            None,
1357                            worktree_id,
1358                            window,
1359                            cx,
1360                        );
1361                    })
1362                    .ok();
1363                cx.emit(DismissEvent);
1364            })
1365            .ok();
1366        })
1367        .detach();
1368    }
1369
1370    fn confirm(
1371        &mut self,
1372        secondary: bool,
1373        window: &mut Window,
1374        cx: &mut Context<picker::Picker<Self>>,
1375    ) {
1376        let debug_scenario = self
1377            .matches
1378            .get(self.selected_index())
1379            .and_then(|match_candidate| self.candidates.get(match_candidate.candidate_id).cloned());
1380
1381        let Some((kind, _, debug_scenario, context)) = debug_scenario else {
1382            return;
1383        };
1384
1385        let context = context.unwrap_or_else(|| {
1386            self.task_contexts
1387                .as_ref()
1388                .and_then(|task_contexts| {
1389                    Some(DebugScenarioContext {
1390                        task_context: task_contexts.active_context().cloned()?,
1391                        active_buffer: None,
1392                        worktree_id: task_contexts.worktree(),
1393                    })
1394                })
1395                .unwrap_or_default()
1396        });
1397        let DebugScenarioContext {
1398            task_context,
1399            active_buffer: _,
1400            worktree_id,
1401        } = context;
1402
1403        if secondary {
1404            let Some(kind) = kind else { return };
1405            let Some(id) = worktree_id else { return };
1406            let debug_panel = self.debug_panel.clone();
1407            cx.spawn_in(window, async move |_, cx| {
1408                debug_panel
1409                    .update_in(cx, |debug_panel, window, cx| {
1410                        debug_panel.go_to_scenario_definition(kind, debug_scenario, id, window, cx)
1411                    })?
1412                    .await?;
1413                anyhow::Ok(())
1414            })
1415            .detach();
1416        } else {
1417            send_telemetry(&debug_scenario, TelemetrySpawnLocation::ScenarioList, cx);
1418            self.debug_panel
1419                .update(cx, |panel, cx| {
1420                    panel.start_session(
1421                        debug_scenario,
1422                        task_context,
1423                        None,
1424                        worktree_id,
1425                        window,
1426                        cx,
1427                    );
1428                })
1429                .ok();
1430        }
1431
1432        cx.emit(DismissEvent);
1433    }
1434
1435    fn dismissed(&mut self, _: &mut Window, cx: &mut Context<picker::Picker<Self>>) {
1436        cx.emit(DismissEvent);
1437    }
1438
1439    fn render_footer(
1440        &self,
1441        window: &mut Window,
1442        cx: &mut Context<Picker<Self>>,
1443    ) -> Option<ui::AnyElement> {
1444        let current_modifiers = window.modifiers();
1445        let footer = h_flex()
1446            .w_full()
1447            .p_1p5()
1448            .justify_between()
1449            .border_t_1()
1450            .border_color(cx.theme().colors().border_variant)
1451            .child({
1452                let action = menu::SecondaryConfirm.boxed_clone();
1453                if self.matches.is_empty() {
1454                    Button::new("edit-debug-json", "Edit debug.json")
1455                        .label_size(LabelSize::Small)
1456                        .on_click(cx.listener(|_picker, _, window, cx| {
1457                            window.dispatch_action(
1458                                zed_actions::OpenProjectDebugTasks.boxed_clone(),
1459                                cx,
1460                            );
1461                            cx.emit(DismissEvent);
1462                        }))
1463                } else {
1464                    Button::new("edit-debug-task", "Edit in debug.json")
1465                        .label_size(LabelSize::Small)
1466                        .key_binding(KeyBinding::for_action(&*action, cx))
1467                        .on_click(move |_, window, cx| {
1468                            window.dispatch_action(action.boxed_clone(), cx)
1469                        })
1470                }
1471            })
1472            .map(|this| {
1473                if (current_modifiers.alt || self.matches.is_empty()) && !self.prompt.is_empty() {
1474                    let action = picker::ConfirmInput { secondary: false }.boxed_clone();
1475                    this.child({
1476                        Button::new("launch-custom", "Launch Custom")
1477                            .key_binding(KeyBinding::for_action(&*action, cx))
1478                            .on_click(move |_, window, cx| {
1479                                window.dispatch_action(action.boxed_clone(), cx)
1480                            })
1481                    })
1482                } else {
1483                    this.child({
1484                        let is_recent_selected = self.divider_index >= Some(self.selected_index);
1485                        let run_entry_label = if is_recent_selected { "Rerun" } else { "Spawn" };
1486
1487                        Button::new("spawn", run_entry_label)
1488                            .key_binding(KeyBinding::for_action(&menu::Confirm, cx))
1489                            .on_click(|_, window, cx| {
1490                                window.dispatch_action(menu::Confirm.boxed_clone(), cx);
1491                            })
1492                    })
1493                }
1494            });
1495        Some(footer.into_any_element())
1496    }
1497
1498    fn render_match(
1499        &self,
1500        ix: usize,
1501        selected: bool,
1502        window: &mut Window,
1503        cx: &mut Context<picker::Picker<Self>>,
1504    ) -> Option<Self::ListItem> {
1505        let hit = &self.matches.get(ix)?;
1506        let (task_kind, language_name, _scenario, context) = &self.candidates[hit.candidate_id];
1507
1508        let highlighted_location = HighlightedMatch {
1509            text: hit.string.clone(),
1510            highlight_positions: hit.positions.clone(),
1511            color: Color::Default,
1512        };
1513
1514        let subtitle = self.get_task_subtitle(task_kind, context, cx);
1515
1516        let language_icon = language_name.as_ref().and_then(|lang| {
1517            file_icons::FileIcons::get(cx)
1518                .get_icon_for_type(&lang.0.to_lowercase(), cx)
1519                .map(Icon::from_path)
1520        });
1521
1522        let (icon, indicator) = match task_kind {
1523            Some(TaskSourceKind::UserInput) => (Some(Icon::new(IconName::Terminal)), None),
1524            Some(TaskSourceKind::AbsPath { .. }) => (Some(Icon::new(IconName::Settings)), None),
1525            Some(TaskSourceKind::Worktree { .. }) => (Some(Icon::new(IconName::FileTree)), None),
1526            Some(TaskSourceKind::Lsp { language_name, .. }) => (
1527                file_icons::FileIcons::get(cx)
1528                    .get_icon_for_type(&language_name.to_lowercase(), cx)
1529                    .map(Icon::from_path),
1530                Some(Indicator::icon(
1531                    Icon::new(IconName::BoltFilled)
1532                        .color(Color::Muted)
1533                        .size(IconSize::Small),
1534                )),
1535            ),
1536            Some(TaskSourceKind::Language { name }) => (
1537                file_icons::FileIcons::get(cx)
1538                    .get_icon_for_type(&name.to_lowercase(), cx)
1539                    .map(Icon::from_path),
1540                None,
1541            ),
1542            None => (Some(Icon::new(IconName::HistoryRerun)), None),
1543        };
1544
1545        let icon = language_icon.or(icon).map(|icon| {
1546            IconWithIndicator::new(icon.color(Color::Muted).size(IconSize::Small), indicator)
1547                .indicator_border_color(Some(cx.theme().colors().border_transparent))
1548        });
1549
1550        Some(
1551            ListItem::new(SharedString::from(format!("debug-scenario-selection-{ix}")))
1552                .inset(true)
1553                .start_slot::<IconWithIndicator>(icon)
1554                .spacing(ListItemSpacing::Sparse)
1555                .toggle_state(selected)
1556                .child(
1557                    v_flex()
1558                        .items_start()
1559                        .child(highlighted_location.render(window, cx))
1560                        .when_some(subtitle, |this, subtitle_text| {
1561                            this.child(
1562                                Label::new(subtitle_text)
1563                                    .size(LabelSize::Small)
1564                                    .color(Color::Muted),
1565                            )
1566                        }),
1567                ),
1568        )
1569    }
1570}
1571
1572pub(crate) fn resolve_path(path: &mut String) {
1573    if path.starts_with('~') {
1574        let home = paths::home_dir().to_string_lossy().into_owned();
1575        let trimmed_path = path.trim().to_owned();
1576        *path = trimmed_path.replacen('~', &home, 1);
1577    } else if let Some(strip_path) = path.strip_prefix(&format!(".{}", std::path::MAIN_SEPARATOR)) {
1578        *path = format!(
1579            "$ZED_WORKTREE_ROOT{}{}",
1580            std::path::MAIN_SEPARATOR,
1581            &strip_path
1582        );
1583    };
1584}
1585
1586#[cfg(test)]
1587impl NewProcessModal {
1588    pub(crate) fn set_configure(
1589        &mut self,
1590        program: impl AsRef<str>,
1591        cwd: impl AsRef<str>,
1592        stop_on_entry: bool,
1593        window: &mut Window,
1594        cx: &mut Context<Self>,
1595    ) {
1596        self.mode = NewProcessMode::Launch;
1597        self.debugger = Some(dap::adapters::DebugAdapterName("fake-adapter".into()));
1598
1599        self.configure_mode.update(cx, |configure, cx| {
1600            configure.program.update(cx, |editor, cx| {
1601                editor.clear(window, cx);
1602                editor.set_text(program.as_ref(), window, cx);
1603            });
1604
1605            configure.cwd.update(cx, |editor, cx| {
1606                editor.clear(window, cx);
1607                editor.set_text(cwd.as_ref(), window, cx);
1608            });
1609
1610            configure.stop_on_entry = match stop_on_entry {
1611                true => ToggleState::Selected,
1612                _ => ToggleState::Unselected,
1613            }
1614        })
1615    }
1616
1617    pub(crate) fn debug_picker_candidate_subtitles(&self, cx: &mut App) -> Vec<String> {
1618        self.debug_picker.update(cx, |picker, cx| {
1619            picker
1620                .delegate
1621                .candidates
1622                .iter()
1623                .filter_map(|(task_kind, _, _, context)| {
1624                    picker.delegate.get_task_subtitle(task_kind, context, cx)
1625                })
1626                .collect()
1627        })
1628    }
1629}