file_finder.rs

   1#[cfg(test)]
   2mod file_finder_tests;
   3#[cfg(test)]
   4mod open_path_prompt_tests;
   5
   6pub mod file_finder_settings;
   7mod new_path_prompt;
   8mod open_path_prompt;
   9
  10use futures::future::join_all;
  11pub use open_path_prompt::OpenPathDelegate;
  12
  13use collections::HashMap;
  14use editor::Editor;
  15use file_finder_settings::{FileFinderSettings, FileFinderWidth};
  16use file_icons::FileIcons;
  17use fuzzy::{CharBag, PathMatch, PathMatchCandidate};
  18use gpui::{
  19    Action, AnyElement, App, Context, DismissEvent, Entity, EventEmitter, FocusHandle, Focusable,
  20    KeyContext, Modifiers, ModifiersChangedEvent, ParentElement, Render, Styled, Task, WeakEntity,
  21    Window, actions,
  22};
  23use new_path_prompt::NewPathPrompt;
  24use open_path_prompt::OpenPathPrompt;
  25use picker::{Picker, PickerDelegate};
  26use project::{PathMatchCandidateSet, Project, ProjectPath, WorktreeId};
  27use settings::Settings;
  28use std::{
  29    borrow::Cow,
  30    cmp,
  31    ops::Range,
  32    path::{Component, Path, PathBuf},
  33    sync::{
  34        Arc,
  35        atomic::{self, AtomicBool},
  36    },
  37};
  38use text::Point;
  39use ui::{
  40    ContextMenu, HighlightedLabel, ListItem, ListItemSpacing, PopoverMenu, PopoverMenuHandle,
  41    prelude::*,
  42};
  43use util::{ResultExt, maybe, paths::PathWithPosition, post_inc};
  44use workspace::{
  45    ModalView, OpenOptions, OpenVisible, SplitDirection, Workspace, item::PreviewTabsSettings,
  46    notifications::NotifyResultExt, pane,
  47};
  48
  49actions!(file_finder, [SelectPrevious, ToggleMenu]);
  50
  51impl ModalView for FileFinder {
  52    fn on_before_dismiss(
  53        &mut self,
  54        window: &mut Window,
  55        cx: &mut Context<Self>,
  56    ) -> workspace::DismissDecision {
  57        let submenu_focused = self.picker.update(cx, |picker, cx| {
  58            picker.delegate.popover_menu_handle.is_focused(window, cx)
  59        });
  60        workspace::DismissDecision::Dismiss(!submenu_focused)
  61    }
  62}
  63
  64pub struct FileFinder {
  65    picker: Entity<Picker<FileFinderDelegate>>,
  66    picker_focus_handle: FocusHandle,
  67    init_modifiers: Option<Modifiers>,
  68}
  69
  70pub fn init_settings(cx: &mut App) {
  71    FileFinderSettings::register(cx);
  72}
  73
  74pub fn init(cx: &mut App) {
  75    init_settings(cx);
  76    cx.observe_new(FileFinder::register).detach();
  77    cx.observe_new(NewPathPrompt::register).detach();
  78    cx.observe_new(OpenPathPrompt::register).detach();
  79}
  80
  81impl FileFinder {
  82    fn register(
  83        workspace: &mut Workspace,
  84        _window: Option<&mut Window>,
  85        _: &mut Context<Workspace>,
  86    ) {
  87        workspace.register_action(
  88            |workspace, action: &workspace::ToggleFileFinder, window, cx| {
  89                let Some(file_finder) = workspace.active_modal::<Self>(cx) else {
  90                    Self::open(workspace, action.separate_history, window, cx).detach();
  91                    return;
  92                };
  93
  94                file_finder.update(cx, |file_finder, cx| {
  95                    file_finder.init_modifiers = Some(window.modifiers());
  96                    file_finder.picker.update(cx, |picker, cx| {
  97                        picker.cycle_selection(window, cx);
  98                    });
  99                });
 100            },
 101        );
 102    }
 103
 104    fn open(
 105        workspace: &mut Workspace,
 106        separate_history: bool,
 107        window: &mut Window,
 108        cx: &mut Context<Workspace>,
 109    ) -> Task<()> {
 110        let project = workspace.project().read(cx);
 111        let fs = project.fs();
 112
 113        let currently_opened_path = workspace
 114            .active_item(cx)
 115            .and_then(|item| item.project_path(cx))
 116            .map(|project_path| {
 117                let abs_path = project
 118                    .worktree_for_id(project_path.worktree_id, cx)
 119                    .map(|worktree| worktree.read(cx).abs_path().join(&project_path.path));
 120                FoundPath::new(project_path, abs_path)
 121            });
 122
 123        let history_items = workspace
 124            .recent_navigation_history(Some(MAX_RECENT_SELECTIONS), cx)
 125            .into_iter()
 126            .filter_map(|(project_path, abs_path)| {
 127                if project.entry_for_path(&project_path, cx).is_some() {
 128                    return Some(Task::ready(Some(FoundPath::new(project_path, abs_path))));
 129                }
 130                let abs_path = abs_path?;
 131                if project.is_local() {
 132                    let fs = fs.clone();
 133                    Some(cx.background_spawn(async move {
 134                        if fs.is_file(&abs_path).await {
 135                            Some(FoundPath::new(project_path, Some(abs_path)))
 136                        } else {
 137                            None
 138                        }
 139                    }))
 140                } else {
 141                    Some(Task::ready(Some(FoundPath::new(
 142                        project_path,
 143                        Some(abs_path),
 144                    ))))
 145                }
 146            })
 147            .collect::<Vec<_>>();
 148        cx.spawn_in(window, async move |workspace, cx| {
 149            let history_items = join_all(history_items).await.into_iter().flatten();
 150
 151            workspace
 152                .update_in(cx, |workspace, window, cx| {
 153                    let project = workspace.project().clone();
 154                    let weak_workspace = cx.entity().downgrade();
 155                    workspace.toggle_modal(window, cx, |window, cx| {
 156                        let delegate = FileFinderDelegate::new(
 157                            cx.entity().downgrade(),
 158                            weak_workspace,
 159                            project,
 160                            currently_opened_path,
 161                            history_items.collect(),
 162                            separate_history,
 163                            window,
 164                            cx,
 165                        );
 166
 167                        FileFinder::new(delegate, window, cx)
 168                    });
 169                })
 170                .ok();
 171        })
 172    }
 173
 174    fn new(delegate: FileFinderDelegate, window: &mut Window, cx: &mut Context<Self>) -> Self {
 175        let picker = cx.new(|cx| Picker::uniform_list(delegate, window, cx));
 176        let picker_focus_handle = picker.focus_handle(cx);
 177        picker.update(cx, |picker, _| {
 178            picker.delegate.focus_handle = picker_focus_handle.clone();
 179        });
 180        Self {
 181            picker,
 182            picker_focus_handle,
 183            init_modifiers: window.modifiers().modified().then_some(window.modifiers()),
 184        }
 185    }
 186
 187    fn handle_modifiers_changed(
 188        &mut self,
 189        event: &ModifiersChangedEvent,
 190        window: &mut Window,
 191        cx: &mut Context<Self>,
 192    ) {
 193        let Some(init_modifiers) = self.init_modifiers.take() else {
 194            return;
 195        };
 196        if self.picker.read(cx).delegate.has_changed_selected_index {
 197            if !event.modified() || !init_modifiers.is_subset_of(&event) {
 198                self.init_modifiers = None;
 199                window.dispatch_action(menu::Confirm.boxed_clone(), cx);
 200            }
 201        }
 202    }
 203
 204    fn handle_select_prev(
 205        &mut self,
 206        _: &SelectPrevious,
 207        window: &mut Window,
 208        cx: &mut Context<Self>,
 209    ) {
 210        self.init_modifiers = Some(window.modifiers());
 211        window.dispatch_action(Box::new(menu::SelectPrevious), cx);
 212    }
 213
 214    fn handle_toggle_menu(&mut self, _: &ToggleMenu, window: &mut Window, cx: &mut Context<Self>) {
 215        self.picker.update(cx, |picker, cx| {
 216            let menu_handle = &picker.delegate.popover_menu_handle;
 217            if menu_handle.is_deployed() {
 218                menu_handle.hide(cx);
 219            } else {
 220                menu_handle.show(window, cx);
 221            }
 222        });
 223    }
 224
 225    fn go_to_file_split_left(
 226        &mut self,
 227        _: &pane::SplitLeft,
 228        window: &mut Window,
 229        cx: &mut Context<Self>,
 230    ) {
 231        self.go_to_file_split_inner(SplitDirection::Left, window, cx)
 232    }
 233
 234    fn go_to_file_split_right(
 235        &mut self,
 236        _: &pane::SplitRight,
 237        window: &mut Window,
 238        cx: &mut Context<Self>,
 239    ) {
 240        self.go_to_file_split_inner(SplitDirection::Right, window, cx)
 241    }
 242
 243    fn go_to_file_split_up(
 244        &mut self,
 245        _: &pane::SplitUp,
 246        window: &mut Window,
 247        cx: &mut Context<Self>,
 248    ) {
 249        self.go_to_file_split_inner(SplitDirection::Up, window, cx)
 250    }
 251
 252    fn go_to_file_split_down(
 253        &mut self,
 254        _: &pane::SplitDown,
 255        window: &mut Window,
 256        cx: &mut Context<Self>,
 257    ) {
 258        self.go_to_file_split_inner(SplitDirection::Down, window, cx)
 259    }
 260
 261    fn go_to_file_split_inner(
 262        &mut self,
 263        split_direction: SplitDirection,
 264        window: &mut Window,
 265        cx: &mut Context<Self>,
 266    ) {
 267        self.picker.update(cx, |picker, cx| {
 268            let delegate = &mut picker.delegate;
 269            if let Some(workspace) = delegate.workspace.upgrade() {
 270                if let Some(m) = delegate.matches.get(delegate.selected_index()) {
 271                    let path = match &m {
 272                        Match::History { path, .. } => {
 273                            let worktree_id = path.project.worktree_id;
 274                            ProjectPath {
 275                                worktree_id,
 276                                path: Arc::clone(&path.project.path),
 277                            }
 278                        }
 279                        Match::Search(m) => ProjectPath {
 280                            worktree_id: WorktreeId::from_usize(m.0.worktree_id),
 281                            path: m.0.path.clone(),
 282                        },
 283                    };
 284                    let open_task = workspace.update(cx, move |workspace, cx| {
 285                        workspace.split_path_preview(path, false, Some(split_direction), window, cx)
 286                    });
 287                    open_task.detach_and_log_err(cx);
 288                }
 289            }
 290        })
 291    }
 292
 293    pub fn modal_max_width(width_setting: Option<FileFinderWidth>, window: &mut Window) -> Pixels {
 294        let window_width = window.viewport_size().width;
 295        let small_width = Pixels(545.);
 296
 297        match width_setting {
 298            None | Some(FileFinderWidth::Small) => small_width,
 299            Some(FileFinderWidth::Full) => window_width,
 300            Some(FileFinderWidth::XLarge) => (window_width - Pixels(512.)).max(small_width),
 301            Some(FileFinderWidth::Large) => (window_width - Pixels(768.)).max(small_width),
 302            Some(FileFinderWidth::Medium) => (window_width - Pixels(1024.)).max(small_width),
 303        }
 304    }
 305}
 306
 307impl EventEmitter<DismissEvent> for FileFinder {}
 308
 309impl Focusable for FileFinder {
 310    fn focus_handle(&self, _: &App) -> FocusHandle {
 311        self.picker_focus_handle.clone()
 312    }
 313}
 314
 315impl Render for FileFinder {
 316    fn render(&mut self, window: &mut Window, cx: &mut Context<Self>) -> impl IntoElement {
 317        let key_context = self.picker.read(cx).delegate.key_context(window, cx);
 318
 319        let file_finder_settings = FileFinderSettings::get_global(cx);
 320        let modal_max_width = Self::modal_max_width(file_finder_settings.modal_max_width, window);
 321
 322        v_flex()
 323            .key_context(key_context)
 324            .w(modal_max_width)
 325            .on_modifiers_changed(cx.listener(Self::handle_modifiers_changed))
 326            .on_action(cx.listener(Self::handle_select_prev))
 327            .on_action(cx.listener(Self::handle_toggle_menu))
 328            .on_action(cx.listener(Self::go_to_file_split_left))
 329            .on_action(cx.listener(Self::go_to_file_split_right))
 330            .on_action(cx.listener(Self::go_to_file_split_up))
 331            .on_action(cx.listener(Self::go_to_file_split_down))
 332            .child(self.picker.clone())
 333    }
 334}
 335
 336pub struct FileFinderDelegate {
 337    file_finder: WeakEntity<FileFinder>,
 338    workspace: WeakEntity<Workspace>,
 339    project: Entity<Project>,
 340    search_count: usize,
 341    latest_search_id: usize,
 342    latest_search_did_cancel: bool,
 343    latest_search_query: Option<FileSearchQuery>,
 344    currently_opened_path: Option<FoundPath>,
 345    matches: Matches,
 346    selected_index: usize,
 347    has_changed_selected_index: bool,
 348    cancel_flag: Arc<AtomicBool>,
 349    history_items: Vec<FoundPath>,
 350    separate_history: bool,
 351    first_update: bool,
 352    popover_menu_handle: PopoverMenuHandle<ContextMenu>,
 353    focus_handle: FocusHandle,
 354}
 355
 356/// Use a custom ordering for file finder: the regular one
 357/// defines max element with the highest score and the latest alphanumerical path (in case of a tie on other params), e.g:
 358/// `[{score: 0.5, path = "c/d" }, { score: 0.5, path = "/a/b" }]`
 359///
 360/// In the file finder, we would prefer to have the max element with the highest score and the earliest alphanumerical path, e.g:
 361/// `[{ score: 0.5, path = "/a/b" }, {score: 0.5, path = "c/d" }]`
 362/// as the files are shown in the project panel lists.
 363#[derive(Debug, Clone, PartialEq, Eq)]
 364struct ProjectPanelOrdMatch(PathMatch);
 365
 366impl Ord for ProjectPanelOrdMatch {
 367    fn cmp(&self, other: &Self) -> cmp::Ordering {
 368        self.0
 369            .score
 370            .partial_cmp(&other.0.score)
 371            .unwrap_or(cmp::Ordering::Equal)
 372            .then_with(|| self.0.worktree_id.cmp(&other.0.worktree_id))
 373            .then_with(|| {
 374                other
 375                    .0
 376                    .distance_to_relative_ancestor
 377                    .cmp(&self.0.distance_to_relative_ancestor)
 378            })
 379            .then_with(|| self.0.path.cmp(&other.0.path).reverse())
 380    }
 381}
 382
 383impl PartialOrd for ProjectPanelOrdMatch {
 384    fn partial_cmp(&self, other: &Self) -> Option<cmp::Ordering> {
 385        Some(self.cmp(other))
 386    }
 387}
 388
 389#[derive(Debug, Default)]
 390struct Matches {
 391    separate_history: bool,
 392    matches: Vec<Match>,
 393}
 394
 395#[derive(Debug, PartialEq, Eq, PartialOrd, Ord, Clone)]
 396enum Match {
 397    History {
 398        path: FoundPath,
 399        panel_match: Option<ProjectPanelOrdMatch>,
 400    },
 401    Search(ProjectPanelOrdMatch),
 402}
 403
 404impl Match {
 405    fn path(&self) -> &Arc<Path> {
 406        match self {
 407            Match::History { path, .. } => &path.project.path,
 408            Match::Search(panel_match) => &panel_match.0.path,
 409        }
 410    }
 411
 412    fn panel_match(&self) -> Option<&ProjectPanelOrdMatch> {
 413        match self {
 414            Match::History { panel_match, .. } => panel_match.as_ref(),
 415            Match::Search(panel_match) => Some(&panel_match),
 416        }
 417    }
 418}
 419
 420impl Matches {
 421    fn len(&self) -> usize {
 422        self.matches.len()
 423    }
 424
 425    fn get(&self, index: usize) -> Option<&Match> {
 426        self.matches.get(index)
 427    }
 428
 429    fn position(
 430        &self,
 431        entry: &Match,
 432        currently_opened: Option<&FoundPath>,
 433    ) -> Result<usize, usize> {
 434        if let Match::History {
 435            path,
 436            panel_match: None,
 437        } = entry
 438        {
 439            // Slow case: linear search by path. Should not happen actually,
 440            // since we call `position` only if matches set changed, but the query has not changed.
 441            // And History entries do not have panel_match if query is empty, so there's no
 442            // reason for the matches set to change.
 443            self.matches
 444                .iter()
 445                .position(|m| path.project.path == *m.path())
 446                .ok_or(0)
 447        } else {
 448            self.matches.binary_search_by(|m| {
 449                // `reverse()` since if cmp_matches(a, b) == Ordering::Greater, then a is better than b.
 450                // And we want the better entries go first.
 451                Self::cmp_matches(self.separate_history, currently_opened, &m, &entry).reverse()
 452            })
 453        }
 454    }
 455
 456    fn push_new_matches<'a>(
 457        &'a mut self,
 458        history_items: impl IntoIterator<Item = &'a FoundPath> + Clone,
 459        currently_opened: Option<&'a FoundPath>,
 460        query: Option<&FileSearchQuery>,
 461        new_search_matches: impl Iterator<Item = ProjectPanelOrdMatch>,
 462        extend_old_matches: bool,
 463    ) {
 464        let Some(query) = query else {
 465            // assuming that if there's no query, then there's no search matches.
 466            self.matches.clear();
 467            let path_to_entry = |found_path: &FoundPath| Match::History {
 468                path: found_path.clone(),
 469                panel_match: None,
 470            };
 471
 472            self.matches
 473                .extend(history_items.into_iter().map(path_to_entry));
 474            return;
 475        };
 476
 477        let new_history_matches = matching_history_items(history_items, currently_opened, query);
 478        let new_search_matches: Vec<Match> = new_search_matches
 479            .filter(|path_match| !new_history_matches.contains_key(&path_match.0.path))
 480            .map(Match::Search)
 481            .collect();
 482
 483        if extend_old_matches {
 484            // since we take history matches instead of new search matches
 485            // and history matches has not changed(since the query has not changed and we do not extend old matches otherwise),
 486            // old matches can't contain paths present in history_matches as well.
 487            self.matches.retain(|m| matches!(m, Match::Search(_)));
 488        } else {
 489            self.matches.clear();
 490        }
 491
 492        // At this point we have an unsorted set of new history matches, an unsorted set of new search matches
 493        // and a sorted set of old search matches.
 494        // It is possible that the new search matches' paths contain some of the old search matches' paths.
 495        // History matches' paths are unique, since store in a HashMap by path.
 496        // We build a sorted Vec<Match>, eliminating duplicate search matches.
 497        // Search matches with the same paths should have equal `ProjectPanelOrdMatch`, so we should
 498        // not have any duplicates after building the final list.
 499        for new_match in new_history_matches
 500            .into_values()
 501            .chain(new_search_matches.into_iter())
 502        {
 503            match self.position(&new_match, currently_opened) {
 504                Ok(_duplicate) => continue,
 505                Err(i) => {
 506                    self.matches.insert(i, new_match);
 507                    if self.matches.len() == 100 {
 508                        break;
 509                    }
 510                }
 511            }
 512        }
 513    }
 514
 515    /// If a < b, then a is a worse match, aligning with the `ProjectPanelOrdMatch` ordering.
 516    fn cmp_matches(
 517        separate_history: bool,
 518        currently_opened: Option<&FoundPath>,
 519        a: &Match,
 520        b: &Match,
 521    ) -> cmp::Ordering {
 522        debug_assert!(a.panel_match().is_some() && b.panel_match().is_some());
 523
 524        match (&a, &b) {
 525            // bubble currently opened files to the top
 526            (Match::History { path, .. }, _) if Some(path) == currently_opened => {
 527                return cmp::Ordering::Greater;
 528            }
 529            (_, Match::History { path, .. }) if Some(path) == currently_opened => {
 530                return cmp::Ordering::Less;
 531            }
 532
 533            _ => {}
 534        }
 535
 536        if separate_history {
 537            match (a, b) {
 538                (Match::History { .. }, Match::Search(_)) => return cmp::Ordering::Greater,
 539                (Match::Search(_), Match::History { .. }) => return cmp::Ordering::Less,
 540
 541                _ => {}
 542            }
 543        }
 544
 545        let a_panel_match = match a.panel_match() {
 546            Some(pm) => pm,
 547            None => {
 548                return if b.panel_match().is_some() {
 549                    cmp::Ordering::Less
 550                } else {
 551                    cmp::Ordering::Equal
 552                };
 553            }
 554        };
 555
 556        let b_panel_match = match b.panel_match() {
 557            Some(pm) => pm,
 558            None => return cmp::Ordering::Greater,
 559        };
 560
 561        let a_in_filename = Self::is_filename_match(a_panel_match);
 562        let b_in_filename = Self::is_filename_match(b_panel_match);
 563
 564        match (a_in_filename, b_in_filename) {
 565            (true, false) => return cmp::Ordering::Greater,
 566            (false, true) => return cmp::Ordering::Less,
 567            _ => {} // Both are filename matches or both are path matches
 568        }
 569
 570        a_panel_match.cmp(b_panel_match)
 571    }
 572
 573    /// Determines if the match occurred within the filename rather than in the path
 574    fn is_filename_match(panel_match: &ProjectPanelOrdMatch) -> bool {
 575        if panel_match.0.positions.is_empty() {
 576            return false;
 577        }
 578
 579        if let Some(filename) = panel_match.0.path.file_name() {
 580            let path_str = panel_match.0.path.to_string_lossy();
 581            let filename_str = filename.to_string_lossy();
 582
 583            if let Some(filename_pos) = path_str.rfind(&*filename_str) {
 584                if panel_match.0.positions[0] >= filename_pos {
 585                    let mut prev_position = panel_match.0.positions[0];
 586                    for p in &panel_match.0.positions[1..] {
 587                        if *p != prev_position + 1 {
 588                            return false;
 589                        }
 590                        prev_position = *p;
 591                    }
 592                    return true;
 593                }
 594            }
 595        }
 596
 597        false
 598    }
 599}
 600
 601fn matching_history_items<'a>(
 602    history_items: impl IntoIterator<Item = &'a FoundPath>,
 603    currently_opened: Option<&'a FoundPath>,
 604    query: &FileSearchQuery,
 605) -> HashMap<Arc<Path>, Match> {
 606    let mut candidates_paths = HashMap::default();
 607
 608    let history_items_by_worktrees = history_items
 609        .into_iter()
 610        .chain(currently_opened)
 611        .filter_map(|found_path| {
 612            let candidate = PathMatchCandidate {
 613                is_dir: false, // You can't open directories as project items
 614                path: &found_path.project.path,
 615                // Only match history items names, otherwise their paths may match too many queries, producing false positives.
 616                // E.g. `foo` would match both `something/foo/bar.rs` and `something/foo/foo.rs` and if the former is a history item,
 617                // it would be shown first always, despite the latter being a better match.
 618                char_bag: CharBag::from_iter(
 619                    found_path
 620                        .project
 621                        .path
 622                        .file_name()?
 623                        .to_string_lossy()
 624                        .to_lowercase()
 625                        .chars(),
 626                ),
 627            };
 628            candidates_paths.insert(&found_path.project, found_path);
 629            Some((found_path.project.worktree_id, candidate))
 630        })
 631        .fold(
 632            HashMap::default(),
 633            |mut candidates, (worktree_id, new_candidate)| {
 634                candidates
 635                    .entry(worktree_id)
 636                    .or_insert_with(Vec::new)
 637                    .push(new_candidate);
 638                candidates
 639            },
 640        );
 641    let mut matching_history_paths = HashMap::default();
 642    for (worktree, candidates) in history_items_by_worktrees {
 643        let max_results = candidates.len() + 1;
 644        matching_history_paths.extend(
 645            fuzzy::match_fixed_path_set(
 646                candidates,
 647                worktree.to_usize(),
 648                query.path_query(),
 649                false,
 650                max_results,
 651            )
 652            .into_iter()
 653            .filter_map(|path_match| {
 654                candidates_paths
 655                    .remove_entry(&ProjectPath {
 656                        worktree_id: WorktreeId::from_usize(path_match.worktree_id),
 657                        path: Arc::clone(&path_match.path),
 658                    })
 659                    .map(|(_, found_path)| {
 660                        (
 661                            Arc::clone(&path_match.path),
 662                            Match::History {
 663                                path: found_path.clone(),
 664                                panel_match: Some(ProjectPanelOrdMatch(path_match)),
 665                            },
 666                        )
 667                    })
 668            }),
 669        );
 670    }
 671    matching_history_paths
 672}
 673
 674#[derive(Debug, Clone, PartialEq, Eq, PartialOrd, Ord, Hash)]
 675struct FoundPath {
 676    project: ProjectPath,
 677    absolute: Option<PathBuf>,
 678}
 679
 680impl FoundPath {
 681    fn new(project: ProjectPath, absolute: Option<PathBuf>) -> Self {
 682        Self { project, absolute }
 683    }
 684}
 685
 686const MAX_RECENT_SELECTIONS: usize = 20;
 687
 688pub enum Event {
 689    Selected(ProjectPath),
 690    Dismissed,
 691}
 692
 693#[derive(Debug, Clone)]
 694struct FileSearchQuery {
 695    raw_query: String,
 696    file_query_end: Option<usize>,
 697    path_position: PathWithPosition,
 698}
 699
 700impl FileSearchQuery {
 701    fn path_query(&self) -> &str {
 702        match self.file_query_end {
 703            Some(file_path_end) => &self.raw_query[..file_path_end],
 704            None => &self.raw_query,
 705        }
 706    }
 707}
 708
 709impl FileFinderDelegate {
 710    fn new(
 711        file_finder: WeakEntity<FileFinder>,
 712        workspace: WeakEntity<Workspace>,
 713        project: Entity<Project>,
 714        currently_opened_path: Option<FoundPath>,
 715        history_items: Vec<FoundPath>,
 716        separate_history: bool,
 717        window: &mut Window,
 718        cx: &mut Context<FileFinder>,
 719    ) -> Self {
 720        Self::subscribe_to_updates(&project, window, cx);
 721        Self {
 722            file_finder,
 723            workspace,
 724            project,
 725            search_count: 0,
 726            latest_search_id: 0,
 727            latest_search_did_cancel: false,
 728            latest_search_query: None,
 729            currently_opened_path,
 730            matches: Matches::default(),
 731            has_changed_selected_index: false,
 732            selected_index: 0,
 733            cancel_flag: Arc::new(AtomicBool::new(false)),
 734            history_items,
 735            separate_history,
 736            first_update: true,
 737            popover_menu_handle: PopoverMenuHandle::default(),
 738            focus_handle: cx.focus_handle(),
 739        }
 740    }
 741
 742    fn subscribe_to_updates(
 743        project: &Entity<Project>,
 744        window: &mut Window,
 745        cx: &mut Context<FileFinder>,
 746    ) {
 747        cx.subscribe_in(project, window, |file_finder, _, event, window, cx| {
 748            match event {
 749                project::Event::WorktreeUpdatedEntries(_, _)
 750                | project::Event::WorktreeAdded(_)
 751                | project::Event::WorktreeRemoved(_) => file_finder
 752                    .picker
 753                    .update(cx, |picker, cx| picker.refresh(window, cx)),
 754                _ => {}
 755            };
 756        })
 757        .detach();
 758    }
 759
 760    fn spawn_search(
 761        &mut self,
 762        query: FileSearchQuery,
 763        window: &mut Window,
 764        cx: &mut Context<Picker<Self>>,
 765    ) -> Task<()> {
 766        let relative_to = self
 767            .currently_opened_path
 768            .as_ref()
 769            .map(|found_path| Arc::clone(&found_path.project.path));
 770        let worktrees = self
 771            .project
 772            .read(cx)
 773            .visible_worktrees(cx)
 774            .collect::<Vec<_>>();
 775        let include_root_name = worktrees.len() > 1;
 776        let candidate_sets = worktrees
 777            .into_iter()
 778            .map(|worktree| {
 779                let worktree = worktree.read(cx);
 780                PathMatchCandidateSet {
 781                    snapshot: worktree.snapshot(),
 782                    include_ignored: true,
 783                    include_root_name,
 784                    candidates: project::Candidates::Files,
 785                }
 786            })
 787            .collect::<Vec<_>>();
 788
 789        let search_id = util::post_inc(&mut self.search_count);
 790        self.cancel_flag.store(true, atomic::Ordering::Relaxed);
 791        self.cancel_flag = Arc::new(AtomicBool::new(false));
 792        let cancel_flag = self.cancel_flag.clone();
 793        cx.spawn_in(window, async move |picker, cx| {
 794            let matches = fuzzy::match_path_sets(
 795                candidate_sets.as_slice(),
 796                query.path_query(),
 797                relative_to,
 798                false,
 799                100,
 800                &cancel_flag,
 801                cx.background_executor().clone(),
 802            )
 803            .await
 804            .into_iter()
 805            .map(ProjectPanelOrdMatch);
 806            let did_cancel = cancel_flag.load(atomic::Ordering::Relaxed);
 807            picker
 808                .update(cx, |picker, cx| {
 809                    picker
 810                        .delegate
 811                        .set_search_matches(search_id, did_cancel, query, matches, cx)
 812                })
 813                .log_err();
 814        })
 815    }
 816
 817    fn set_search_matches(
 818        &mut self,
 819        search_id: usize,
 820        did_cancel: bool,
 821        query: FileSearchQuery,
 822        matches: impl IntoIterator<Item = ProjectPanelOrdMatch>,
 823        cx: &mut Context<Picker<Self>>,
 824    ) {
 825        if search_id >= self.latest_search_id {
 826            self.latest_search_id = search_id;
 827            let query_changed = Some(query.path_query())
 828                != self
 829                    .latest_search_query
 830                    .as_ref()
 831                    .map(|query| query.path_query());
 832            let extend_old_matches = self.latest_search_did_cancel && !query_changed;
 833
 834            let selected_match = if query_changed {
 835                None
 836            } else {
 837                self.matches.get(self.selected_index).cloned()
 838            };
 839
 840            self.matches.push_new_matches(
 841                &self.history_items,
 842                self.currently_opened_path.as_ref(),
 843                Some(&query),
 844                matches.into_iter(),
 845                extend_old_matches,
 846            );
 847
 848            self.selected_index = selected_match.map_or_else(
 849                || self.calculate_selected_index(cx),
 850                |m| {
 851                    self.matches
 852                        .position(&m, self.currently_opened_path.as_ref())
 853                        .unwrap_or(0)
 854                },
 855            );
 856
 857            self.latest_search_query = Some(query);
 858            self.latest_search_did_cancel = did_cancel;
 859
 860            cx.notify();
 861        }
 862    }
 863
 864    fn labels_for_match(
 865        &self,
 866        path_match: &Match,
 867        window: &mut Window,
 868        cx: &App,
 869        ix: usize,
 870    ) -> (HighlightedLabel, HighlightedLabel) {
 871        let (file_name, file_name_positions, mut full_path, mut full_path_positions) =
 872            match &path_match {
 873                Match::History {
 874                    path: entry_path,
 875                    panel_match,
 876                } => {
 877                    let worktree_id = entry_path.project.worktree_id;
 878                    let project_relative_path = &entry_path.project.path;
 879                    let has_worktree = self
 880                        .project
 881                        .read(cx)
 882                        .worktree_for_id(worktree_id, cx)
 883                        .is_some();
 884
 885                    if let Some(absolute_path) =
 886                        entry_path.absolute.as_ref().filter(|_| !has_worktree)
 887                    {
 888                        (
 889                            absolute_path
 890                                .file_name()
 891                                .map_or_else(
 892                                    || project_relative_path.to_string_lossy(),
 893                                    |file_name| file_name.to_string_lossy(),
 894                                )
 895                                .to_string(),
 896                            Vec::new(),
 897                            absolute_path.to_string_lossy().to_string(),
 898                            Vec::new(),
 899                        )
 900                    } else {
 901                        let mut path = Arc::clone(project_relative_path);
 902                        if project_relative_path.as_ref() == Path::new("") {
 903                            if let Some(absolute_path) = &entry_path.absolute {
 904                                path = Arc::from(absolute_path.as_path());
 905                            }
 906                        }
 907
 908                        let mut path_match = PathMatch {
 909                            score: ix as f64,
 910                            positions: Vec::new(),
 911                            worktree_id: worktree_id.to_usize(),
 912                            path,
 913                            is_dir: false, // File finder doesn't support directories
 914                            path_prefix: "".into(),
 915                            distance_to_relative_ancestor: usize::MAX,
 916                        };
 917                        if let Some(found_path_match) = &panel_match {
 918                            path_match
 919                                .positions
 920                                .extend(found_path_match.0.positions.iter())
 921                        }
 922
 923                        self.labels_for_path_match(&path_match)
 924                    }
 925                }
 926                Match::Search(path_match) => self.labels_for_path_match(&path_match.0),
 927            };
 928
 929        if file_name_positions.is_empty() {
 930            if let Some(user_home_path) = std::env::var("HOME").ok() {
 931                let user_home_path = user_home_path.trim();
 932                if !user_home_path.is_empty() {
 933                    if (&full_path).starts_with(user_home_path) {
 934                        full_path.replace_range(0..user_home_path.len(), "~");
 935                        full_path_positions.retain_mut(|pos| {
 936                            if *pos >= user_home_path.len() {
 937                                *pos -= user_home_path.len();
 938                                *pos += 1;
 939                                true
 940                            } else {
 941                                false
 942                            }
 943                        })
 944                    }
 945                }
 946            }
 947        }
 948
 949        if full_path.is_ascii() {
 950            let file_finder_settings = FileFinderSettings::get_global(cx);
 951            let max_width =
 952                FileFinder::modal_max_width(file_finder_settings.modal_max_width, window);
 953            let (normal_em, small_em) = {
 954                let style = window.text_style();
 955                let font_id = window.text_system().resolve_font(&style.font());
 956                let font_size = TextSize::Default.rems(cx).to_pixels(window.rem_size());
 957                let normal = cx
 958                    .text_system()
 959                    .em_width(font_id, font_size)
 960                    .unwrap_or(px(16.));
 961                let font_size = TextSize::Small.rems(cx).to_pixels(window.rem_size());
 962                let small = cx
 963                    .text_system()
 964                    .em_width(font_id, font_size)
 965                    .unwrap_or(px(10.));
 966                (normal, small)
 967            };
 968            let budget = full_path_budget(&file_name, normal_em, small_em, max_width);
 969            // If the computed budget is zero, we certainly won't be able to achieve it,
 970            // so no point trying to elide the path.
 971            if budget > 0 && full_path.len() > budget {
 972                let components = PathComponentSlice::new(&full_path);
 973                if let Some(elided_range) =
 974                    components.elision_range(budget - 1, &full_path_positions)
 975                {
 976                    let elided_len = elided_range.end - elided_range.start;
 977                    let placeholder = "";
 978                    full_path_positions.retain_mut(|mat| {
 979                        if *mat >= elided_range.end {
 980                            *mat -= elided_len;
 981                            *mat += placeholder.len();
 982                        } else if *mat >= elided_range.start {
 983                            return false;
 984                        }
 985                        true
 986                    });
 987                    full_path.replace_range(elided_range, placeholder);
 988                }
 989            }
 990        }
 991
 992        (
 993            HighlightedLabel::new(file_name, file_name_positions),
 994            HighlightedLabel::new(full_path, full_path_positions)
 995                .size(LabelSize::Small)
 996                .color(Color::Muted),
 997        )
 998    }
 999
1000    fn labels_for_path_match(
1001        &self,
1002        path_match: &PathMatch,
1003    ) -> (String, Vec<usize>, String, Vec<usize>) {
1004        let path = &path_match.path;
1005        let path_string = path.to_string_lossy();
1006        let full_path = [path_match.path_prefix.as_ref(), path_string.as_ref()].join("");
1007        let mut path_positions = path_match.positions.clone();
1008
1009        let file_name = path.file_name().map_or_else(
1010            || path_match.path_prefix.to_string(),
1011            |file_name| file_name.to_string_lossy().to_string(),
1012        );
1013        let file_name_start = path_match.path_prefix.len() + path_string.len() - file_name.len();
1014        let file_name_positions = path_positions
1015            .iter()
1016            .filter_map(|pos| {
1017                if pos >= &file_name_start {
1018                    Some(pos - file_name_start)
1019                } else {
1020                    None
1021                }
1022            })
1023            .collect();
1024
1025        let full_path = full_path.trim_end_matches(&file_name).to_string();
1026        path_positions.retain(|idx| *idx < full_path.len());
1027
1028        (file_name, file_name_positions, full_path, path_positions)
1029    }
1030
1031    fn lookup_absolute_path(
1032        &self,
1033        query: FileSearchQuery,
1034        window: &mut Window,
1035        cx: &mut Context<Picker<Self>>,
1036    ) -> Task<()> {
1037        cx.spawn_in(window, async move |picker, cx| {
1038            let Some(project) = picker
1039                .read_with(cx, |picker, _| picker.delegate.project.clone())
1040                .log_err()
1041            else {
1042                return;
1043            };
1044
1045            let query_path = Path::new(query.path_query());
1046            let mut path_matches = Vec::new();
1047
1048            let abs_file_exists = if let Ok(task) = project.update(cx, |this, cx| {
1049                this.resolve_abs_file_path(query.path_query(), cx)
1050            }) {
1051                task.await.is_some()
1052            } else {
1053                false
1054            };
1055
1056            if abs_file_exists {
1057                let update_result = project
1058                    .update(cx, |project, cx| {
1059                        if let Some((worktree, relative_path)) =
1060                            project.find_worktree(query_path, cx)
1061                        {
1062                            path_matches.push(ProjectPanelOrdMatch(PathMatch {
1063                                score: 1.0,
1064                                positions: Vec::new(),
1065                                worktree_id: worktree.read(cx).id().to_usize(),
1066                                path: Arc::from(relative_path),
1067                                path_prefix: "".into(),
1068                                is_dir: false, // File finder doesn't support directories
1069                                distance_to_relative_ancestor: usize::MAX,
1070                            }));
1071                        }
1072                    })
1073                    .log_err();
1074                if update_result.is_none() {
1075                    return;
1076                }
1077            }
1078
1079            picker
1080                .update_in(cx, |picker, _, cx| {
1081                    let picker_delegate = &mut picker.delegate;
1082                    let search_id = util::post_inc(&mut picker_delegate.search_count);
1083                    picker_delegate.set_search_matches(search_id, false, query, path_matches, cx);
1084
1085                    anyhow::Ok(())
1086                })
1087                .log_err();
1088        })
1089    }
1090
1091    /// Skips first history match (that is displayed topmost) if it's currently opened.
1092    fn calculate_selected_index(&self, cx: &mut Context<Picker<Self>>) -> usize {
1093        if FileFinderSettings::get_global(cx).skip_focus_for_active_in_search {
1094            if let Some(Match::History { path, .. }) = self.matches.get(0) {
1095                if Some(path) == self.currently_opened_path.as_ref() {
1096                    let elements_after_first = self.matches.len() - 1;
1097                    if elements_after_first > 0 {
1098                        return 1;
1099                    }
1100                }
1101            }
1102        }
1103
1104        0
1105    }
1106
1107    fn key_context(&self, window: &Window, cx: &App) -> KeyContext {
1108        let mut key_context = KeyContext::new_with_defaults();
1109        key_context.add("FileFinder");
1110        if self.popover_menu_handle.is_focused(window, cx) {
1111            key_context.add("menu_open");
1112        }
1113        key_context
1114    }
1115}
1116
1117fn full_path_budget(
1118    file_name: &str,
1119    normal_em: Pixels,
1120    small_em: Pixels,
1121    max_width: Pixels,
1122) -> usize {
1123    (((max_width / 0.8) - file_name.len() * normal_em) / small_em) as usize
1124}
1125
1126impl PickerDelegate for FileFinderDelegate {
1127    type ListItem = ListItem;
1128
1129    fn placeholder_text(&self, _window: &mut Window, _cx: &mut App) -> Arc<str> {
1130        "Search project files...".into()
1131    }
1132
1133    fn match_count(&self) -> usize {
1134        self.matches.len()
1135    }
1136
1137    fn selected_index(&self) -> usize {
1138        self.selected_index
1139    }
1140
1141    fn set_selected_index(&mut self, ix: usize, _: &mut Window, cx: &mut Context<Picker<Self>>) {
1142        self.has_changed_selected_index = true;
1143        self.selected_index = ix;
1144        cx.notify();
1145    }
1146
1147    fn separators_after_indices(&self) -> Vec<usize> {
1148        if self.separate_history {
1149            let first_non_history_index = self
1150                .matches
1151                .matches
1152                .iter()
1153                .enumerate()
1154                .find(|(_, m)| !matches!(m, Match::History { .. }))
1155                .map(|(i, _)| i);
1156            if let Some(first_non_history_index) = first_non_history_index {
1157                if first_non_history_index > 0 {
1158                    return vec![first_non_history_index - 1];
1159                }
1160            }
1161        }
1162        Vec::new()
1163    }
1164
1165    fn update_matches(
1166        &mut self,
1167        raw_query: String,
1168        window: &mut Window,
1169        cx: &mut Context<Picker<Self>>,
1170    ) -> Task<()> {
1171        let raw_query = raw_query.replace(' ', "");
1172        let raw_query = raw_query.trim();
1173
1174        let raw_query = match &raw_query.get(0..2) {
1175            Some(".\\") | Some("./") => &raw_query[2..],
1176            Some("a\\") | Some("a/") => {
1177                if self
1178                    .workspace
1179                    .upgrade()
1180                    .into_iter()
1181                    .flat_map(|workspace| workspace.read(cx).worktrees(cx))
1182                    .all(|worktree| {
1183                        worktree
1184                            .read(cx)
1185                            .entry_for_path(Path::new("a"))
1186                            .is_none_or(|entry| !entry.is_dir())
1187                    })
1188                {
1189                    &raw_query[2..]
1190                } else {
1191                    raw_query
1192                }
1193            }
1194            Some("b\\") | Some("b/") => {
1195                if self
1196                    .workspace
1197                    .upgrade()
1198                    .into_iter()
1199                    .flat_map(|workspace| workspace.read(cx).worktrees(cx))
1200                    .all(|worktree| {
1201                        worktree
1202                            .read(cx)
1203                            .entry_for_path(Path::new("b"))
1204                            .is_none_or(|entry| !entry.is_dir())
1205                    })
1206                {
1207                    &raw_query[2..]
1208                } else {
1209                    raw_query
1210                }
1211            }
1212            _ => raw_query,
1213        };
1214
1215        if raw_query.is_empty() {
1216            // if there was no query before, and we already have some (history) matches
1217            // there's no need to update anything, since nothing has changed.
1218            // We also want to populate matches set from history entries on the first update.
1219            if self.latest_search_query.is_some() || self.first_update {
1220                let project = self.project.read(cx);
1221
1222                self.latest_search_id = post_inc(&mut self.search_count);
1223                self.latest_search_query = None;
1224                self.matches = Matches {
1225                    separate_history: self.separate_history,
1226                    ..Matches::default()
1227                };
1228                self.matches.push_new_matches(
1229                    self.history_items.iter().filter(|history_item| {
1230                        project
1231                            .worktree_for_id(history_item.project.worktree_id, cx)
1232                            .is_some()
1233                            || ((project.is_local() || project.is_via_ssh())
1234                                && history_item.absolute.is_some())
1235                    }),
1236                    self.currently_opened_path.as_ref(),
1237                    None,
1238                    None.into_iter(),
1239                    false,
1240                );
1241
1242                self.first_update = false;
1243                self.selected_index = 0;
1244            }
1245            cx.notify();
1246            Task::ready(())
1247        } else {
1248            let path_position = PathWithPosition::parse_str(&raw_query);
1249
1250            let query = FileSearchQuery {
1251                raw_query: raw_query.trim().to_owned(),
1252                file_query_end: if path_position.path.to_str().unwrap_or(raw_query) == raw_query {
1253                    None
1254                } else {
1255                    // Safe to unwrap as we won't get here when the unwrap in if fails
1256                    Some(path_position.path.to_str().unwrap().len())
1257                },
1258                path_position,
1259            };
1260
1261            if Path::new(query.path_query()).is_absolute() {
1262                self.lookup_absolute_path(query, window, cx)
1263            } else {
1264                self.spawn_search(query, window, cx)
1265            }
1266        }
1267    }
1268
1269    fn confirm(
1270        &mut self,
1271        secondary: bool,
1272        window: &mut Window,
1273        cx: &mut Context<Picker<FileFinderDelegate>>,
1274    ) {
1275        if let Some(m) = self.matches.get(self.selected_index()) {
1276            if let Some(workspace) = self.workspace.upgrade() {
1277                let open_task = workspace.update(cx, |workspace, cx| {
1278                    let split_or_open =
1279                        |workspace: &mut Workspace,
1280                         project_path,
1281                         window: &mut Window,
1282                         cx: &mut Context<Workspace>| {
1283                            let allow_preview =
1284                                PreviewTabsSettings::get_global(cx).enable_preview_from_file_finder;
1285                            if secondary {
1286                                workspace.split_path_preview(
1287                                    project_path,
1288                                    allow_preview,
1289                                    None,
1290                                    window,
1291                                    cx,
1292                                )
1293                            } else {
1294                                workspace.open_path_preview(
1295                                    project_path,
1296                                    None,
1297                                    true,
1298                                    allow_preview,
1299                                    true,
1300                                    window,
1301                                    cx,
1302                                )
1303                            }
1304                        };
1305                    match &m {
1306                        Match::History { path, .. } => {
1307                            let worktree_id = path.project.worktree_id;
1308                            if workspace
1309                                .project()
1310                                .read(cx)
1311                                .worktree_for_id(worktree_id, cx)
1312                                .is_some()
1313                            {
1314                                split_or_open(
1315                                    workspace,
1316                                    ProjectPath {
1317                                        worktree_id,
1318                                        path: Arc::clone(&path.project.path),
1319                                    },
1320                                    window,
1321                                    cx,
1322                                )
1323                            } else {
1324                                match path.absolute.as_ref() {
1325                                    Some(abs_path) => {
1326                                        if secondary {
1327                                            workspace.split_abs_path(
1328                                                abs_path.to_path_buf(),
1329                                                false,
1330                                                window,
1331                                                cx,
1332                                            )
1333                                        } else {
1334                                            workspace.open_abs_path(
1335                                                abs_path.to_path_buf(),
1336                                                OpenOptions {
1337                                                    visible: Some(OpenVisible::None),
1338                                                    ..Default::default()
1339                                                },
1340                                                window,
1341                                                cx,
1342                                            )
1343                                        }
1344                                    }
1345                                    None => split_or_open(
1346                                        workspace,
1347                                        ProjectPath {
1348                                            worktree_id,
1349                                            path: Arc::clone(&path.project.path),
1350                                        },
1351                                        window,
1352                                        cx,
1353                                    ),
1354                                }
1355                            }
1356                        }
1357                        Match::Search(m) => split_or_open(
1358                            workspace,
1359                            ProjectPath {
1360                                worktree_id: WorktreeId::from_usize(m.0.worktree_id),
1361                                path: m.0.path.clone(),
1362                            },
1363                            window,
1364                            cx,
1365                        ),
1366                    }
1367                });
1368
1369                let row = self
1370                    .latest_search_query
1371                    .as_ref()
1372                    .and_then(|query| query.path_position.row)
1373                    .map(|row| row.saturating_sub(1));
1374                let col = self
1375                    .latest_search_query
1376                    .as_ref()
1377                    .and_then(|query| query.path_position.column)
1378                    .unwrap_or(0)
1379                    .saturating_sub(1);
1380                let finder = self.file_finder.clone();
1381
1382                cx.spawn_in(window, async move |_, cx| {
1383                    let item = open_task.await.notify_async_err(cx)?;
1384                    if let Some(row) = row {
1385                        if let Some(active_editor) = item.downcast::<Editor>() {
1386                            active_editor
1387                                .downgrade()
1388                                .update_in(cx, |editor, window, cx| {
1389                                    editor.go_to_singleton_buffer_point(
1390                                        Point::new(row, col),
1391                                        window,
1392                                        cx,
1393                                    );
1394                                })
1395                                .log_err();
1396                        }
1397                    }
1398                    finder.update(cx, |_, cx| cx.emit(DismissEvent)).ok()?;
1399
1400                    Some(())
1401                })
1402                .detach();
1403            }
1404        }
1405    }
1406
1407    fn dismissed(&mut self, _: &mut Window, cx: &mut Context<Picker<FileFinderDelegate>>) {
1408        self.file_finder
1409            .update(cx, |_, cx| cx.emit(DismissEvent))
1410            .log_err();
1411    }
1412
1413    fn render_match(
1414        &self,
1415        ix: usize,
1416        selected: bool,
1417        window: &mut Window,
1418        cx: &mut Context<Picker<Self>>,
1419    ) -> Option<Self::ListItem> {
1420        let settings = FileFinderSettings::get_global(cx);
1421
1422        let path_match = self
1423            .matches
1424            .get(ix)
1425            .expect("Invalid matches state: no element for index {ix}");
1426
1427        let history_icon = match &path_match {
1428            Match::History { .. } => Icon::new(IconName::HistoryRerun)
1429                .color(Color::Muted)
1430                .size(IconSize::Small)
1431                .into_any_element(),
1432            Match::Search(_) => v_flex()
1433                .flex_none()
1434                .size(IconSize::Small.rems())
1435                .into_any_element(),
1436        };
1437        let (file_name_label, full_path_label) = self.labels_for_match(path_match, window, cx, ix);
1438
1439        let file_icon = maybe!({
1440            if !settings.file_icons {
1441                return None;
1442            }
1443            let file_name = path_match.path().file_name()?;
1444            let icon = FileIcons::get_icon(file_name.as_ref(), cx)?;
1445            Some(Icon::from_path(icon).color(Color::Muted))
1446        });
1447
1448        Some(
1449            ListItem::new(ix)
1450                .spacing(ListItemSpacing::Sparse)
1451                .start_slot::<Icon>(file_icon)
1452                .end_slot::<AnyElement>(history_icon)
1453                .inset(true)
1454                .toggle_state(selected)
1455                .child(
1456                    h_flex()
1457                        .gap_2()
1458                        .py_px()
1459                        .child(file_name_label)
1460                        .child(full_path_label),
1461                ),
1462        )
1463    }
1464
1465    fn render_footer(&self, _: &mut Window, cx: &mut Context<Picker<Self>>) -> Option<AnyElement> {
1466        let context = self.focus_handle.clone();
1467        Some(
1468            h_flex()
1469                .w_full()
1470                .p_2()
1471                .gap_2()
1472                .justify_end()
1473                .border_t_1()
1474                .border_color(cx.theme().colors().border_variant)
1475                .child(
1476                    Button::new("open-selection", "Open").on_click(|_, window, cx| {
1477                        window.dispatch_action(menu::Confirm.boxed_clone(), cx)
1478                    }),
1479                )
1480                .child(
1481                    PopoverMenu::new("menu-popover")
1482                        .with_handle(self.popover_menu_handle.clone())
1483                        .attach(gpui::Corner::TopRight)
1484                        .anchor(gpui::Corner::BottomRight)
1485                        .trigger(
1486                            Button::new("actions-trigger", "Split…")
1487                                .selected_label_color(Color::Accent),
1488                        )
1489                        .menu({
1490                            move |window, cx| {
1491                                Some(ContextMenu::build(window, cx, {
1492                                    let context = context.clone();
1493                                    move |menu, _, _| {
1494                                        menu.context(context)
1495                                            .action("Split Left", pane::SplitLeft.boxed_clone())
1496                                            .action("Split Right", pane::SplitRight.boxed_clone())
1497                                            .action("Split Up", pane::SplitUp.boxed_clone())
1498                                            .action("Split Down", pane::SplitDown.boxed_clone())
1499                                    }
1500                                }))
1501                            }
1502                        }),
1503                )
1504                .into_any(),
1505        )
1506    }
1507}
1508
1509#[derive(Clone, Debug, PartialEq, Eq)]
1510struct PathComponentSlice<'a> {
1511    path: Cow<'a, Path>,
1512    path_str: Cow<'a, str>,
1513    component_ranges: Vec<(Component<'a>, Range<usize>)>,
1514}
1515
1516impl<'a> PathComponentSlice<'a> {
1517    fn new(path: &'a str) -> Self {
1518        let trimmed_path = Path::new(path).components().as_path().as_os_str();
1519        let mut component_ranges = Vec::new();
1520        let mut components = Path::new(trimmed_path).components();
1521        let len = trimmed_path.as_encoded_bytes().len();
1522        let mut pos = 0;
1523        while let Some(component) = components.next() {
1524            component_ranges.push((component, pos..0));
1525            pos = len - components.as_path().as_os_str().as_encoded_bytes().len();
1526        }
1527        for ((_, range), ancestor) in component_ranges
1528            .iter_mut()
1529            .rev()
1530            .zip(Path::new(trimmed_path).ancestors())
1531        {
1532            range.end = ancestor.as_os_str().as_encoded_bytes().len();
1533        }
1534        Self {
1535            path: Cow::Borrowed(Path::new(path)),
1536            path_str: Cow::Borrowed(path),
1537            component_ranges,
1538        }
1539    }
1540
1541    fn elision_range(&self, budget: usize, matches: &[usize]) -> Option<Range<usize>> {
1542        let eligible_range = {
1543            assert!(matches.windows(2).all(|w| w[0] <= w[1]));
1544            let mut matches = matches.iter().copied().peekable();
1545            let mut longest: Option<Range<usize>> = None;
1546            let mut cur = 0..0;
1547            let mut seen_normal = false;
1548            for (i, (component, range)) in self.component_ranges.iter().enumerate() {
1549                let is_normal = matches!(component, Component::Normal(_));
1550                let is_first_normal = is_normal && !seen_normal;
1551                seen_normal |= is_normal;
1552                let is_last = i == self.component_ranges.len() - 1;
1553                let contains_match = matches.peek().is_some_and(|mat| range.contains(mat));
1554                if contains_match {
1555                    matches.next();
1556                }
1557                if is_first_normal || is_last || !is_normal || contains_match {
1558                    if longest
1559                        .as_ref()
1560                        .is_none_or(|old| old.end - old.start <= cur.end - cur.start)
1561                    {
1562                        longest = Some(cur);
1563                    }
1564                    cur = i + 1..i + 1;
1565                } else {
1566                    cur.end = i + 1;
1567                }
1568            }
1569            if longest
1570                .as_ref()
1571                .is_none_or(|old| old.end - old.start <= cur.end - cur.start)
1572            {
1573                longest = Some(cur);
1574            }
1575            longest
1576        };
1577
1578        let eligible_range = eligible_range?;
1579        assert!(eligible_range.start <= eligible_range.end);
1580        if eligible_range.is_empty() {
1581            return None;
1582        }
1583
1584        let elided_range: Range<usize> = {
1585            let byte_range = self.component_ranges[eligible_range.start].1.start
1586                ..self.component_ranges[eligible_range.end - 1].1.end;
1587            let midpoint = self.path_str.len() / 2;
1588            let distance_from_start = byte_range.start.abs_diff(midpoint);
1589            let distance_from_end = byte_range.end.abs_diff(midpoint);
1590            let pick_from_end = distance_from_start > distance_from_end;
1591            let mut len_with_elision = self.path_str.len();
1592            let mut i = eligible_range.start;
1593            while i < eligible_range.end {
1594                let x = if pick_from_end {
1595                    eligible_range.end - i + eligible_range.start - 1
1596                } else {
1597                    i
1598                };
1599                len_with_elision -= self.component_ranges[x]
1600                    .0
1601                    .as_os_str()
1602                    .as_encoded_bytes()
1603                    .len()
1604                    + 1;
1605                if len_with_elision <= budget {
1606                    break;
1607                }
1608                i += 1;
1609            }
1610            if len_with_elision > budget {
1611                return None;
1612            } else if pick_from_end {
1613                let x = eligible_range.end - i + eligible_range.start - 1;
1614                x..eligible_range.end
1615            } else {
1616                let x = i;
1617                eligible_range.start..x + 1
1618            }
1619        };
1620
1621        let byte_range = self.component_ranges[elided_range.start].1.start
1622            ..self.component_ranges[elided_range.end - 1].1.end;
1623        Some(byte_range)
1624    }
1625}