1use crate::{
2 BufferSearchBar, FocusSearch, NextHistoryQuery, PreviousHistoryQuery, ReplaceAll, ReplaceNext,
3 SearchOption, SearchOptions, SearchSource, SelectNextMatch, SelectPreviousMatch,
4 ToggleCaseSensitive, ToggleIncludeIgnored, ToggleRegex, ToggleReplace, ToggleWholeWord,
5 buffer_search::Deploy,
6 search_bar::{ActionButtonState, input_base_styles, render_action_button, render_text_input},
7};
8use anyhow::Context as _;
9use collections::HashMap;
10use editor::{
11 Anchor, Editor, EditorEvent, EditorSettings, MAX_TAB_TITLE_LEN, MultiBuffer, SelectionEffects,
12 actions::{Backtab, SelectAll, Tab},
13 items::active_match_index,
14};
15use futures::{StreamExt, stream::FuturesOrdered};
16use gpui::{
17 Action, AnyElement, AnyView, App, Axis, Context, Entity, EntityId, EventEmitter, FocusHandle,
18 Focusable, Global, Hsla, InteractiveElement, IntoElement, KeyContext, ParentElement, Point,
19 Render, SharedString, Styled, Subscription, Task, UpdateGlobal, WeakEntity, Window, actions,
20 div,
21};
22use language::{Buffer, Language};
23use menu::Confirm;
24use project::{
25 Project, ProjectPath,
26 search::{SearchInputKind, SearchQuery},
27 search_history::SearchHistoryCursor,
28};
29use settings::Settings;
30use std::{
31 any::{Any, TypeId},
32 mem,
33 ops::{Not, Range},
34 path::Path,
35 pin::pin,
36 sync::Arc,
37};
38use ui::{
39 Icon, IconButton, IconButtonShape, IconName, KeyBinding, Label, LabelCommon, LabelSize,
40 Toggleable, Tooltip, h_flex, prelude::*, utils::SearchInputWidth, v_flex,
41};
42use util::{ResultExt as _, paths::PathMatcher};
43use workspace::{
44 DeploySearch, ItemNavHistory, NewSearch, ToolbarItemEvent, ToolbarItemLocation,
45 ToolbarItemView, Workspace, WorkspaceId,
46 item::{BreadcrumbText, Item, ItemEvent, ItemHandle, SaveOptions},
47 searchable::{Direction, SearchableItem, SearchableItemHandle},
48};
49
50actions!(
51 project_search,
52 [
53 /// Searches in a new project search tab.
54 SearchInNew,
55 /// Toggles focus between the search bar and the search results.
56 ToggleFocus,
57 /// Moves to the next input field.
58 NextField,
59 /// Toggles the search filters panel.
60 ToggleFilters
61 ]
62);
63
64#[derive(Default)]
65struct ActiveSettings(HashMap<WeakEntity<Project>, ProjectSearchSettings>);
66
67impl Global for ActiveSettings {}
68
69pub fn init(cx: &mut App) {
70 cx.set_global(ActiveSettings::default());
71 cx.observe_new(|workspace: &mut Workspace, _window, _cx| {
72 register_workspace_action(workspace, move |search_bar, _: &Deploy, window, cx| {
73 search_bar.focus_search(window, cx);
74 });
75 register_workspace_action(workspace, move |search_bar, _: &FocusSearch, window, cx| {
76 search_bar.focus_search(window, cx);
77 });
78 register_workspace_action(
79 workspace,
80 move |search_bar, _: &ToggleFilters, window, cx| {
81 search_bar.toggle_filters(window, cx);
82 },
83 );
84 register_workspace_action(
85 workspace,
86 move |search_bar, _: &ToggleCaseSensitive, window, cx| {
87 search_bar.toggle_search_option(SearchOptions::CASE_SENSITIVE, window, cx);
88 },
89 );
90 register_workspace_action(
91 workspace,
92 move |search_bar, _: &ToggleWholeWord, window, cx| {
93 search_bar.toggle_search_option(SearchOptions::WHOLE_WORD, window, cx);
94 },
95 );
96 register_workspace_action(workspace, move |search_bar, _: &ToggleRegex, window, cx| {
97 search_bar.toggle_search_option(SearchOptions::REGEX, window, cx);
98 });
99 register_workspace_action(
100 workspace,
101 move |search_bar, action: &ToggleReplace, window, cx| {
102 search_bar.toggle_replace(action, window, cx)
103 },
104 );
105 register_workspace_action(
106 workspace,
107 move |search_bar, action: &SelectPreviousMatch, window, cx| {
108 search_bar.select_prev_match(action, window, cx)
109 },
110 );
111 register_workspace_action(
112 workspace,
113 move |search_bar, action: &SelectNextMatch, window, cx| {
114 search_bar.select_next_match(action, window, cx)
115 },
116 );
117
118 // Only handle search_in_new if there is a search present
119 register_workspace_action_for_present_search(workspace, |workspace, action, window, cx| {
120 ProjectSearchView::search_in_new(workspace, action, window, cx)
121 });
122
123 register_workspace_action_for_present_search(
124 workspace,
125 |workspace, _: &menu::Cancel, window, cx| {
126 if let Some(project_search_bar) = workspace
127 .active_pane()
128 .read(cx)
129 .toolbar()
130 .read(cx)
131 .item_of_type::<ProjectSearchBar>()
132 {
133 project_search_bar.update(cx, |project_search_bar, cx| {
134 let search_is_focused = project_search_bar
135 .active_project_search
136 .as_ref()
137 .is_some_and(|search_view| {
138 search_view
139 .read(cx)
140 .query_editor
141 .read(cx)
142 .focus_handle(cx)
143 .is_focused(window)
144 });
145 if search_is_focused {
146 project_search_bar.move_focus_to_results(window, cx);
147 } else {
148 project_search_bar.focus_search(window, cx)
149 }
150 });
151 } else {
152 cx.propagate();
153 }
154 },
155 );
156
157 // Both on present and dismissed search, we need to unconditionally handle those actions to focus from the editor.
158 workspace.register_action(move |workspace, action: &DeploySearch, window, cx| {
159 if workspace.has_active_modal(window, cx) {
160 cx.propagate();
161 return;
162 }
163 ProjectSearchView::deploy_search(workspace, action, window, cx);
164 cx.notify();
165 });
166 workspace.register_action(move |workspace, action: &NewSearch, window, cx| {
167 if workspace.has_active_modal(window, cx) {
168 cx.propagate();
169 return;
170 }
171 ProjectSearchView::new_search(workspace, action, window, cx);
172 cx.notify();
173 });
174 })
175 .detach();
176}
177
178fn contains_uppercase(str: &str) -> bool {
179 str.chars().any(|c| c.is_uppercase())
180}
181
182pub struct ProjectSearch {
183 project: Entity<Project>,
184 excerpts: Entity<MultiBuffer>,
185 pending_search: Option<Task<Option<()>>>,
186 match_ranges: Vec<Range<Anchor>>,
187 active_query: Option<SearchQuery>,
188 last_search_query_text: Option<String>,
189 search_id: usize,
190 no_results: Option<bool>,
191 limit_reached: bool,
192 search_history_cursor: SearchHistoryCursor,
193 search_included_history_cursor: SearchHistoryCursor,
194 search_excluded_history_cursor: SearchHistoryCursor,
195}
196
197#[derive(Debug, Clone, Copy, PartialEq, Eq, Hash)]
198enum InputPanel {
199 Query,
200 Replacement,
201 Exclude,
202 Include,
203}
204
205pub struct ProjectSearchView {
206 workspace: WeakEntity<Workspace>,
207 focus_handle: FocusHandle,
208 entity: Entity<ProjectSearch>,
209 query_editor: Entity<Editor>,
210 replacement_editor: Entity<Editor>,
211 results_editor: Entity<Editor>,
212 search_options: SearchOptions,
213 panels_with_errors: HashMap<InputPanel, String>,
214 active_match_index: Option<usize>,
215 search_id: usize,
216 included_files_editor: Entity<Editor>,
217 excluded_files_editor: Entity<Editor>,
218 filters_enabled: bool,
219 replace_enabled: bool,
220 included_opened_only: bool,
221 regex_language: Option<Arc<Language>>,
222 _subscriptions: Vec<Subscription>,
223}
224
225#[derive(Debug, Clone)]
226pub struct ProjectSearchSettings {
227 search_options: SearchOptions,
228 filters_enabled: bool,
229}
230
231pub struct ProjectSearchBar {
232 active_project_search: Option<Entity<ProjectSearchView>>,
233 subscription: Option<Subscription>,
234}
235
236impl ProjectSearch {
237 pub fn new(project: Entity<Project>, cx: &mut Context<Self>) -> Self {
238 let capability = project.read(cx).capability();
239
240 Self {
241 project,
242 excerpts: cx.new(|_| MultiBuffer::new(capability)),
243 pending_search: Default::default(),
244 match_ranges: Default::default(),
245 active_query: None,
246 last_search_query_text: None,
247 search_id: 0,
248 no_results: None,
249 limit_reached: false,
250 search_history_cursor: Default::default(),
251 search_included_history_cursor: Default::default(),
252 search_excluded_history_cursor: Default::default(),
253 }
254 }
255
256 fn clone(&self, cx: &mut Context<Self>) -> Entity<Self> {
257 cx.new(|cx| Self {
258 project: self.project.clone(),
259 excerpts: self
260 .excerpts
261 .update(cx, |excerpts, cx| cx.new(|cx| excerpts.clone(cx))),
262 pending_search: Default::default(),
263 match_ranges: self.match_ranges.clone(),
264 active_query: self.active_query.clone(),
265 last_search_query_text: self.last_search_query_text.clone(),
266 search_id: self.search_id,
267 no_results: self.no_results,
268 limit_reached: self.limit_reached,
269 search_history_cursor: self.search_history_cursor.clone(),
270 search_included_history_cursor: self.search_included_history_cursor.clone(),
271 search_excluded_history_cursor: self.search_excluded_history_cursor.clone(),
272 })
273 }
274 fn cursor(&self, kind: SearchInputKind) -> &SearchHistoryCursor {
275 match kind {
276 SearchInputKind::Query => &self.search_history_cursor,
277 SearchInputKind::Include => &self.search_included_history_cursor,
278 SearchInputKind::Exclude => &self.search_excluded_history_cursor,
279 }
280 }
281 fn cursor_mut(&mut self, kind: SearchInputKind) -> &mut SearchHistoryCursor {
282 match kind {
283 SearchInputKind::Query => &mut self.search_history_cursor,
284 SearchInputKind::Include => &mut self.search_included_history_cursor,
285 SearchInputKind::Exclude => &mut self.search_excluded_history_cursor,
286 }
287 }
288
289 fn search(&mut self, query: SearchQuery, cx: &mut Context<Self>) {
290 let search = self.project.update(cx, |project, cx| {
291 project
292 .search_history_mut(SearchInputKind::Query)
293 .add(&mut self.search_history_cursor, query.as_str().to_string());
294 let included = query.as_inner().files_to_include().sources().join(",");
295 if !included.is_empty() {
296 project
297 .search_history_mut(SearchInputKind::Include)
298 .add(&mut self.search_included_history_cursor, included);
299 }
300 let excluded = query.as_inner().files_to_exclude().sources().join(",");
301 if !excluded.is_empty() {
302 project
303 .search_history_mut(SearchInputKind::Exclude)
304 .add(&mut self.search_excluded_history_cursor, excluded);
305 }
306 project.search(query.clone(), cx)
307 });
308 self.last_search_query_text = Some(query.as_str().to_string());
309 self.search_id += 1;
310 self.active_query = Some(query);
311 self.match_ranges.clear();
312 self.pending_search = Some(cx.spawn(async move |project_search, cx| {
313 let mut matches = pin!(search.ready_chunks(1024));
314 project_search
315 .update(cx, |project_search, cx| {
316 project_search.match_ranges.clear();
317 project_search
318 .excerpts
319 .update(cx, |excerpts, cx| excerpts.clear(cx));
320 project_search.no_results = Some(true);
321 project_search.limit_reached = false;
322 })
323 .ok()?;
324
325 let mut limit_reached = false;
326 while let Some(results) = matches.next().await {
327 let mut buffers_with_ranges = Vec::with_capacity(results.len());
328 for result in results {
329 match result {
330 project::search::SearchResult::Buffer { buffer, ranges } => {
331 buffers_with_ranges.push((buffer, ranges));
332 }
333 project::search::SearchResult::LimitReached => {
334 limit_reached = true;
335 }
336 }
337 }
338
339 let mut new_ranges = project_search
340 .update(cx, |project_search, cx| {
341 project_search.excerpts.update(cx, |excerpts, cx| {
342 buffers_with_ranges
343 .into_iter()
344 .map(|(buffer, ranges)| {
345 excerpts.set_anchored_excerpts_for_path(
346 buffer,
347 ranges,
348 editor::DEFAULT_MULTIBUFFER_CONTEXT,
349 cx,
350 )
351 })
352 .collect::<FuturesOrdered<_>>()
353 })
354 })
355 .ok()?;
356
357 while let Some(new_ranges) = new_ranges.next().await {
358 project_search
359 .update(cx, |project_search, cx| {
360 project_search.match_ranges.extend(new_ranges);
361 cx.notify();
362 })
363 .ok()?;
364 }
365 }
366
367 project_search
368 .update(cx, |project_search, cx| {
369 if !project_search.match_ranges.is_empty() {
370 project_search.no_results = Some(false);
371 }
372 project_search.limit_reached = limit_reached;
373 project_search.pending_search.take();
374 cx.notify();
375 })
376 .ok()?;
377
378 None
379 }));
380 cx.notify();
381 }
382}
383
384#[derive(Clone, Debug, PartialEq, Eq)]
385pub enum ViewEvent {
386 UpdateTab,
387 Activate,
388 EditorEvent(editor::EditorEvent),
389 Dismiss,
390}
391
392impl EventEmitter<ViewEvent> for ProjectSearchView {}
393
394impl Render for ProjectSearchView {
395 fn render(&mut self, window: &mut Window, cx: &mut Context<Self>) -> impl IntoElement {
396 if self.has_matches() {
397 div()
398 .flex_1()
399 .size_full()
400 .track_focus(&self.focus_handle(cx))
401 .child(self.results_editor.clone())
402 } else {
403 let model = self.entity.read(cx);
404 let has_no_results = model.no_results.unwrap_or(false);
405 let is_search_underway = model.pending_search.is_some();
406
407 let heading_text = if is_search_underway {
408 "Searching…"
409 } else if has_no_results {
410 "No Results"
411 } else {
412 "Search All Files"
413 };
414
415 let heading_text = div()
416 .justify_center()
417 .child(Label::new(heading_text).size(LabelSize::Large));
418
419 let page_content: Option<AnyElement> = if let Some(no_results) = model.no_results {
420 if model.pending_search.is_none() && no_results {
421 Some(
422 Label::new("No results found in this project for the provided query")
423 .size(LabelSize::Small)
424 .into_any_element(),
425 )
426 } else {
427 None
428 }
429 } else {
430 Some(self.landing_text_minor(window, cx).into_any_element())
431 };
432
433 let page_content = page_content.map(|text| div().child(text));
434
435 h_flex()
436 .size_full()
437 .items_center()
438 .justify_center()
439 .overflow_hidden()
440 .bg(cx.theme().colors().editor_background)
441 .track_focus(&self.focus_handle(cx))
442 .child(
443 v_flex()
444 .id("project-search-landing-page")
445 .overflow_y_scroll()
446 .gap_1()
447 .child(heading_text)
448 .children(page_content),
449 )
450 }
451 }
452}
453
454impl Focusable for ProjectSearchView {
455 fn focus_handle(&self, _: &App) -> gpui::FocusHandle {
456 self.focus_handle.clone()
457 }
458}
459
460impl Item for ProjectSearchView {
461 type Event = ViewEvent;
462 fn tab_tooltip_text(&self, cx: &App) -> Option<SharedString> {
463 let query_text = self.query_editor.read(cx).text(cx);
464
465 query_text
466 .is_empty()
467 .not()
468 .then(|| query_text.into())
469 .or_else(|| Some("Project Search".into()))
470 }
471
472 fn act_as_type<'a>(
473 &'a self,
474 type_id: TypeId,
475 self_handle: &'a Entity<Self>,
476 _: &'a App,
477 ) -> Option<AnyView> {
478 if type_id == TypeId::of::<Self>() {
479 Some(self_handle.clone().into())
480 } else if type_id == TypeId::of::<Editor>() {
481 Some(self.results_editor.clone().into())
482 } else {
483 None
484 }
485 }
486 fn as_searchable(&self, _: &Entity<Self>) -> Option<Box<dyn SearchableItemHandle>> {
487 Some(Box::new(self.results_editor.clone()))
488 }
489
490 fn deactivated(&mut self, window: &mut Window, cx: &mut Context<Self>) {
491 self.results_editor
492 .update(cx, |editor, cx| editor.deactivated(window, cx));
493 }
494
495 fn tab_icon(&self, _window: &Window, _cx: &App) -> Option<Icon> {
496 Some(Icon::new(IconName::MagnifyingGlass))
497 }
498
499 fn tab_content_text(&self, _detail: usize, cx: &App) -> SharedString {
500 let last_query: Option<SharedString> = self
501 .entity
502 .read(cx)
503 .last_search_query_text
504 .as_ref()
505 .map(|query| {
506 let query = query.replace('\n', "");
507 let query_text = util::truncate_and_trailoff(&query, MAX_TAB_TITLE_LEN);
508 query_text.into()
509 });
510
511 last_query
512 .filter(|query| !query.is_empty())
513 .unwrap_or_else(|| "Project Search".into())
514 }
515
516 fn telemetry_event_text(&self) -> Option<&'static str> {
517 Some("Project Search Opened")
518 }
519
520 fn for_each_project_item(
521 &self,
522 cx: &App,
523 f: &mut dyn FnMut(EntityId, &dyn project::ProjectItem),
524 ) {
525 self.results_editor.for_each_project_item(cx, f)
526 }
527
528 fn is_singleton(&self, _: &App) -> bool {
529 false
530 }
531
532 fn can_save(&self, _: &App) -> bool {
533 true
534 }
535
536 fn is_dirty(&self, cx: &App) -> bool {
537 self.results_editor.read(cx).is_dirty(cx)
538 }
539
540 fn has_conflict(&self, cx: &App) -> bool {
541 self.results_editor.read(cx).has_conflict(cx)
542 }
543
544 fn save(
545 &mut self,
546 options: SaveOptions,
547 project: Entity<Project>,
548 window: &mut Window,
549 cx: &mut Context<Self>,
550 ) -> Task<anyhow::Result<()>> {
551 self.results_editor
552 .update(cx, |editor, cx| editor.save(options, project, window, cx))
553 }
554
555 fn save_as(
556 &mut self,
557 _: Entity<Project>,
558 _: ProjectPath,
559 _window: &mut Window,
560 _: &mut Context<Self>,
561 ) -> Task<anyhow::Result<()>> {
562 unreachable!("save_as should not have been called")
563 }
564
565 fn reload(
566 &mut self,
567 project: Entity<Project>,
568 window: &mut Window,
569 cx: &mut Context<Self>,
570 ) -> Task<anyhow::Result<()>> {
571 self.results_editor
572 .update(cx, |editor, cx| editor.reload(project, window, cx))
573 }
574
575 fn clone_on_split(
576 &self,
577 _workspace_id: Option<WorkspaceId>,
578 window: &mut Window,
579 cx: &mut Context<Self>,
580 ) -> Option<Entity<Self>>
581 where
582 Self: Sized,
583 {
584 let model = self.entity.update(cx, |model, cx| model.clone(cx));
585 Some(cx.new(|cx| Self::new(self.workspace.clone(), model, window, cx, None)))
586 }
587
588 fn added_to_workspace(
589 &mut self,
590 workspace: &mut Workspace,
591 window: &mut Window,
592 cx: &mut Context<Self>,
593 ) {
594 self.results_editor.update(cx, |editor, cx| {
595 editor.added_to_workspace(workspace, window, cx)
596 });
597 }
598
599 fn set_nav_history(
600 &mut self,
601 nav_history: ItemNavHistory,
602 _: &mut Window,
603 cx: &mut Context<Self>,
604 ) {
605 self.results_editor.update(cx, |editor, _| {
606 editor.set_nav_history(Some(nav_history));
607 });
608 }
609
610 fn navigate(
611 &mut self,
612 data: Box<dyn Any>,
613 window: &mut Window,
614 cx: &mut Context<Self>,
615 ) -> bool {
616 self.results_editor
617 .update(cx, |editor, cx| editor.navigate(data, window, cx))
618 }
619
620 fn to_item_events(event: &Self::Event, mut f: impl FnMut(ItemEvent)) {
621 match event {
622 ViewEvent::UpdateTab => {
623 f(ItemEvent::UpdateBreadcrumbs);
624 f(ItemEvent::UpdateTab);
625 }
626 ViewEvent::EditorEvent(editor_event) => {
627 Editor::to_item_events(editor_event, f);
628 }
629 ViewEvent::Dismiss => f(ItemEvent::CloseItem),
630 _ => {}
631 }
632 }
633
634 fn breadcrumb_location(&self, _: &App) -> ToolbarItemLocation {
635 if self.has_matches() {
636 ToolbarItemLocation::Secondary
637 } else {
638 ToolbarItemLocation::Hidden
639 }
640 }
641
642 fn breadcrumbs(&self, theme: &theme::Theme, cx: &App) -> Option<Vec<BreadcrumbText>> {
643 self.results_editor.breadcrumbs(theme, cx)
644 }
645}
646
647impl ProjectSearchView {
648 pub fn get_matches(&self, cx: &App) -> Vec<Range<Anchor>> {
649 self.entity.read(cx).match_ranges.clone()
650 }
651
652 fn toggle_filters(&mut self, cx: &mut Context<Self>) {
653 self.filters_enabled = !self.filters_enabled;
654 ActiveSettings::update_global(cx, |settings, cx| {
655 settings.0.insert(
656 self.entity.read(cx).project.downgrade(),
657 self.current_settings(),
658 );
659 });
660 }
661
662 fn current_settings(&self) -> ProjectSearchSettings {
663 ProjectSearchSettings {
664 search_options: self.search_options,
665 filters_enabled: self.filters_enabled,
666 }
667 }
668
669 fn toggle_search_option(&mut self, option: SearchOptions, cx: &mut Context<Self>) {
670 self.search_options.toggle(option);
671 ActiveSettings::update_global(cx, |settings, cx| {
672 settings.0.insert(
673 self.entity.read(cx).project.downgrade(),
674 self.current_settings(),
675 );
676 });
677 self.adjust_query_regex_language(cx);
678 }
679
680 fn toggle_opened_only(&mut self, _window: &mut Window, _cx: &mut Context<Self>) {
681 self.included_opened_only = !self.included_opened_only;
682 }
683
684 fn replace_next(&mut self, _: &ReplaceNext, window: &mut Window, cx: &mut Context<Self>) {
685 if self.entity.read(cx).match_ranges.is_empty() {
686 return;
687 }
688 let Some(active_index) = self.active_match_index else {
689 return;
690 };
691
692 let query = self.entity.read(cx).active_query.clone();
693 if let Some(query) = query {
694 let query = query.with_replacement(self.replacement(cx));
695
696 // TODO: Do we need the clone here?
697 let mat = self.entity.read(cx).match_ranges[active_index].clone();
698 self.results_editor.update(cx, |editor, cx| {
699 editor.replace(&mat, &query, window, cx);
700 });
701 self.select_match(Direction::Next, window, cx)
702 }
703 }
704 pub fn replacement(&self, cx: &App) -> String {
705 self.replacement_editor.read(cx).text(cx)
706 }
707 fn replace_all(&mut self, _: &ReplaceAll, window: &mut Window, cx: &mut Context<Self>) {
708 if self.active_match_index.is_none() {
709 return;
710 }
711
712 let Some(query) = self.entity.read(cx).active_query.as_ref() else {
713 return;
714 };
715 let query = query.clone().with_replacement(self.replacement(cx));
716
717 let match_ranges = self
718 .entity
719 .update(cx, |model, _| mem::take(&mut model.match_ranges));
720 if match_ranges.is_empty() {
721 return;
722 }
723
724 self.results_editor.update(cx, |editor, cx| {
725 editor.replace_all(&mut match_ranges.iter(), &query, window, cx);
726 });
727
728 self.entity.update(cx, |model, _cx| {
729 model.match_ranges = match_ranges;
730 });
731 }
732
733 pub fn new(
734 workspace: WeakEntity<Workspace>,
735 entity: Entity<ProjectSearch>,
736 window: &mut Window,
737 cx: &mut Context<Self>,
738 settings: Option<ProjectSearchSettings>,
739 ) -> Self {
740 let project;
741 let excerpts;
742 let mut replacement_text = None;
743 let mut query_text = String::new();
744 let mut subscriptions = Vec::new();
745
746 // Read in settings if available
747 let (mut options, filters_enabled) = if let Some(settings) = settings {
748 (settings.search_options, settings.filters_enabled)
749 } else {
750 let search_options =
751 SearchOptions::from_settings(&EditorSettings::get_global(cx).search);
752 (search_options, false)
753 };
754
755 {
756 let entity = entity.read(cx);
757 project = entity.project.clone();
758 excerpts = entity.excerpts.clone();
759 if let Some(active_query) = entity.active_query.as_ref() {
760 query_text = active_query.as_str().to_string();
761 replacement_text = active_query.replacement().map(ToOwned::to_owned);
762 options = SearchOptions::from_query(active_query);
763 }
764 }
765 subscriptions.push(cx.observe_in(&entity, window, |this, _, window, cx| {
766 this.entity_changed(window, cx)
767 }));
768
769 let query_editor = cx.new(|cx| {
770 let mut editor = Editor::single_line(window, cx);
771 editor.set_placeholder_text("Search all files…", cx);
772 editor.set_text(query_text, window, cx);
773 editor
774 });
775 // Subscribe to query_editor in order to reraise editor events for workspace item activation purposes
776 subscriptions.push(
777 cx.subscribe(&query_editor, |this, _, event: &EditorEvent, cx| {
778 if let EditorEvent::Edited { .. } = event {
779 if EditorSettings::get_global(cx).use_smartcase_search {
780 let query = this.search_query_text(cx);
781 if !query.is_empty()
782 && this.search_options.contains(SearchOptions::CASE_SENSITIVE)
783 != contains_uppercase(&query)
784 {
785 this.toggle_search_option(SearchOptions::CASE_SENSITIVE, cx);
786 }
787 }
788 }
789 cx.emit(ViewEvent::EditorEvent(event.clone()))
790 }),
791 );
792 let replacement_editor = cx.new(|cx| {
793 let mut editor = Editor::single_line(window, cx);
794 editor.set_placeholder_text("Replace in project…", cx);
795 if let Some(text) = replacement_text {
796 editor.set_text(text, window, cx);
797 }
798 editor
799 });
800 let results_editor = cx.new(|cx| {
801 let mut editor = Editor::for_multibuffer(excerpts, Some(project.clone()), window, cx);
802 editor.set_searchable(false);
803 editor.set_in_project_search(true);
804 editor
805 });
806 subscriptions.push(cx.observe(&results_editor, |_, _, cx| cx.emit(ViewEvent::UpdateTab)));
807
808 subscriptions.push(
809 cx.subscribe(&results_editor, |this, _, event: &EditorEvent, cx| {
810 if matches!(event, editor::EditorEvent::SelectionsChanged { .. }) {
811 this.update_match_index(cx);
812 }
813 // Reraise editor events for workspace item activation purposes
814 cx.emit(ViewEvent::EditorEvent(event.clone()));
815 }),
816 );
817
818 let included_files_editor = cx.new(|cx| {
819 let mut editor = Editor::single_line(window, cx);
820 editor.set_placeholder_text("Include: crates/**/*.toml", cx);
821
822 editor
823 });
824 // Subscribe to include_files_editor in order to reraise editor events for workspace item activation purposes
825 subscriptions.push(
826 cx.subscribe(&included_files_editor, |_, _, event: &EditorEvent, cx| {
827 cx.emit(ViewEvent::EditorEvent(event.clone()))
828 }),
829 );
830
831 let excluded_files_editor = cx.new(|cx| {
832 let mut editor = Editor::single_line(window, cx);
833 editor.set_placeholder_text("Exclude: vendor/*, *.lock", cx);
834
835 editor
836 });
837 // Subscribe to excluded_files_editor in order to reraise editor events for workspace item activation purposes
838 subscriptions.push(
839 cx.subscribe(&excluded_files_editor, |_, _, event: &EditorEvent, cx| {
840 cx.emit(ViewEvent::EditorEvent(event.clone()))
841 }),
842 );
843
844 let focus_handle = cx.focus_handle();
845 subscriptions.push(cx.on_focus(&focus_handle, window, |_, window, cx| {
846 cx.on_next_frame(window, |this, window, cx| {
847 if this.focus_handle.is_focused(window) {
848 if this.has_matches() {
849 this.results_editor.focus_handle(cx).focus(window);
850 } else {
851 this.query_editor.focus_handle(cx).focus(window);
852 }
853 }
854 });
855 }));
856
857 let languages = project.read(cx).languages().clone();
858 cx.spawn(async move |project_search_view, cx| {
859 let regex_language = languages
860 .language_for_name("regex")
861 .await
862 .context("loading regex language")?;
863 project_search_view
864 .update(cx, |project_search_view, cx| {
865 project_search_view.regex_language = Some(regex_language);
866 project_search_view.adjust_query_regex_language(cx);
867 })
868 .ok();
869 anyhow::Ok(())
870 })
871 .detach_and_log_err(cx);
872
873 // Check if Worktrees have all been previously indexed
874 let mut this = ProjectSearchView {
875 workspace,
876 focus_handle,
877 replacement_editor,
878 search_id: entity.read(cx).search_id,
879 entity,
880 query_editor,
881 results_editor,
882 search_options: options,
883 panels_with_errors: HashMap::default(),
884 active_match_index: None,
885 included_files_editor,
886 excluded_files_editor,
887 filters_enabled,
888 replace_enabled: false,
889 included_opened_only: false,
890 regex_language: None,
891 _subscriptions: subscriptions,
892 };
893 this.entity_changed(window, cx);
894 this
895 }
896
897 pub fn new_search_in_directory(
898 workspace: &mut Workspace,
899 dir_path: &Path,
900 window: &mut Window,
901 cx: &mut Context<Workspace>,
902 ) {
903 let Some(filter_str) = dir_path.to_str() else {
904 return;
905 };
906
907 let weak_workspace = cx.entity().downgrade();
908
909 let entity = cx.new(|cx| ProjectSearch::new(workspace.project().clone(), cx));
910 let search = cx.new(|cx| ProjectSearchView::new(weak_workspace, entity, window, cx, None));
911 workspace.add_item_to_active_pane(Box::new(search.clone()), None, true, window, cx);
912 search.update(cx, |search, cx| {
913 search
914 .included_files_editor
915 .update(cx, |editor, cx| editor.set_text(filter_str, window, cx));
916 search.filters_enabled = true;
917 search.focus_query_editor(window, cx)
918 });
919 }
920
921 /// Re-activate the most recently activated search in this pane or the most recent if it has been closed.
922 /// If no search exists in the workspace, create a new one.
923 pub fn deploy_search(
924 workspace: &mut Workspace,
925 action: &workspace::DeploySearch,
926 window: &mut Window,
927 cx: &mut Context<Workspace>,
928 ) {
929 let existing = workspace
930 .active_pane()
931 .read(cx)
932 .items()
933 .find_map(|item| item.downcast::<ProjectSearchView>());
934
935 Self::existing_or_new_search(workspace, existing, action, window, cx);
936 }
937
938 fn search_in_new(
939 workspace: &mut Workspace,
940 _: &SearchInNew,
941 window: &mut Window,
942 cx: &mut Context<Workspace>,
943 ) {
944 if let Some(search_view) = workspace
945 .active_item(cx)
946 .and_then(|item| item.downcast::<ProjectSearchView>())
947 {
948 let new_query = search_view.update(cx, |search_view, cx| {
949 let new_query = search_view.build_search_query(cx);
950 if new_query.is_some() {
951 if let Some(old_query) = search_view.entity.read(cx).active_query.clone() {
952 search_view.query_editor.update(cx, |editor, cx| {
953 editor.set_text(old_query.as_str(), window, cx);
954 });
955 search_view.search_options = SearchOptions::from_query(&old_query);
956 search_view.adjust_query_regex_language(cx);
957 }
958 }
959 new_query
960 });
961 if let Some(new_query) = new_query {
962 let entity = cx.new(|cx| {
963 let mut entity = ProjectSearch::new(workspace.project().clone(), cx);
964 entity.search(new_query, cx);
965 entity
966 });
967 let weak_workspace = cx.entity().downgrade();
968 workspace.add_item_to_active_pane(
969 Box::new(cx.new(|cx| {
970 ProjectSearchView::new(weak_workspace, entity, window, cx, None)
971 })),
972 None,
973 true,
974 window,
975 cx,
976 );
977 }
978 }
979 }
980
981 // Add another search tab to the workspace.
982 fn new_search(
983 workspace: &mut Workspace,
984 _: &workspace::NewSearch,
985 window: &mut Window,
986 cx: &mut Context<Workspace>,
987 ) {
988 Self::existing_or_new_search(workspace, None, &DeploySearch::find(), window, cx)
989 }
990
991 fn existing_or_new_search(
992 workspace: &mut Workspace,
993 existing: Option<Entity<ProjectSearchView>>,
994 action: &workspace::DeploySearch,
995 window: &mut Window,
996 cx: &mut Context<Workspace>,
997 ) {
998 let query = workspace.active_item(cx).and_then(|item| {
999 if let Some(buffer_search_query) = buffer_search_query(workspace, item.as_ref(), cx) {
1000 return Some(buffer_search_query);
1001 }
1002
1003 let editor = item.act_as::<Editor>(cx)?;
1004 let query = editor.query_suggestion(window, cx);
1005 if query.is_empty() { None } else { Some(query) }
1006 });
1007
1008 let search = if let Some(existing) = existing {
1009 workspace.activate_item(&existing, true, true, window, cx);
1010 existing
1011 } else {
1012 let settings = cx
1013 .global::<ActiveSettings>()
1014 .0
1015 .get(&workspace.project().downgrade());
1016
1017 let settings = settings.cloned();
1018
1019 let weak_workspace = cx.entity().downgrade();
1020
1021 let project_search = cx.new(|cx| ProjectSearch::new(workspace.project().clone(), cx));
1022 let project_search_view = cx.new(|cx| {
1023 ProjectSearchView::new(weak_workspace, project_search, window, cx, settings)
1024 });
1025
1026 workspace.add_item_to_active_pane(
1027 Box::new(project_search_view.clone()),
1028 None,
1029 true,
1030 window,
1031 cx,
1032 );
1033 project_search_view
1034 };
1035
1036 search.update(cx, |search, cx| {
1037 search.replace_enabled = action.replace_enabled;
1038 if let Some(query) = query {
1039 search.set_query(&query, window, cx);
1040 }
1041 if let Some(included_files) = action.included_files.as_deref() {
1042 search
1043 .included_files_editor
1044 .update(cx, |editor, cx| editor.set_text(included_files, window, cx));
1045 search.filters_enabled = true;
1046 }
1047 if let Some(excluded_files) = action.excluded_files.as_deref() {
1048 search
1049 .excluded_files_editor
1050 .update(cx, |editor, cx| editor.set_text(excluded_files, window, cx));
1051 search.filters_enabled = true;
1052 }
1053 search.focus_query_editor(window, cx)
1054 });
1055 }
1056
1057 fn prompt_to_save_if_dirty_then_search(
1058 &mut self,
1059 window: &mut Window,
1060 cx: &mut Context<Self>,
1061 ) -> Task<anyhow::Result<()>> {
1062 use workspace::AutosaveSetting;
1063
1064 let project = self.entity.read(cx).project.clone();
1065
1066 let can_autosave = self.results_editor.can_autosave(cx);
1067 let autosave_setting = self.results_editor.workspace_settings(cx).autosave;
1068
1069 let will_autosave = can_autosave
1070 && matches!(
1071 autosave_setting,
1072 AutosaveSetting::OnFocusChange | AutosaveSetting::OnWindowChange
1073 );
1074
1075 let is_dirty = self.is_dirty(cx);
1076
1077 cx.spawn_in(window, async move |this, cx| {
1078 let skip_save_on_close = this
1079 .read_with(cx, |this, cx| {
1080 this.workspace.read_with(cx, |workspace, cx| {
1081 workspace::Pane::skip_save_on_close(&this.results_editor, workspace, cx)
1082 })
1083 })?
1084 .unwrap_or(false);
1085
1086 let should_prompt_to_save = !skip_save_on_close && !will_autosave && is_dirty;
1087
1088 let should_search = if should_prompt_to_save {
1089 let options = &["Save", "Don't Save", "Cancel"];
1090 let result_channel = this.update_in(cx, |_, window, cx| {
1091 window.prompt(
1092 gpui::PromptLevel::Warning,
1093 "Project search buffer contains unsaved edits. Do you want to save it?",
1094 None,
1095 options,
1096 cx,
1097 )
1098 })?;
1099 let result = result_channel.await?;
1100 let should_save = result == 0;
1101 if should_save {
1102 this.update_in(cx, |this, window, cx| {
1103 this.save(
1104 SaveOptions {
1105 format: true,
1106 autosave: false,
1107 },
1108 project,
1109 window,
1110 cx,
1111 )
1112 })?
1113 .await
1114 .log_err();
1115 }
1116 let should_search = result != 2;
1117 should_search
1118 } else {
1119 true
1120 };
1121 if should_search {
1122 this.update(cx, |this, cx| {
1123 this.search(cx);
1124 })?;
1125 }
1126 anyhow::Ok(())
1127 })
1128 }
1129
1130 fn search(&mut self, cx: &mut Context<Self>) {
1131 if let Some(query) = self.build_search_query(cx) {
1132 self.entity.update(cx, |model, cx| model.search(query, cx));
1133 }
1134 }
1135
1136 pub fn search_query_text(&self, cx: &App) -> String {
1137 self.query_editor.read(cx).text(cx)
1138 }
1139
1140 fn build_search_query(&mut self, cx: &mut Context<Self>) -> Option<SearchQuery> {
1141 // Do not bail early in this function, as we want to fill out `self.panels_with_errors`.
1142 let text = self.query_editor.read(cx).text(cx);
1143 let open_buffers = if self.included_opened_only {
1144 Some(self.open_buffers(cx))
1145 } else {
1146 None
1147 };
1148 let included_files = self
1149 .filters_enabled
1150 .then(|| {
1151 match Self::parse_path_matches(&self.included_files_editor.read(cx).text(cx)) {
1152 Ok(included_files) => {
1153 let should_unmark_error =
1154 self.panels_with_errors.remove(&InputPanel::Include);
1155 if should_unmark_error.is_some() {
1156 cx.notify();
1157 }
1158 included_files
1159 }
1160 Err(e) => {
1161 let should_mark_error = self
1162 .panels_with_errors
1163 .insert(InputPanel::Include, e.to_string());
1164 if should_mark_error.is_none() {
1165 cx.notify();
1166 }
1167 PathMatcher::default()
1168 }
1169 }
1170 })
1171 .unwrap_or_default();
1172 let excluded_files = self
1173 .filters_enabled
1174 .then(|| {
1175 match Self::parse_path_matches(&self.excluded_files_editor.read(cx).text(cx)) {
1176 Ok(excluded_files) => {
1177 let should_unmark_error =
1178 self.panels_with_errors.remove(&InputPanel::Exclude);
1179 if should_unmark_error.is_some() {
1180 cx.notify();
1181 }
1182
1183 excluded_files
1184 }
1185 Err(e) => {
1186 let should_mark_error = self
1187 .panels_with_errors
1188 .insert(InputPanel::Exclude, e.to_string());
1189 if should_mark_error.is_none() {
1190 cx.notify();
1191 }
1192 PathMatcher::default()
1193 }
1194 }
1195 })
1196 .unwrap_or_default();
1197
1198 // If the project contains multiple visible worktrees, we match the
1199 // include/exclude patterns against full paths to allow them to be
1200 // disambiguated. For single worktree projects we use worktree relative
1201 // paths for convenience.
1202 let match_full_paths = self
1203 .entity
1204 .read(cx)
1205 .project
1206 .read(cx)
1207 .visible_worktrees(cx)
1208 .count()
1209 > 1;
1210
1211 let query = if self.search_options.contains(SearchOptions::REGEX) {
1212 match SearchQuery::regex(
1213 text,
1214 self.search_options.contains(SearchOptions::WHOLE_WORD),
1215 self.search_options.contains(SearchOptions::CASE_SENSITIVE),
1216 self.search_options.contains(SearchOptions::INCLUDE_IGNORED),
1217 self.search_options
1218 .contains(SearchOptions::ONE_MATCH_PER_LINE),
1219 included_files,
1220 excluded_files,
1221 match_full_paths,
1222 open_buffers,
1223 ) {
1224 Ok(query) => {
1225 let should_unmark_error = self.panels_with_errors.remove(&InputPanel::Query);
1226 if should_unmark_error.is_some() {
1227 cx.notify();
1228 }
1229
1230 Some(query)
1231 }
1232 Err(e) => {
1233 let should_mark_error = self
1234 .panels_with_errors
1235 .insert(InputPanel::Query, e.to_string());
1236 if should_mark_error.is_none() {
1237 cx.notify();
1238 }
1239
1240 None
1241 }
1242 }
1243 } else {
1244 match SearchQuery::text(
1245 text,
1246 self.search_options.contains(SearchOptions::WHOLE_WORD),
1247 self.search_options.contains(SearchOptions::CASE_SENSITIVE),
1248 self.search_options.contains(SearchOptions::INCLUDE_IGNORED),
1249 included_files,
1250 excluded_files,
1251 match_full_paths,
1252 open_buffers,
1253 ) {
1254 Ok(query) => {
1255 let should_unmark_error = self.panels_with_errors.remove(&InputPanel::Query);
1256 if should_unmark_error.is_some() {
1257 cx.notify();
1258 }
1259
1260 Some(query)
1261 }
1262 Err(e) => {
1263 let should_mark_error = self
1264 .panels_with_errors
1265 .insert(InputPanel::Query, e.to_string());
1266 if should_mark_error.is_none() {
1267 cx.notify();
1268 }
1269
1270 None
1271 }
1272 }
1273 };
1274 if !self.panels_with_errors.is_empty() {
1275 return None;
1276 }
1277 if query.as_ref().is_some_and(|query| query.is_empty()) {
1278 return None;
1279 }
1280 query
1281 }
1282
1283 fn open_buffers(&self, cx: &mut Context<Self>) -> Vec<Entity<Buffer>> {
1284 let mut buffers = Vec::new();
1285 self.workspace
1286 .update(cx, |workspace, cx| {
1287 for editor in workspace.items_of_type::<Editor>(cx) {
1288 if let Some(buffer) = editor.read(cx).buffer().read(cx).as_singleton() {
1289 buffers.push(buffer);
1290 }
1291 }
1292 })
1293 .ok();
1294 buffers
1295 }
1296
1297 fn parse_path_matches(text: &str) -> anyhow::Result<PathMatcher> {
1298 let queries = text
1299 .split(',')
1300 .map(str::trim)
1301 .filter(|maybe_glob_str| !maybe_glob_str.is_empty())
1302 .map(str::to_owned)
1303 .collect::<Vec<_>>();
1304 Ok(PathMatcher::new(&queries)?)
1305 }
1306
1307 fn select_match(&mut self, direction: Direction, window: &mut Window, cx: &mut Context<Self>) {
1308 if let Some(index) = self.active_match_index {
1309 let match_ranges = self.entity.read(cx).match_ranges.clone();
1310
1311 if !EditorSettings::get_global(cx).search_wrap
1312 && ((direction == Direction::Next && index + 1 >= match_ranges.len())
1313 || (direction == Direction::Prev && index == 0))
1314 {
1315 crate::show_no_more_matches(window, cx);
1316 return;
1317 }
1318
1319 let new_index = self.results_editor.update(cx, |editor, cx| {
1320 editor.match_index_for_direction(&match_ranges, index, direction, 1, window, cx)
1321 });
1322
1323 let range_to_select = match_ranges[new_index].clone();
1324 self.results_editor.update(cx, |editor, cx| {
1325 let range_to_select = editor.range_for_match(&range_to_select);
1326 editor.unfold_ranges(std::slice::from_ref(&range_to_select), false, true, cx);
1327 editor.change_selections(Default::default(), window, cx, |s| {
1328 s.select_ranges([range_to_select])
1329 });
1330 });
1331 }
1332 }
1333
1334 fn focus_query_editor(&mut self, window: &mut Window, cx: &mut Context<Self>) {
1335 self.query_editor.update(cx, |query_editor, cx| {
1336 query_editor.select_all(&SelectAll, window, cx);
1337 });
1338 let editor_handle = self.query_editor.focus_handle(cx);
1339 window.focus(&editor_handle);
1340 }
1341
1342 fn set_query(&mut self, query: &str, window: &mut Window, cx: &mut Context<Self>) {
1343 self.set_search_editor(SearchInputKind::Query, query, window, cx);
1344 if EditorSettings::get_global(cx).use_smartcase_search
1345 && !query.is_empty()
1346 && self.search_options.contains(SearchOptions::CASE_SENSITIVE)
1347 != contains_uppercase(query)
1348 {
1349 self.toggle_search_option(SearchOptions::CASE_SENSITIVE, cx)
1350 }
1351 }
1352
1353 fn set_search_editor(
1354 &mut self,
1355 kind: SearchInputKind,
1356 text: &str,
1357 window: &mut Window,
1358 cx: &mut Context<Self>,
1359 ) {
1360 let editor = match kind {
1361 SearchInputKind::Query => &self.query_editor,
1362 SearchInputKind::Include => &self.included_files_editor,
1363
1364 SearchInputKind::Exclude => &self.excluded_files_editor,
1365 };
1366 editor.update(cx, |included_editor, cx| {
1367 included_editor.set_text(text, window, cx)
1368 });
1369 }
1370
1371 fn focus_results_editor(&mut self, window: &mut Window, cx: &mut Context<Self>) {
1372 self.query_editor.update(cx, |query_editor, cx| {
1373 let cursor = query_editor.selections.newest_anchor().head();
1374 query_editor.change_selections(SelectionEffects::no_scroll(), window, cx, |s| {
1375 s.select_ranges([cursor..cursor])
1376 });
1377 });
1378 let results_handle = self.results_editor.focus_handle(cx);
1379 window.focus(&results_handle);
1380 }
1381
1382 fn entity_changed(&mut self, window: &mut Window, cx: &mut Context<Self>) {
1383 let match_ranges = self.entity.read(cx).match_ranges.clone();
1384 if match_ranges.is_empty() {
1385 self.active_match_index = None;
1386 } else {
1387 self.active_match_index = Some(0);
1388 self.update_match_index(cx);
1389 let prev_search_id = mem::replace(&mut self.search_id, self.entity.read(cx).search_id);
1390 let is_new_search = self.search_id != prev_search_id;
1391 self.results_editor.update(cx, |editor, cx| {
1392 if is_new_search {
1393 let range_to_select = match_ranges
1394 .first()
1395 .map(|range| editor.range_for_match(range));
1396 editor.change_selections(Default::default(), window, cx, |s| {
1397 s.select_ranges(range_to_select)
1398 });
1399 editor.scroll(Point::default(), Some(Axis::Vertical), window, cx);
1400 }
1401 editor.highlight_background::<Self>(
1402 &match_ranges,
1403 |theme| theme.colors().search_match_background,
1404 cx,
1405 );
1406 });
1407 if is_new_search && self.query_editor.focus_handle(cx).is_focused(window) {
1408 self.focus_results_editor(window, cx);
1409 }
1410 }
1411
1412 cx.emit(ViewEvent::UpdateTab);
1413 cx.notify();
1414 }
1415
1416 fn update_match_index(&mut self, cx: &mut Context<Self>) {
1417 let results_editor = self.results_editor.read(cx);
1418 let new_index = active_match_index(
1419 Direction::Next,
1420 &self.entity.read(cx).match_ranges,
1421 &results_editor.selections.newest_anchor().head(),
1422 &results_editor.buffer().read(cx).snapshot(cx),
1423 );
1424 if self.active_match_index != new_index {
1425 self.active_match_index = new_index;
1426 cx.notify();
1427 }
1428 }
1429
1430 pub fn has_matches(&self) -> bool {
1431 self.active_match_index.is_some()
1432 }
1433
1434 fn landing_text_minor(&self, window: &mut Window, cx: &App) -> impl IntoElement {
1435 let focus_handle = self.focus_handle.clone();
1436 v_flex()
1437 .gap_1()
1438 .child(
1439 Label::new("Hit enter to search. For more options:")
1440 .color(Color::Muted)
1441 .mb_2(),
1442 )
1443 .child(
1444 Button::new("filter-paths", "Include/exclude specific paths")
1445 .icon(IconName::Filter)
1446 .icon_position(IconPosition::Start)
1447 .icon_size(IconSize::Small)
1448 .key_binding(KeyBinding::for_action_in(
1449 &ToggleFilters,
1450 &focus_handle,
1451 window,
1452 cx,
1453 ))
1454 .on_click(|_event, window, cx| {
1455 window.dispatch_action(ToggleFilters.boxed_clone(), cx)
1456 }),
1457 )
1458 .child(
1459 Button::new("find-replace", "Find and replace")
1460 .icon(IconName::Replace)
1461 .icon_position(IconPosition::Start)
1462 .icon_size(IconSize::Small)
1463 .key_binding(KeyBinding::for_action_in(
1464 &ToggleReplace,
1465 &focus_handle,
1466 window,
1467 cx,
1468 ))
1469 .on_click(|_event, window, cx| {
1470 window.dispatch_action(ToggleReplace.boxed_clone(), cx)
1471 }),
1472 )
1473 .child(
1474 Button::new("regex", "Match with regex")
1475 .icon(IconName::Regex)
1476 .icon_position(IconPosition::Start)
1477 .icon_size(IconSize::Small)
1478 .key_binding(KeyBinding::for_action_in(
1479 &ToggleRegex,
1480 &focus_handle,
1481 window,
1482 cx,
1483 ))
1484 .on_click(|_event, window, cx| {
1485 window.dispatch_action(ToggleRegex.boxed_clone(), cx)
1486 }),
1487 )
1488 .child(
1489 Button::new("match-case", "Match case")
1490 .icon(IconName::CaseSensitive)
1491 .icon_position(IconPosition::Start)
1492 .icon_size(IconSize::Small)
1493 .key_binding(KeyBinding::for_action_in(
1494 &ToggleCaseSensitive,
1495 &focus_handle,
1496 window,
1497 cx,
1498 ))
1499 .on_click(|_event, window, cx| {
1500 window.dispatch_action(ToggleCaseSensitive.boxed_clone(), cx)
1501 }),
1502 )
1503 .child(
1504 Button::new("match-whole-words", "Match whole words")
1505 .icon(IconName::WholeWord)
1506 .icon_position(IconPosition::Start)
1507 .icon_size(IconSize::Small)
1508 .key_binding(KeyBinding::for_action_in(
1509 &ToggleWholeWord,
1510 &focus_handle,
1511 window,
1512 cx,
1513 ))
1514 .on_click(|_event, window, cx| {
1515 window.dispatch_action(ToggleWholeWord.boxed_clone(), cx)
1516 }),
1517 )
1518 }
1519
1520 fn border_color_for(&self, panel: InputPanel, cx: &App) -> Hsla {
1521 if self.panels_with_errors.contains_key(&panel) {
1522 Color::Error.color(cx)
1523 } else {
1524 cx.theme().colors().border
1525 }
1526 }
1527
1528 fn move_focus_to_results(&mut self, window: &mut Window, cx: &mut Context<Self>) {
1529 if !self.results_editor.focus_handle(cx).is_focused(window)
1530 && !self.entity.read(cx).match_ranges.is_empty()
1531 {
1532 cx.stop_propagation();
1533 self.focus_results_editor(window, cx)
1534 }
1535 }
1536
1537 #[cfg(any(test, feature = "test-support"))]
1538 pub fn results_editor(&self) -> &Entity<Editor> {
1539 &self.results_editor
1540 }
1541
1542 fn adjust_query_regex_language(&self, cx: &mut App) {
1543 let enable = self.search_options.contains(SearchOptions::REGEX);
1544 let query_buffer = self
1545 .query_editor
1546 .read(cx)
1547 .buffer()
1548 .read(cx)
1549 .as_singleton()
1550 .expect("query editor should be backed by a singleton buffer");
1551 if enable {
1552 if let Some(regex_language) = self.regex_language.clone() {
1553 query_buffer.update(cx, |query_buffer, cx| {
1554 query_buffer.set_language(Some(regex_language), cx);
1555 })
1556 }
1557 } else {
1558 query_buffer.update(cx, |query_buffer, cx| {
1559 query_buffer.set_language(None, cx);
1560 })
1561 }
1562 }
1563}
1564
1565fn buffer_search_query(
1566 workspace: &mut Workspace,
1567 item: &dyn ItemHandle,
1568 cx: &mut Context<Workspace>,
1569) -> Option<String> {
1570 let buffer_search_bar = workspace
1571 .pane_for(item)
1572 .and_then(|pane| {
1573 pane.read(cx)
1574 .toolbar()
1575 .read(cx)
1576 .item_of_type::<BufferSearchBar>()
1577 })?
1578 .read(cx);
1579 if buffer_search_bar.query_editor_focused() {
1580 let buffer_search_query = buffer_search_bar.query(cx);
1581 if !buffer_search_query.is_empty() {
1582 return Some(buffer_search_query);
1583 }
1584 }
1585 None
1586}
1587
1588impl Default for ProjectSearchBar {
1589 fn default() -> Self {
1590 Self::new()
1591 }
1592}
1593
1594impl ProjectSearchBar {
1595 pub fn new() -> Self {
1596 Self {
1597 active_project_search: None,
1598 subscription: None,
1599 }
1600 }
1601
1602 fn confirm(&mut self, _: &Confirm, window: &mut Window, cx: &mut Context<Self>) {
1603 if let Some(search_view) = self.active_project_search.as_ref() {
1604 search_view.update(cx, |search_view, cx| {
1605 if !search_view
1606 .replacement_editor
1607 .focus_handle(cx)
1608 .is_focused(window)
1609 {
1610 cx.stop_propagation();
1611 search_view
1612 .prompt_to_save_if_dirty_then_search(window, cx)
1613 .detach_and_log_err(cx);
1614 }
1615 });
1616 }
1617 }
1618
1619 fn tab(&mut self, _: &Tab, window: &mut Window, cx: &mut Context<Self>) {
1620 self.cycle_field(Direction::Next, window, cx);
1621 }
1622
1623 fn backtab(&mut self, _: &Backtab, window: &mut Window, cx: &mut Context<Self>) {
1624 self.cycle_field(Direction::Prev, window, cx);
1625 }
1626
1627 fn focus_search(&mut self, window: &mut Window, cx: &mut Context<Self>) {
1628 if let Some(search_view) = self.active_project_search.as_ref() {
1629 search_view.update(cx, |search_view, cx| {
1630 search_view.query_editor.focus_handle(cx).focus(window);
1631 });
1632 }
1633 }
1634
1635 fn cycle_field(&mut self, direction: Direction, window: &mut Window, cx: &mut Context<Self>) {
1636 let active_project_search = match &self.active_project_search {
1637 Some(active_project_search) => active_project_search,
1638 None => return,
1639 };
1640
1641 active_project_search.update(cx, |project_view, cx| {
1642 let mut views = vec![project_view.query_editor.focus_handle(cx)];
1643 if project_view.replace_enabled {
1644 views.push(project_view.replacement_editor.focus_handle(cx));
1645 }
1646 if project_view.filters_enabled {
1647 views.extend([
1648 project_view.included_files_editor.focus_handle(cx),
1649 project_view.excluded_files_editor.focus_handle(cx),
1650 ]);
1651 }
1652 let current_index = match views.iter().position(|focus| focus.is_focused(window)) {
1653 Some(index) => index,
1654 None => return,
1655 };
1656
1657 let new_index = match direction {
1658 Direction::Next => (current_index + 1) % views.len(),
1659 Direction::Prev if current_index == 0 => views.len() - 1,
1660 Direction::Prev => (current_index - 1) % views.len(),
1661 };
1662 let next_focus_handle = &views[new_index];
1663 window.focus(next_focus_handle);
1664 cx.stop_propagation();
1665 });
1666 }
1667
1668 pub(crate) fn toggle_search_option(
1669 &mut self,
1670 option: SearchOptions,
1671 window: &mut Window,
1672 cx: &mut Context<Self>,
1673 ) -> bool {
1674 if self.active_project_search.is_none() {
1675 return false;
1676 }
1677
1678 cx.spawn_in(window, async move |this, cx| {
1679 let task = this.update_in(cx, |this, window, cx| {
1680 let search_view = this.active_project_search.as_ref()?;
1681 search_view.update(cx, |search_view, cx| {
1682 search_view.toggle_search_option(option, cx);
1683 search_view
1684 .entity
1685 .read(cx)
1686 .active_query
1687 .is_some()
1688 .then(|| search_view.prompt_to_save_if_dirty_then_search(window, cx))
1689 })
1690 })?;
1691 if let Some(task) = task {
1692 task.await?;
1693 }
1694 this.update(cx, |_, cx| {
1695 cx.notify();
1696 })?;
1697 anyhow::Ok(())
1698 })
1699 .detach();
1700 true
1701 }
1702
1703 fn toggle_replace(&mut self, _: &ToggleReplace, window: &mut Window, cx: &mut Context<Self>) {
1704 if let Some(search) = &self.active_project_search {
1705 search.update(cx, |this, cx| {
1706 this.replace_enabled = !this.replace_enabled;
1707 let editor_to_focus = if this.replace_enabled {
1708 this.replacement_editor.focus_handle(cx)
1709 } else {
1710 this.query_editor.focus_handle(cx)
1711 };
1712 window.focus(&editor_to_focus);
1713 cx.notify();
1714 });
1715 }
1716 }
1717
1718 fn toggle_filters(&mut self, window: &mut Window, cx: &mut Context<Self>) -> bool {
1719 if let Some(search_view) = self.active_project_search.as_ref() {
1720 search_view.update(cx, |search_view, cx| {
1721 search_view.toggle_filters(cx);
1722 search_view
1723 .included_files_editor
1724 .update(cx, |_, cx| cx.notify());
1725 search_view
1726 .excluded_files_editor
1727 .update(cx, |_, cx| cx.notify());
1728 window.refresh();
1729 cx.notify();
1730 });
1731 cx.notify();
1732 true
1733 } else {
1734 false
1735 }
1736 }
1737
1738 fn toggle_opened_only(&mut self, window: &mut Window, cx: &mut Context<Self>) -> bool {
1739 if self.active_project_search.is_none() {
1740 return false;
1741 }
1742
1743 cx.spawn_in(window, async move |this, cx| {
1744 let task = this.update_in(cx, |this, window, cx| {
1745 let search_view = this.active_project_search.as_ref()?;
1746 search_view.update(cx, |search_view, cx| {
1747 search_view.toggle_opened_only(window, cx);
1748 search_view
1749 .entity
1750 .read(cx)
1751 .active_query
1752 .is_some()
1753 .then(|| search_view.prompt_to_save_if_dirty_then_search(window, cx))
1754 })
1755 })?;
1756 if let Some(task) = task {
1757 task.await?;
1758 }
1759 this.update(cx, |_, cx| {
1760 cx.notify();
1761 })?;
1762 anyhow::Ok(())
1763 })
1764 .detach();
1765 true
1766 }
1767
1768 fn is_opened_only_enabled(&self, cx: &App) -> bool {
1769 if let Some(search_view) = self.active_project_search.as_ref() {
1770 search_view.read(cx).included_opened_only
1771 } else {
1772 false
1773 }
1774 }
1775
1776 fn move_focus_to_results(&self, window: &mut Window, cx: &mut Context<Self>) {
1777 if let Some(search_view) = self.active_project_search.as_ref() {
1778 search_view.update(cx, |search_view, cx| {
1779 search_view.move_focus_to_results(window, cx);
1780 });
1781 cx.notify();
1782 }
1783 }
1784
1785 fn next_history_query(
1786 &mut self,
1787 _: &NextHistoryQuery,
1788 window: &mut Window,
1789 cx: &mut Context<Self>,
1790 ) {
1791 if let Some(search_view) = self.active_project_search.as_ref() {
1792 search_view.update(cx, |search_view, cx| {
1793 for (editor, kind) in [
1794 (search_view.query_editor.clone(), SearchInputKind::Query),
1795 (
1796 search_view.included_files_editor.clone(),
1797 SearchInputKind::Include,
1798 ),
1799 (
1800 search_view.excluded_files_editor.clone(),
1801 SearchInputKind::Exclude,
1802 ),
1803 ] {
1804 if editor.focus_handle(cx).is_focused(window) {
1805 let new_query = search_view.entity.update(cx, |model, cx| {
1806 let project = model.project.clone();
1807
1808 if let Some(new_query) = project.update(cx, |project, _| {
1809 project
1810 .search_history_mut(kind)
1811 .next(model.cursor_mut(kind))
1812 .map(str::to_string)
1813 }) {
1814 new_query
1815 } else {
1816 model.cursor_mut(kind).reset();
1817 String::new()
1818 }
1819 });
1820 search_view.set_search_editor(kind, &new_query, window, cx);
1821 }
1822 }
1823 });
1824 }
1825 }
1826
1827 fn previous_history_query(
1828 &mut self,
1829 _: &PreviousHistoryQuery,
1830 window: &mut Window,
1831 cx: &mut Context<Self>,
1832 ) {
1833 if let Some(search_view) = self.active_project_search.as_ref() {
1834 search_view.update(cx, |search_view, cx| {
1835 for (editor, kind) in [
1836 (search_view.query_editor.clone(), SearchInputKind::Query),
1837 (
1838 search_view.included_files_editor.clone(),
1839 SearchInputKind::Include,
1840 ),
1841 (
1842 search_view.excluded_files_editor.clone(),
1843 SearchInputKind::Exclude,
1844 ),
1845 ] {
1846 if editor.focus_handle(cx).is_focused(window) {
1847 if editor.read(cx).text(cx).is_empty() {
1848 if let Some(new_query) = search_view
1849 .entity
1850 .read(cx)
1851 .project
1852 .read(cx)
1853 .search_history(kind)
1854 .current(search_view.entity.read(cx).cursor(kind))
1855 .map(str::to_string)
1856 {
1857 search_view.set_search_editor(kind, &new_query, window, cx);
1858 return;
1859 }
1860 }
1861
1862 if let Some(new_query) = search_view.entity.update(cx, |model, cx| {
1863 let project = model.project.clone();
1864 project.update(cx, |project, _| {
1865 project
1866 .search_history_mut(kind)
1867 .previous(model.cursor_mut(kind))
1868 .map(str::to_string)
1869 })
1870 }) {
1871 search_view.set_search_editor(kind, &new_query, window, cx);
1872 }
1873 }
1874 }
1875 });
1876 }
1877 }
1878
1879 fn select_next_match(
1880 &mut self,
1881 _: &SelectNextMatch,
1882 window: &mut Window,
1883 cx: &mut Context<Self>,
1884 ) {
1885 if let Some(search) = self.active_project_search.as_ref() {
1886 search.update(cx, |this, cx| {
1887 this.select_match(Direction::Next, window, cx);
1888 })
1889 }
1890 }
1891
1892 fn select_prev_match(
1893 &mut self,
1894 _: &SelectPreviousMatch,
1895 window: &mut Window,
1896 cx: &mut Context<Self>,
1897 ) {
1898 if let Some(search) = self.active_project_search.as_ref() {
1899 search.update(cx, |this, cx| {
1900 this.select_match(Direction::Prev, window, cx);
1901 })
1902 }
1903 }
1904}
1905
1906impl Render for ProjectSearchBar {
1907 fn render(&mut self, window: &mut Window, cx: &mut Context<Self>) -> impl IntoElement {
1908 let Some(search) = self.active_project_search.clone() else {
1909 return div();
1910 };
1911 let search = search.read(cx);
1912 let focus_handle = search.focus_handle(cx);
1913
1914 let container_width = window.viewport_size().width;
1915 let input_width = SearchInputWidth::calc_width(container_width);
1916
1917 let input_base_styles = |panel: InputPanel| {
1918 input_base_styles(search.border_color_for(panel, cx), |div| match panel {
1919 InputPanel::Query | InputPanel::Replacement => div.w(input_width),
1920 InputPanel::Include | InputPanel::Exclude => div.flex_grow(),
1921 })
1922 };
1923 let theme_colors = cx.theme().colors();
1924 let project_search = search.entity.read(cx);
1925 let limit_reached = project_search.limit_reached;
1926
1927 let color_override = match (
1928 project_search.no_results,
1929 &project_search.active_query,
1930 &project_search.last_search_query_text,
1931 ) {
1932 (Some(true), Some(q), Some(p)) if q.as_str() == p => Some(Color::Error),
1933 _ => None,
1934 };
1935 let match_text = search
1936 .active_match_index
1937 .and_then(|index| {
1938 let index = index + 1;
1939 let match_quantity = project_search.match_ranges.len();
1940 if match_quantity > 0 {
1941 debug_assert!(match_quantity >= index);
1942 if limit_reached {
1943 Some(format!("{index}/{match_quantity}+"))
1944 } else {
1945 Some(format!("{index}/{match_quantity}"))
1946 }
1947 } else {
1948 None
1949 }
1950 })
1951 .unwrap_or_else(|| "0/0".to_string());
1952
1953 let query_column = input_base_styles(InputPanel::Query)
1954 .on_action(cx.listener(|this, action, window, cx| this.confirm(action, window, cx)))
1955 .on_action(cx.listener(|this, action, window, cx| {
1956 this.previous_history_query(action, window, cx)
1957 }))
1958 .on_action(
1959 cx.listener(|this, action, window, cx| this.next_history_query(action, window, cx)),
1960 )
1961 .child(render_text_input(&search.query_editor, color_override, cx))
1962 .child(
1963 h_flex()
1964 .gap_1()
1965 .child(SearchOption::CaseSensitive.as_button(
1966 search.search_options,
1967 SearchSource::Project(cx),
1968 focus_handle.clone(),
1969 ))
1970 .child(SearchOption::WholeWord.as_button(
1971 search.search_options,
1972 SearchSource::Project(cx),
1973 focus_handle.clone(),
1974 ))
1975 .child(SearchOption::Regex.as_button(
1976 search.search_options,
1977 SearchSource::Project(cx),
1978 focus_handle.clone(),
1979 )),
1980 );
1981
1982 let query_focus = search.query_editor.focus_handle(cx);
1983
1984 let matches_column = h_flex()
1985 .pl_2()
1986 .ml_2()
1987 .border_l_1()
1988 .border_color(theme_colors.border_variant)
1989 .child(render_action_button(
1990 "project-search-nav-button",
1991 IconName::ChevronLeft,
1992 search
1993 .active_match_index
1994 .is_none()
1995 .then_some(ActionButtonState::Disabled),
1996 "Select Previous Match",
1997 &SelectPreviousMatch,
1998 query_focus.clone(),
1999 ))
2000 .child(render_action_button(
2001 "project-search-nav-button",
2002 IconName::ChevronRight,
2003 search
2004 .active_match_index
2005 .is_none()
2006 .then_some(ActionButtonState::Disabled),
2007 "Select Next Match",
2008 &SelectNextMatch,
2009 query_focus,
2010 ))
2011 .child(
2012 div()
2013 .id("matches")
2014 .ml_2()
2015 .min_w(rems_from_px(40.))
2016 .child(Label::new(match_text).size(LabelSize::Small).color(
2017 if search.active_match_index.is_some() {
2018 Color::Default
2019 } else {
2020 Color::Disabled
2021 },
2022 ))
2023 .when(limit_reached, |el| {
2024 el.tooltip(Tooltip::text(
2025 "Search limits reached.\nTry narrowing your search.",
2026 ))
2027 }),
2028 );
2029
2030 let mode_column = h_flex()
2031 .gap_1()
2032 .min_w_64()
2033 .child(
2034 IconButton::new("project-search-filter-button", IconName::Filter)
2035 .shape(IconButtonShape::Square)
2036 .tooltip(|window, cx| {
2037 Tooltip::for_action("Toggle Filters", &ToggleFilters, window, cx)
2038 })
2039 .on_click(cx.listener(|this, _, window, cx| {
2040 this.toggle_filters(window, cx);
2041 }))
2042 .toggle_state(
2043 self.active_project_search
2044 .as_ref()
2045 .map(|search| search.read(cx).filters_enabled)
2046 .unwrap_or_default(),
2047 )
2048 .tooltip({
2049 let focus_handle = focus_handle.clone();
2050 move |window, cx| {
2051 Tooltip::for_action_in(
2052 "Toggle Filters",
2053 &ToggleFilters,
2054 &focus_handle,
2055 window,
2056 cx,
2057 )
2058 }
2059 }),
2060 )
2061 .child(render_action_button(
2062 "project-search",
2063 IconName::Replace,
2064 self.active_project_search
2065 .as_ref()
2066 .map(|search| search.read(cx).replace_enabled)
2067 .and_then(|enabled| enabled.then_some(ActionButtonState::Toggled)),
2068 "Toggle Replace",
2069 &ToggleReplace,
2070 focus_handle.clone(),
2071 ))
2072 .child(matches_column);
2073
2074 let search_line = h_flex()
2075 .w_full()
2076 .gap_2()
2077 .child(query_column)
2078 .child(mode_column);
2079
2080 let replace_line = search.replace_enabled.then(|| {
2081 let replace_column = input_base_styles(InputPanel::Replacement)
2082 .child(render_text_input(&search.replacement_editor, None, cx));
2083
2084 let focus_handle = search.replacement_editor.read(cx).focus_handle(cx);
2085
2086 let replace_actions = h_flex()
2087 .min_w_64()
2088 .gap_1()
2089 .child(render_action_button(
2090 "project-search-replace-button",
2091 IconName::ReplaceNext,
2092 Default::default(),
2093 "Replace Next Match",
2094 &ReplaceNext,
2095 focus_handle.clone(),
2096 ))
2097 .child(render_action_button(
2098 "project-search-replace-button",
2099 IconName::ReplaceAll,
2100 Default::default(),
2101 "Replace All Matches",
2102 &ReplaceAll,
2103 focus_handle,
2104 ));
2105
2106 h_flex()
2107 .w_full()
2108 .gap_2()
2109 .child(replace_column)
2110 .child(replace_actions)
2111 });
2112
2113 let filter_line = search.filters_enabled.then(|| {
2114 let include = input_base_styles(InputPanel::Include)
2115 .on_action(cx.listener(|this, action, window, cx| {
2116 this.previous_history_query(action, window, cx)
2117 }))
2118 .on_action(cx.listener(|this, action, window, cx| {
2119 this.next_history_query(action, window, cx)
2120 }))
2121 .child(render_text_input(&search.included_files_editor, None, cx));
2122 let exclude = input_base_styles(InputPanel::Exclude)
2123 .on_action(cx.listener(|this, action, window, cx| {
2124 this.previous_history_query(action, window, cx)
2125 }))
2126 .on_action(cx.listener(|this, action, window, cx| {
2127 this.next_history_query(action, window, cx)
2128 }))
2129 .child(render_text_input(&search.excluded_files_editor, None, cx));
2130 let mode_column = h_flex()
2131 .gap_1()
2132 .min_w_64()
2133 .child(
2134 IconButton::new("project-search-opened-only", IconName::FolderSearch)
2135 .shape(IconButtonShape::Square)
2136 .toggle_state(self.is_opened_only_enabled(cx))
2137 .tooltip(Tooltip::text("Only Search Open Files"))
2138 .on_click(cx.listener(|this, _, window, cx| {
2139 this.toggle_opened_only(window, cx);
2140 })),
2141 )
2142 .child(SearchOption::IncludeIgnored.as_button(
2143 search.search_options,
2144 SearchSource::Project(cx),
2145 focus_handle.clone(),
2146 ));
2147 h_flex()
2148 .w_full()
2149 .gap_2()
2150 .child(
2151 h_flex()
2152 .gap_2()
2153 .w(input_width)
2154 .child(include)
2155 .child(exclude),
2156 )
2157 .child(mode_column)
2158 });
2159
2160 let mut key_context = KeyContext::default();
2161 key_context.add("ProjectSearchBar");
2162 if search
2163 .replacement_editor
2164 .focus_handle(cx)
2165 .is_focused(window)
2166 {
2167 key_context.add("in_replace");
2168 }
2169
2170 let query_error_line = search
2171 .panels_with_errors
2172 .get(&InputPanel::Query)
2173 .map(|error| {
2174 Label::new(error)
2175 .size(LabelSize::Small)
2176 .color(Color::Error)
2177 .mt_neg_1()
2178 .ml_2()
2179 });
2180
2181 let filter_error_line = search
2182 .panels_with_errors
2183 .get(&InputPanel::Include)
2184 .or_else(|| search.panels_with_errors.get(&InputPanel::Exclude))
2185 .map(|error| {
2186 Label::new(error)
2187 .size(LabelSize::Small)
2188 .color(Color::Error)
2189 .mt_neg_1()
2190 .ml_2()
2191 });
2192
2193 v_flex()
2194 .gap_2()
2195 .py(px(1.0))
2196 .w_full()
2197 .key_context(key_context)
2198 .on_action(cx.listener(|this, _: &ToggleFocus, window, cx| {
2199 this.move_focus_to_results(window, cx)
2200 }))
2201 .on_action(cx.listener(|this, _: &ToggleFilters, window, cx| {
2202 this.toggle_filters(window, cx);
2203 }))
2204 .capture_action(cx.listener(Self::tab))
2205 .capture_action(cx.listener(Self::backtab))
2206 .on_action(cx.listener(|this, action, window, cx| this.confirm(action, window, cx)))
2207 .on_action(cx.listener(|this, action, window, cx| {
2208 this.toggle_replace(action, window, cx);
2209 }))
2210 .on_action(cx.listener(|this, _: &ToggleWholeWord, window, cx| {
2211 this.toggle_search_option(SearchOptions::WHOLE_WORD, window, cx);
2212 }))
2213 .on_action(cx.listener(|this, _: &ToggleCaseSensitive, window, cx| {
2214 this.toggle_search_option(SearchOptions::CASE_SENSITIVE, window, cx);
2215 }))
2216 .on_action(cx.listener(|this, action, window, cx| {
2217 if let Some(search) = this.active_project_search.as_ref() {
2218 search.update(cx, |this, cx| {
2219 this.replace_next(action, window, cx);
2220 })
2221 }
2222 }))
2223 .on_action(cx.listener(|this, action, window, cx| {
2224 if let Some(search) = this.active_project_search.as_ref() {
2225 search.update(cx, |this, cx| {
2226 this.replace_all(action, window, cx);
2227 })
2228 }
2229 }))
2230 .when(search.filters_enabled, |this| {
2231 this.on_action(cx.listener(|this, _: &ToggleIncludeIgnored, window, cx| {
2232 this.toggle_search_option(SearchOptions::INCLUDE_IGNORED, window, cx);
2233 }))
2234 })
2235 .on_action(cx.listener(Self::select_next_match))
2236 .on_action(cx.listener(Self::select_prev_match))
2237 .child(search_line)
2238 .children(query_error_line)
2239 .children(replace_line)
2240 .children(filter_line)
2241 .children(filter_error_line)
2242 }
2243}
2244
2245impl EventEmitter<ToolbarItemEvent> for ProjectSearchBar {}
2246
2247impl ToolbarItemView for ProjectSearchBar {
2248 fn set_active_pane_item(
2249 &mut self,
2250 active_pane_item: Option<&dyn ItemHandle>,
2251 _: &mut Window,
2252 cx: &mut Context<Self>,
2253 ) -> ToolbarItemLocation {
2254 cx.notify();
2255 self.subscription = None;
2256 self.active_project_search = None;
2257 if let Some(search) = active_pane_item.and_then(|i| i.downcast::<ProjectSearchView>()) {
2258 self.subscription = Some(cx.observe(&search, |_, _, cx| cx.notify()));
2259 self.active_project_search = Some(search);
2260 ToolbarItemLocation::PrimaryLeft {}
2261 } else {
2262 ToolbarItemLocation::Hidden
2263 }
2264 }
2265}
2266
2267fn register_workspace_action<A: Action>(
2268 workspace: &mut Workspace,
2269 callback: fn(&mut ProjectSearchBar, &A, &mut Window, &mut Context<ProjectSearchBar>),
2270) {
2271 workspace.register_action(move |workspace, action: &A, window, cx| {
2272 if workspace.has_active_modal(window, cx) {
2273 cx.propagate();
2274 return;
2275 }
2276
2277 workspace.active_pane().update(cx, |pane, cx| {
2278 pane.toolbar().update(cx, move |workspace, cx| {
2279 if let Some(search_bar) = workspace.item_of_type::<ProjectSearchBar>() {
2280 search_bar.update(cx, move |search_bar, cx| {
2281 if search_bar.active_project_search.is_some() {
2282 callback(search_bar, action, window, cx);
2283 cx.notify();
2284 } else {
2285 cx.propagate();
2286 }
2287 });
2288 }
2289 });
2290 })
2291 });
2292}
2293
2294fn register_workspace_action_for_present_search<A: Action>(
2295 workspace: &mut Workspace,
2296 callback: fn(&mut Workspace, &A, &mut Window, &mut Context<Workspace>),
2297) {
2298 workspace.register_action(move |workspace, action: &A, window, cx| {
2299 if workspace.has_active_modal(window, cx) {
2300 cx.propagate();
2301 return;
2302 }
2303
2304 let should_notify = workspace
2305 .active_pane()
2306 .read(cx)
2307 .toolbar()
2308 .read(cx)
2309 .item_of_type::<ProjectSearchBar>()
2310 .map(|search_bar| search_bar.read(cx).active_project_search.is_some())
2311 .unwrap_or(false);
2312 if should_notify {
2313 callback(workspace, action, window, cx);
2314 cx.notify();
2315 } else {
2316 cx.propagate();
2317 }
2318 });
2319}
2320
2321#[cfg(any(test, feature = "test-support"))]
2322pub fn perform_project_search(
2323 search_view: &Entity<ProjectSearchView>,
2324 text: impl Into<std::sync::Arc<str>>,
2325 cx: &mut gpui::VisualTestContext,
2326) {
2327 cx.run_until_parked();
2328 search_view.update_in(cx, |search_view, window, cx| {
2329 search_view.query_editor.update(cx, |query_editor, cx| {
2330 query_editor.set_text(text, window, cx)
2331 });
2332 search_view.search(cx);
2333 });
2334 cx.run_until_parked();
2335}
2336
2337#[cfg(test)]
2338pub mod tests {
2339 use std::{ops::Deref as _, sync::Arc};
2340
2341 use super::*;
2342 use editor::{DisplayPoint, display_map::DisplayRow};
2343 use gpui::{Action, TestAppContext, VisualTestContext, WindowHandle};
2344 use project::FakeFs;
2345 use serde_json::json;
2346 use settings::SettingsStore;
2347 use util::path;
2348 use workspace::DeploySearch;
2349
2350 #[gpui::test]
2351 async fn test_project_search(cx: &mut TestAppContext) {
2352 init_test(cx);
2353
2354 let fs = FakeFs::new(cx.background_executor.clone());
2355 fs.insert_tree(
2356 path!("/dir"),
2357 json!({
2358 "one.rs": "const ONE: usize = 1;",
2359 "two.rs": "const TWO: usize = one::ONE + one::ONE;",
2360 "three.rs": "const THREE: usize = one::ONE + two::TWO;",
2361 "four.rs": "const FOUR: usize = one::ONE + three::THREE;",
2362 }),
2363 )
2364 .await;
2365 let project = Project::test(fs.clone(), [path!("/dir").as_ref()], cx).await;
2366 let window = cx.add_window(|window, cx| Workspace::test_new(project.clone(), window, cx));
2367 let workspace = window.root(cx).unwrap();
2368 let search = cx.new(|cx| ProjectSearch::new(project.clone(), cx));
2369 let search_view = cx.add_window(|window, cx| {
2370 ProjectSearchView::new(workspace.downgrade(), search.clone(), window, cx, None)
2371 });
2372
2373 perform_search(search_view, "TWO", cx);
2374 search_view.update(cx, |search_view, window, cx| {
2375 assert_eq!(
2376 search_view
2377 .results_editor
2378 .update(cx, |editor, cx| editor.display_text(cx)),
2379 "\n\nconst THREE: usize = one::ONE + two::TWO;\n\n\nconst TWO: usize = one::ONE + one::ONE;"
2380 );
2381 let match_background_color = cx.theme().colors().search_match_background;
2382 assert_eq!(
2383 search_view
2384 .results_editor
2385 .update(cx, |editor, cx| editor.all_text_background_highlights(window, cx)),
2386 &[
2387 (
2388 DisplayPoint::new(DisplayRow(2), 32)..DisplayPoint::new(DisplayRow(2), 35),
2389 match_background_color
2390 ),
2391 (
2392 DisplayPoint::new(DisplayRow(2), 37)..DisplayPoint::new(DisplayRow(2), 40),
2393 match_background_color
2394 ),
2395 (
2396 DisplayPoint::new(DisplayRow(5), 6)..DisplayPoint::new(DisplayRow(5), 9),
2397 match_background_color
2398 )
2399 ]
2400 );
2401 assert_eq!(search_view.active_match_index, Some(0));
2402 assert_eq!(
2403 search_view
2404 .results_editor
2405 .update(cx, |editor, cx| editor.selections.display_ranges(cx)),
2406 [DisplayPoint::new(DisplayRow(2), 32)..DisplayPoint::new(DisplayRow(2), 35)]
2407 );
2408
2409 search_view.select_match(Direction::Next, window, cx);
2410 }).unwrap();
2411
2412 search_view
2413 .update(cx, |search_view, window, cx| {
2414 assert_eq!(search_view.active_match_index, Some(1));
2415 assert_eq!(
2416 search_view
2417 .results_editor
2418 .update(cx, |editor, cx| editor.selections.display_ranges(cx)),
2419 [DisplayPoint::new(DisplayRow(2), 37)..DisplayPoint::new(DisplayRow(2), 40)]
2420 );
2421 search_view.select_match(Direction::Next, window, cx);
2422 })
2423 .unwrap();
2424
2425 search_view
2426 .update(cx, |search_view, window, cx| {
2427 assert_eq!(search_view.active_match_index, Some(2));
2428 assert_eq!(
2429 search_view
2430 .results_editor
2431 .update(cx, |editor, cx| editor.selections.display_ranges(cx)),
2432 [DisplayPoint::new(DisplayRow(5), 6)..DisplayPoint::new(DisplayRow(5), 9)]
2433 );
2434 search_view.select_match(Direction::Next, window, cx);
2435 })
2436 .unwrap();
2437
2438 search_view
2439 .update(cx, |search_view, window, cx| {
2440 assert_eq!(search_view.active_match_index, Some(0));
2441 assert_eq!(
2442 search_view
2443 .results_editor
2444 .update(cx, |editor, cx| editor.selections.display_ranges(cx)),
2445 [DisplayPoint::new(DisplayRow(2), 32)..DisplayPoint::new(DisplayRow(2), 35)]
2446 );
2447 search_view.select_match(Direction::Prev, window, cx);
2448 })
2449 .unwrap();
2450
2451 search_view
2452 .update(cx, |search_view, window, cx| {
2453 assert_eq!(search_view.active_match_index, Some(2));
2454 assert_eq!(
2455 search_view
2456 .results_editor
2457 .update(cx, |editor, cx| editor.selections.display_ranges(cx)),
2458 [DisplayPoint::new(DisplayRow(5), 6)..DisplayPoint::new(DisplayRow(5), 9)]
2459 );
2460 search_view.select_match(Direction::Prev, window, cx);
2461 })
2462 .unwrap();
2463
2464 search_view
2465 .update(cx, |search_view, _, cx| {
2466 assert_eq!(search_view.active_match_index, Some(1));
2467 assert_eq!(
2468 search_view
2469 .results_editor
2470 .update(cx, |editor, cx| editor.selections.display_ranges(cx)),
2471 [DisplayPoint::new(DisplayRow(2), 37)..DisplayPoint::new(DisplayRow(2), 40)]
2472 );
2473 })
2474 .unwrap();
2475 }
2476
2477 #[gpui::test]
2478 async fn test_deploy_project_search_focus(cx: &mut TestAppContext) {
2479 init_test(cx);
2480
2481 let fs = FakeFs::new(cx.background_executor.clone());
2482 fs.insert_tree(
2483 "/dir",
2484 json!({
2485 "one.rs": "const ONE: usize = 1;",
2486 "two.rs": "const TWO: usize = one::ONE + one::ONE;",
2487 "three.rs": "const THREE: usize = one::ONE + two::TWO;",
2488 "four.rs": "const FOUR: usize = one::ONE + three::THREE;",
2489 }),
2490 )
2491 .await;
2492 let project = Project::test(fs.clone(), ["/dir".as_ref()], cx).await;
2493 let window = cx.add_window(|window, cx| Workspace::test_new(project, window, cx));
2494 let workspace = window;
2495 let search_bar = window.build_entity(cx, |_, _| ProjectSearchBar::new());
2496
2497 let active_item = cx.read(|cx| {
2498 workspace
2499 .read(cx)
2500 .unwrap()
2501 .active_pane()
2502 .read(cx)
2503 .active_item()
2504 .and_then(|item| item.downcast::<ProjectSearchView>())
2505 });
2506 assert!(
2507 active_item.is_none(),
2508 "Expected no search panel to be active"
2509 );
2510
2511 window
2512 .update(cx, move |workspace, window, cx| {
2513 assert_eq!(workspace.panes().len(), 1);
2514 workspace.panes()[0].update(cx, |pane, cx| {
2515 pane.toolbar()
2516 .update(cx, |toolbar, cx| toolbar.add_item(search_bar, window, cx))
2517 });
2518
2519 ProjectSearchView::deploy_search(
2520 workspace,
2521 &workspace::DeploySearch::find(),
2522 window,
2523 cx,
2524 )
2525 })
2526 .unwrap();
2527
2528 let Some(search_view) = cx.read(|cx| {
2529 workspace
2530 .read(cx)
2531 .unwrap()
2532 .active_pane()
2533 .read(cx)
2534 .active_item()
2535 .and_then(|item| item.downcast::<ProjectSearchView>())
2536 }) else {
2537 panic!("Search view expected to appear after new search event trigger")
2538 };
2539
2540 cx.spawn(|mut cx| async move {
2541 window
2542 .update(&mut cx, |_, window, cx| {
2543 window.dispatch_action(ToggleFocus.boxed_clone(), cx)
2544 })
2545 .unwrap();
2546 })
2547 .detach();
2548 cx.background_executor.run_until_parked();
2549 window
2550 .update(cx, |_, window, cx| {
2551 search_view.update(cx, |search_view, cx| {
2552 assert!(
2553 search_view.query_editor.focus_handle(cx).is_focused(window),
2554 "Empty search view should be focused after the toggle focus event: no results panel to focus on",
2555 );
2556 });
2557 }).unwrap();
2558
2559 window
2560 .update(cx, |_, window, cx| {
2561 search_view.update(cx, |search_view, cx| {
2562 let query_editor = &search_view.query_editor;
2563 assert!(
2564 query_editor.focus_handle(cx).is_focused(window),
2565 "Search view should be focused after the new search view is activated",
2566 );
2567 let query_text = query_editor.read(cx).text(cx);
2568 assert!(
2569 query_text.is_empty(),
2570 "New search query should be empty but got '{query_text}'",
2571 );
2572 let results_text = search_view
2573 .results_editor
2574 .update(cx, |editor, cx| editor.display_text(cx));
2575 assert!(
2576 results_text.is_empty(),
2577 "Empty search view should have no results but got '{results_text}'"
2578 );
2579 });
2580 })
2581 .unwrap();
2582
2583 window
2584 .update(cx, |_, window, cx| {
2585 search_view.update(cx, |search_view, cx| {
2586 search_view.query_editor.update(cx, |query_editor, cx| {
2587 query_editor.set_text("sOMETHINGtHATsURELYdOESnOTeXIST", window, cx)
2588 });
2589 search_view.search(cx);
2590 });
2591 })
2592 .unwrap();
2593 cx.background_executor.run_until_parked();
2594 window
2595 .update(cx, |_, window, cx| {
2596 search_view.update(cx, |search_view, cx| {
2597 let results_text = search_view
2598 .results_editor
2599 .update(cx, |editor, cx| editor.display_text(cx));
2600 assert!(
2601 results_text.is_empty(),
2602 "Search view for mismatching query should have no results but got '{results_text}'"
2603 );
2604 assert!(
2605 search_view.query_editor.focus_handle(cx).is_focused(window),
2606 "Search view should be focused after mismatching query had been used in search",
2607 );
2608 });
2609 }).unwrap();
2610
2611 cx.spawn(|mut cx| async move {
2612 window.update(&mut cx, |_, window, cx| {
2613 window.dispatch_action(ToggleFocus.boxed_clone(), cx)
2614 })
2615 })
2616 .detach();
2617 cx.background_executor.run_until_parked();
2618 window.update(cx, |_, window, cx| {
2619 search_view.update(cx, |search_view, cx| {
2620 assert!(
2621 search_view.query_editor.focus_handle(cx).is_focused(window),
2622 "Search view with mismatching query should be focused after the toggle focus event: still no results panel to focus on",
2623 );
2624 });
2625 }).unwrap();
2626
2627 window
2628 .update(cx, |_, window, cx| {
2629 search_view.update(cx, |search_view, cx| {
2630 search_view.query_editor.update(cx, |query_editor, cx| {
2631 query_editor.set_text("TWO", window, cx)
2632 });
2633 search_view.search(cx);
2634 });
2635 })
2636 .unwrap();
2637 cx.background_executor.run_until_parked();
2638 window.update(cx, |_, window, cx| {
2639 search_view.update(cx, |search_view, cx| {
2640 assert_eq!(
2641 search_view
2642 .results_editor
2643 .update(cx, |editor, cx| editor.display_text(cx)),
2644 "\n\nconst THREE: usize = one::ONE + two::TWO;\n\n\nconst TWO: usize = one::ONE + one::ONE;",
2645 "Search view results should match the query"
2646 );
2647 assert!(
2648 search_view.results_editor.focus_handle(cx).is_focused(window),
2649 "Search view with mismatching query should be focused after search results are available",
2650 );
2651 });
2652 }).unwrap();
2653 cx.spawn(|mut cx| async move {
2654 window
2655 .update(&mut cx, |_, window, cx| {
2656 window.dispatch_action(ToggleFocus.boxed_clone(), cx)
2657 })
2658 .unwrap();
2659 })
2660 .detach();
2661 cx.background_executor.run_until_parked();
2662 window.update(cx, |_, window, cx| {
2663 search_view.update(cx, |search_view, cx| {
2664 assert!(
2665 search_view.results_editor.focus_handle(cx).is_focused(window),
2666 "Search view with matching query should still have its results editor focused after the toggle focus event",
2667 );
2668 });
2669 }).unwrap();
2670
2671 workspace
2672 .update(cx, |workspace, window, cx| {
2673 ProjectSearchView::deploy_search(
2674 workspace,
2675 &workspace::DeploySearch::find(),
2676 window,
2677 cx,
2678 )
2679 })
2680 .unwrap();
2681 window.update(cx, |_, window, cx| {
2682 search_view.update(cx, |search_view, cx| {
2683 assert_eq!(search_view.query_editor.read(cx).text(cx), "two", "Query should be updated to first search result after search view 2nd open in a row");
2684 assert_eq!(
2685 search_view
2686 .results_editor
2687 .update(cx, |editor, cx| editor.display_text(cx)),
2688 "\n\nconst THREE: usize = one::ONE + two::TWO;\n\n\nconst TWO: usize = one::ONE + one::ONE;",
2689 "Results should be unchanged after search view 2nd open in a row"
2690 );
2691 assert!(
2692 search_view.query_editor.focus_handle(cx).is_focused(window),
2693 "Focus should be moved into query editor again after search view 2nd open in a row"
2694 );
2695 });
2696 }).unwrap();
2697
2698 cx.spawn(|mut cx| async move {
2699 window
2700 .update(&mut cx, |_, window, cx| {
2701 window.dispatch_action(ToggleFocus.boxed_clone(), cx)
2702 })
2703 .unwrap();
2704 })
2705 .detach();
2706 cx.background_executor.run_until_parked();
2707 window.update(cx, |_, window, cx| {
2708 search_view.update(cx, |search_view, cx| {
2709 assert!(
2710 search_view.results_editor.focus_handle(cx).is_focused(window),
2711 "Search view with matching query should switch focus to the results editor after the toggle focus event",
2712 );
2713 });
2714 }).unwrap();
2715 }
2716
2717 #[gpui::test]
2718 async fn test_filters_consider_toggle_state(cx: &mut TestAppContext) {
2719 init_test(cx);
2720
2721 let fs = FakeFs::new(cx.background_executor.clone());
2722 fs.insert_tree(
2723 "/dir",
2724 json!({
2725 "one.rs": "const ONE: usize = 1;",
2726 "two.rs": "const TWO: usize = one::ONE + one::ONE;",
2727 "three.rs": "const THREE: usize = one::ONE + two::TWO;",
2728 "four.rs": "const FOUR: usize = one::ONE + three::THREE;",
2729 }),
2730 )
2731 .await;
2732 let project = Project::test(fs.clone(), ["/dir".as_ref()], cx).await;
2733 let window = cx.add_window(|window, cx| Workspace::test_new(project, window, cx));
2734 let workspace = window;
2735 let search_bar = window.build_entity(cx, |_, _| ProjectSearchBar::new());
2736
2737 window
2738 .update(cx, move |workspace, window, cx| {
2739 workspace.panes()[0].update(cx, |pane, cx| {
2740 pane.toolbar()
2741 .update(cx, |toolbar, cx| toolbar.add_item(search_bar, window, cx))
2742 });
2743
2744 ProjectSearchView::deploy_search(
2745 workspace,
2746 &workspace::DeploySearch::find(),
2747 window,
2748 cx,
2749 )
2750 })
2751 .unwrap();
2752
2753 let Some(search_view) = cx.read(|cx| {
2754 workspace
2755 .read(cx)
2756 .unwrap()
2757 .active_pane()
2758 .read(cx)
2759 .active_item()
2760 .and_then(|item| item.downcast::<ProjectSearchView>())
2761 }) else {
2762 panic!("Search view expected to appear after new search event trigger")
2763 };
2764
2765 cx.spawn(|mut cx| async move {
2766 window
2767 .update(&mut cx, |_, window, cx| {
2768 window.dispatch_action(ToggleFocus.boxed_clone(), cx)
2769 })
2770 .unwrap();
2771 })
2772 .detach();
2773 cx.background_executor.run_until_parked();
2774
2775 window
2776 .update(cx, |_, window, cx| {
2777 search_view.update(cx, |search_view, cx| {
2778 search_view.query_editor.update(cx, |query_editor, cx| {
2779 query_editor.set_text("const FOUR", window, cx)
2780 });
2781 search_view.toggle_filters(cx);
2782 search_view
2783 .excluded_files_editor
2784 .update(cx, |exclude_editor, cx| {
2785 exclude_editor.set_text("four.rs", window, cx)
2786 });
2787 search_view.search(cx);
2788 });
2789 })
2790 .unwrap();
2791 cx.background_executor.run_until_parked();
2792 window
2793 .update(cx, |_, _, cx| {
2794 search_view.update(cx, |search_view, cx| {
2795 let results_text = search_view
2796 .results_editor
2797 .update(cx, |editor, cx| editor.display_text(cx));
2798 assert!(
2799 results_text.is_empty(),
2800 "Search view for query with the only match in an excluded file should have no results but got '{results_text}'"
2801 );
2802 });
2803 }).unwrap();
2804
2805 cx.spawn(|mut cx| async move {
2806 window.update(&mut cx, |_, window, cx| {
2807 window.dispatch_action(ToggleFocus.boxed_clone(), cx)
2808 })
2809 })
2810 .detach();
2811 cx.background_executor.run_until_parked();
2812
2813 window
2814 .update(cx, |_, _, cx| {
2815 search_view.update(cx, |search_view, cx| {
2816 search_view.toggle_filters(cx);
2817 search_view.search(cx);
2818 });
2819 })
2820 .unwrap();
2821 cx.background_executor.run_until_parked();
2822 window
2823 .update(cx, |_, _, cx| {
2824 search_view.update(cx, |search_view, cx| {
2825 assert_eq!(
2826 search_view
2827 .results_editor
2828 .update(cx, |editor, cx| editor.display_text(cx)),
2829 "\n\nconst FOUR: usize = one::ONE + three::THREE;",
2830 "Search view results should contain the queried result in the previously excluded file with filters toggled off"
2831 );
2832 });
2833 })
2834 .unwrap();
2835 }
2836
2837 #[gpui::test]
2838 async fn test_new_project_search_focus(cx: &mut TestAppContext) {
2839 init_test(cx);
2840
2841 let fs = FakeFs::new(cx.background_executor.clone());
2842 fs.insert_tree(
2843 path!("/dir"),
2844 json!({
2845 "one.rs": "const ONE: usize = 1;",
2846 "two.rs": "const TWO: usize = one::ONE + one::ONE;",
2847 "three.rs": "const THREE: usize = one::ONE + two::TWO;",
2848 "four.rs": "const FOUR: usize = one::ONE + three::THREE;",
2849 }),
2850 )
2851 .await;
2852 let project = Project::test(fs.clone(), [path!("/dir").as_ref()], cx).await;
2853 let window = cx.add_window(|window, cx| Workspace::test_new(project, window, cx));
2854 let workspace = window;
2855 let search_bar = window.build_entity(cx, |_, _| ProjectSearchBar::new());
2856
2857 let active_item = cx.read(|cx| {
2858 workspace
2859 .read(cx)
2860 .unwrap()
2861 .active_pane()
2862 .read(cx)
2863 .active_item()
2864 .and_then(|item| item.downcast::<ProjectSearchView>())
2865 });
2866 assert!(
2867 active_item.is_none(),
2868 "Expected no search panel to be active"
2869 );
2870
2871 window
2872 .update(cx, move |workspace, window, cx| {
2873 assert_eq!(workspace.panes().len(), 1);
2874 workspace.panes()[0].update(cx, |pane, cx| {
2875 pane.toolbar()
2876 .update(cx, |toolbar, cx| toolbar.add_item(search_bar, window, cx))
2877 });
2878
2879 ProjectSearchView::new_search(workspace, &workspace::NewSearch, window, cx)
2880 })
2881 .unwrap();
2882
2883 let Some(search_view) = cx.read(|cx| {
2884 workspace
2885 .read(cx)
2886 .unwrap()
2887 .active_pane()
2888 .read(cx)
2889 .active_item()
2890 .and_then(|item| item.downcast::<ProjectSearchView>())
2891 }) else {
2892 panic!("Search view expected to appear after new search event trigger")
2893 };
2894
2895 cx.spawn(|mut cx| async move {
2896 window
2897 .update(&mut cx, |_, window, cx| {
2898 window.dispatch_action(ToggleFocus.boxed_clone(), cx)
2899 })
2900 .unwrap();
2901 })
2902 .detach();
2903 cx.background_executor.run_until_parked();
2904
2905 window.update(cx, |_, window, cx| {
2906 search_view.update(cx, |search_view, cx| {
2907 assert!(
2908 search_view.query_editor.focus_handle(cx).is_focused(window),
2909 "Empty search view should be focused after the toggle focus event: no results panel to focus on",
2910 );
2911 });
2912 }).unwrap();
2913
2914 window
2915 .update(cx, |_, window, cx| {
2916 search_view.update(cx, |search_view, cx| {
2917 let query_editor = &search_view.query_editor;
2918 assert!(
2919 query_editor.focus_handle(cx).is_focused(window),
2920 "Search view should be focused after the new search view is activated",
2921 );
2922 let query_text = query_editor.read(cx).text(cx);
2923 assert!(
2924 query_text.is_empty(),
2925 "New search query should be empty but got '{query_text}'",
2926 );
2927 let results_text = search_view
2928 .results_editor
2929 .update(cx, |editor, cx| editor.display_text(cx));
2930 assert!(
2931 results_text.is_empty(),
2932 "Empty search view should have no results but got '{results_text}'"
2933 );
2934 });
2935 })
2936 .unwrap();
2937
2938 window
2939 .update(cx, |_, window, cx| {
2940 search_view.update(cx, |search_view, cx| {
2941 search_view.query_editor.update(cx, |query_editor, cx| {
2942 query_editor.set_text("sOMETHINGtHATsURELYdOESnOTeXIST", window, cx)
2943 });
2944 search_view.search(cx);
2945 });
2946 })
2947 .unwrap();
2948
2949 cx.background_executor.run_until_parked();
2950 window
2951 .update(cx, |_, window, cx| {
2952 search_view.update(cx, |search_view, cx| {
2953 let results_text = search_view
2954 .results_editor
2955 .update(cx, |editor, cx| editor.display_text(cx));
2956 assert!(
2957 results_text.is_empty(),
2958 "Search view for mismatching query should have no results but got '{results_text}'"
2959 );
2960 assert!(
2961 search_view.query_editor.focus_handle(cx).is_focused(window),
2962 "Search view should be focused after mismatching query had been used in search",
2963 );
2964 });
2965 })
2966 .unwrap();
2967 cx.spawn(|mut cx| async move {
2968 window.update(&mut cx, |_, window, cx| {
2969 window.dispatch_action(ToggleFocus.boxed_clone(), cx)
2970 })
2971 })
2972 .detach();
2973 cx.background_executor.run_until_parked();
2974 window.update(cx, |_, window, cx| {
2975 search_view.update(cx, |search_view, cx| {
2976 assert!(
2977 search_view.query_editor.focus_handle(cx).is_focused(window),
2978 "Search view with mismatching query should be focused after the toggle focus event: still no results panel to focus on",
2979 );
2980 });
2981 }).unwrap();
2982
2983 window
2984 .update(cx, |_, window, cx| {
2985 search_view.update(cx, |search_view, cx| {
2986 search_view.query_editor.update(cx, |query_editor, cx| {
2987 query_editor.set_text("TWO", window, cx)
2988 });
2989 search_view.search(cx);
2990 })
2991 })
2992 .unwrap();
2993 cx.background_executor.run_until_parked();
2994 window.update(cx, |_, window, cx|
2995 search_view.update(cx, |search_view, cx| {
2996 assert_eq!(
2997 search_view
2998 .results_editor
2999 .update(cx, |editor, cx| editor.display_text(cx)),
3000 "\n\nconst THREE: usize = one::ONE + two::TWO;\n\n\nconst TWO: usize = one::ONE + one::ONE;",
3001 "Search view results should match the query"
3002 );
3003 assert!(
3004 search_view.results_editor.focus_handle(cx).is_focused(window),
3005 "Search view with mismatching query should be focused after search results are available",
3006 );
3007 })).unwrap();
3008 cx.spawn(|mut cx| async move {
3009 window
3010 .update(&mut cx, |_, window, cx| {
3011 window.dispatch_action(ToggleFocus.boxed_clone(), cx)
3012 })
3013 .unwrap();
3014 })
3015 .detach();
3016 cx.background_executor.run_until_parked();
3017 window.update(cx, |_, window, cx| {
3018 search_view.update(cx, |search_view, cx| {
3019 assert!(
3020 search_view.results_editor.focus_handle(cx).is_focused(window),
3021 "Search view with matching query should still have its results editor focused after the toggle focus event",
3022 );
3023 });
3024 }).unwrap();
3025
3026 workspace
3027 .update(cx, |workspace, window, cx| {
3028 ProjectSearchView::new_search(workspace, &workspace::NewSearch, window, cx)
3029 })
3030 .unwrap();
3031 cx.background_executor.run_until_parked();
3032 let Some(search_view_2) = cx.read(|cx| {
3033 workspace
3034 .read(cx)
3035 .unwrap()
3036 .active_pane()
3037 .read(cx)
3038 .active_item()
3039 .and_then(|item| item.downcast::<ProjectSearchView>())
3040 }) else {
3041 panic!("Search view expected to appear after new search event trigger")
3042 };
3043 assert!(
3044 search_view_2 != search_view,
3045 "New search view should be open after `workspace::NewSearch` event"
3046 );
3047
3048 window.update(cx, |_, window, cx| {
3049 search_view.update(cx, |search_view, cx| {
3050 assert_eq!(search_view.query_editor.read(cx).text(cx), "TWO", "First search view should not have an updated query");
3051 assert_eq!(
3052 search_view
3053 .results_editor
3054 .update(cx, |editor, cx| editor.display_text(cx)),
3055 "\n\nconst THREE: usize = one::ONE + two::TWO;\n\n\nconst TWO: usize = one::ONE + one::ONE;",
3056 "Results of the first search view should not update too"
3057 );
3058 assert!(
3059 !search_view.query_editor.focus_handle(cx).is_focused(window),
3060 "Focus should be moved away from the first search view"
3061 );
3062 });
3063 }).unwrap();
3064
3065 window.update(cx, |_, window, cx| {
3066 search_view_2.update(cx, |search_view_2, cx| {
3067 assert_eq!(
3068 search_view_2.query_editor.read(cx).text(cx),
3069 "two",
3070 "New search view should get the query from the text cursor was at during the event spawn (first search view's first result)"
3071 );
3072 assert_eq!(
3073 search_view_2
3074 .results_editor
3075 .update(cx, |editor, cx| editor.display_text(cx)),
3076 "",
3077 "No search results should be in the 2nd view yet, as we did not spawn a search for it"
3078 );
3079 assert!(
3080 search_view_2.query_editor.focus_handle(cx).is_focused(window),
3081 "Focus should be moved into query editor of the new window"
3082 );
3083 });
3084 }).unwrap();
3085
3086 window
3087 .update(cx, |_, window, cx| {
3088 search_view_2.update(cx, |search_view_2, cx| {
3089 search_view_2.query_editor.update(cx, |query_editor, cx| {
3090 query_editor.set_text("FOUR", window, cx)
3091 });
3092 search_view_2.search(cx);
3093 });
3094 })
3095 .unwrap();
3096
3097 cx.background_executor.run_until_parked();
3098 window.update(cx, |_, window, cx| {
3099 search_view_2.update(cx, |search_view_2, cx| {
3100 assert_eq!(
3101 search_view_2
3102 .results_editor
3103 .update(cx, |editor, cx| editor.display_text(cx)),
3104 "\n\nconst FOUR: usize = one::ONE + three::THREE;",
3105 "New search view with the updated query should have new search results"
3106 );
3107 assert!(
3108 search_view_2.results_editor.focus_handle(cx).is_focused(window),
3109 "Search view with mismatching query should be focused after search results are available",
3110 );
3111 });
3112 }).unwrap();
3113
3114 cx.spawn(|mut cx| async move {
3115 window
3116 .update(&mut cx, |_, window, cx| {
3117 window.dispatch_action(ToggleFocus.boxed_clone(), cx)
3118 })
3119 .unwrap();
3120 })
3121 .detach();
3122 cx.background_executor.run_until_parked();
3123 window.update(cx, |_, window, cx| {
3124 search_view_2.update(cx, |search_view_2, cx| {
3125 assert!(
3126 search_view_2.results_editor.focus_handle(cx).is_focused(window),
3127 "Search view with matching query should switch focus to the results editor after the toggle focus event",
3128 );
3129 });}).unwrap();
3130 }
3131
3132 #[gpui::test]
3133 async fn test_new_project_search_in_directory(cx: &mut TestAppContext) {
3134 init_test(cx);
3135
3136 let fs = FakeFs::new(cx.background_executor.clone());
3137 fs.insert_tree(
3138 path!("/dir"),
3139 json!({
3140 "a": {
3141 "one.rs": "const ONE: usize = 1;",
3142 "two.rs": "const TWO: usize = one::ONE + one::ONE;",
3143 },
3144 "b": {
3145 "three.rs": "const THREE: usize = one::ONE + two::TWO;",
3146 "four.rs": "const FOUR: usize = one::ONE + three::THREE;",
3147 },
3148 }),
3149 )
3150 .await;
3151 let project = Project::test(fs.clone(), ["/dir".as_ref()], cx).await;
3152 let worktree_id = project.read_with(cx, |project, cx| {
3153 project.worktrees(cx).next().unwrap().read(cx).id()
3154 });
3155 let window = cx.add_window(|window, cx| Workspace::test_new(project, window, cx));
3156 let workspace = window.root(cx).unwrap();
3157 let search_bar = window.build_entity(cx, |_, _| ProjectSearchBar::new());
3158
3159 let active_item = cx.read(|cx| {
3160 workspace
3161 .read(cx)
3162 .active_pane()
3163 .read(cx)
3164 .active_item()
3165 .and_then(|item| item.downcast::<ProjectSearchView>())
3166 });
3167 assert!(
3168 active_item.is_none(),
3169 "Expected no search panel to be active"
3170 );
3171
3172 window
3173 .update(cx, move |workspace, window, cx| {
3174 assert_eq!(workspace.panes().len(), 1);
3175 workspace.panes()[0].update(cx, move |pane, cx| {
3176 pane.toolbar()
3177 .update(cx, |toolbar, cx| toolbar.add_item(search_bar, window, cx))
3178 });
3179 })
3180 .unwrap();
3181
3182 let a_dir_entry = cx.update(|cx| {
3183 workspace
3184 .read(cx)
3185 .project()
3186 .read(cx)
3187 .entry_for_path(&(worktree_id, "a").into(), cx)
3188 .expect("no entry for /a/ directory")
3189 });
3190 assert!(a_dir_entry.is_dir());
3191 window
3192 .update(cx, |workspace, window, cx| {
3193 ProjectSearchView::new_search_in_directory(workspace, &a_dir_entry.path, window, cx)
3194 })
3195 .unwrap();
3196
3197 let Some(search_view) = cx.read(|cx| {
3198 workspace
3199 .read(cx)
3200 .active_pane()
3201 .read(cx)
3202 .active_item()
3203 .and_then(|item| item.downcast::<ProjectSearchView>())
3204 }) else {
3205 panic!("Search view expected to appear after new search in directory event trigger")
3206 };
3207 cx.background_executor.run_until_parked();
3208 window
3209 .update(cx, |_, window, cx| {
3210 search_view.update(cx, |search_view, cx| {
3211 assert!(
3212 search_view.query_editor.focus_handle(cx).is_focused(window),
3213 "On new search in directory, focus should be moved into query editor"
3214 );
3215 search_view.excluded_files_editor.update(cx, |editor, cx| {
3216 assert!(
3217 editor.display_text(cx).is_empty(),
3218 "New search in directory should not have any excluded files"
3219 );
3220 });
3221 search_view.included_files_editor.update(cx, |editor, cx| {
3222 assert_eq!(
3223 editor.display_text(cx),
3224 a_dir_entry.path.to_str().unwrap(),
3225 "New search in directory should have included dir entry path"
3226 );
3227 });
3228 });
3229 })
3230 .unwrap();
3231 window
3232 .update(cx, |_, window, cx| {
3233 search_view.update(cx, |search_view, cx| {
3234 search_view.query_editor.update(cx, |query_editor, cx| {
3235 query_editor.set_text("const", window, cx)
3236 });
3237 search_view.search(cx);
3238 });
3239 })
3240 .unwrap();
3241 cx.background_executor.run_until_parked();
3242 window
3243 .update(cx, |_, _, cx| {
3244 search_view.update(cx, |search_view, cx| {
3245 assert_eq!(
3246 search_view
3247 .results_editor
3248 .update(cx, |editor, cx| editor.display_text(cx)),
3249 "\n\nconst ONE: usize = 1;\n\n\nconst TWO: usize = one::ONE + one::ONE;",
3250 "New search in directory should have a filter that matches a certain directory"
3251 );
3252 })
3253 })
3254 .unwrap();
3255 }
3256
3257 #[gpui::test]
3258 async fn test_search_query_history(cx: &mut TestAppContext) {
3259 init_test(cx);
3260
3261 let fs = FakeFs::new(cx.background_executor.clone());
3262 fs.insert_tree(
3263 path!("/dir"),
3264 json!({
3265 "one.rs": "const ONE: usize = 1;",
3266 "two.rs": "const TWO: usize = one::ONE + one::ONE;",
3267 "three.rs": "const THREE: usize = one::ONE + two::TWO;",
3268 "four.rs": "const FOUR: usize = one::ONE + three::THREE;",
3269 }),
3270 )
3271 .await;
3272 let project = Project::test(fs.clone(), [path!("/dir").as_ref()], cx).await;
3273 let window = cx.add_window(|window, cx| Workspace::test_new(project, window, cx));
3274 let workspace = window.root(cx).unwrap();
3275 let search_bar = window.build_entity(cx, |_, _| ProjectSearchBar::new());
3276
3277 window
3278 .update(cx, {
3279 let search_bar = search_bar.clone();
3280 |workspace, window, cx| {
3281 assert_eq!(workspace.panes().len(), 1);
3282 workspace.panes()[0].update(cx, |pane, cx| {
3283 pane.toolbar()
3284 .update(cx, |toolbar, cx| toolbar.add_item(search_bar, window, cx))
3285 });
3286
3287 ProjectSearchView::new_search(workspace, &workspace::NewSearch, window, cx)
3288 }
3289 })
3290 .unwrap();
3291
3292 let search_view = cx.read(|cx| {
3293 workspace
3294 .read(cx)
3295 .active_pane()
3296 .read(cx)
3297 .active_item()
3298 .and_then(|item| item.downcast::<ProjectSearchView>())
3299 .expect("Search view expected to appear after new search event trigger")
3300 });
3301
3302 // Add 3 search items into the history + another unsubmitted one.
3303 window
3304 .update(cx, |_, window, cx| {
3305 search_view.update(cx, |search_view, cx| {
3306 search_view.search_options = SearchOptions::CASE_SENSITIVE;
3307 search_view.query_editor.update(cx, |query_editor, cx| {
3308 query_editor.set_text("ONE", window, cx)
3309 });
3310 search_view.search(cx);
3311 });
3312 })
3313 .unwrap();
3314
3315 cx.background_executor.run_until_parked();
3316 window
3317 .update(cx, |_, window, cx| {
3318 search_view.update(cx, |search_view, cx| {
3319 search_view.query_editor.update(cx, |query_editor, cx| {
3320 query_editor.set_text("TWO", window, cx)
3321 });
3322 search_view.search(cx);
3323 });
3324 })
3325 .unwrap();
3326 cx.background_executor.run_until_parked();
3327 window
3328 .update(cx, |_, window, cx| {
3329 search_view.update(cx, |search_view, cx| {
3330 search_view.query_editor.update(cx, |query_editor, cx| {
3331 query_editor.set_text("THREE", window, cx)
3332 });
3333 search_view.search(cx);
3334 })
3335 })
3336 .unwrap();
3337 cx.background_executor.run_until_parked();
3338 window
3339 .update(cx, |_, window, cx| {
3340 search_view.update(cx, |search_view, cx| {
3341 search_view.query_editor.update(cx, |query_editor, cx| {
3342 query_editor.set_text("JUST_TEXT_INPUT", window, cx)
3343 });
3344 })
3345 })
3346 .unwrap();
3347 cx.background_executor.run_until_parked();
3348
3349 // Ensure that the latest input with search settings is active.
3350 window
3351 .update(cx, |_, _, cx| {
3352 search_view.update(cx, |search_view, cx| {
3353 assert_eq!(
3354 search_view.query_editor.read(cx).text(cx),
3355 "JUST_TEXT_INPUT"
3356 );
3357 assert_eq!(search_view.search_options, SearchOptions::CASE_SENSITIVE);
3358 });
3359 })
3360 .unwrap();
3361
3362 // Next history query after the latest should set the query to the empty string.
3363 window
3364 .update(cx, |_, window, cx| {
3365 search_bar.update(cx, |search_bar, cx| {
3366 search_bar.focus_search(window, cx);
3367 search_bar.next_history_query(&NextHistoryQuery, window, cx);
3368 })
3369 })
3370 .unwrap();
3371 window
3372 .update(cx, |_, _, cx| {
3373 search_view.update(cx, |search_view, cx| {
3374 assert_eq!(search_view.query_editor.read(cx).text(cx), "");
3375 assert_eq!(search_view.search_options, SearchOptions::CASE_SENSITIVE);
3376 });
3377 })
3378 .unwrap();
3379 window
3380 .update(cx, |_, window, cx| {
3381 search_bar.update(cx, |search_bar, cx| {
3382 search_bar.focus_search(window, cx);
3383 search_bar.next_history_query(&NextHistoryQuery, window, cx);
3384 })
3385 })
3386 .unwrap();
3387 window
3388 .update(cx, |_, _, cx| {
3389 search_view.update(cx, |search_view, cx| {
3390 assert_eq!(search_view.query_editor.read(cx).text(cx), "");
3391 assert_eq!(search_view.search_options, SearchOptions::CASE_SENSITIVE);
3392 });
3393 })
3394 .unwrap();
3395
3396 // First previous query for empty current query should set the query to the latest submitted one.
3397 window
3398 .update(cx, |_, window, cx| {
3399 search_bar.update(cx, |search_bar, cx| {
3400 search_bar.focus_search(window, cx);
3401 search_bar.previous_history_query(&PreviousHistoryQuery, window, cx);
3402 });
3403 })
3404 .unwrap();
3405 window
3406 .update(cx, |_, _, cx| {
3407 search_view.update(cx, |search_view, cx| {
3408 assert_eq!(search_view.query_editor.read(cx).text(cx), "THREE");
3409 assert_eq!(search_view.search_options, SearchOptions::CASE_SENSITIVE);
3410 });
3411 })
3412 .unwrap();
3413
3414 // Further previous items should go over the history in reverse order.
3415 window
3416 .update(cx, |_, window, cx| {
3417 search_bar.update(cx, |search_bar, cx| {
3418 search_bar.focus_search(window, cx);
3419 search_bar.previous_history_query(&PreviousHistoryQuery, window, cx);
3420 });
3421 })
3422 .unwrap();
3423 window
3424 .update(cx, |_, _, cx| {
3425 search_view.update(cx, |search_view, cx| {
3426 assert_eq!(search_view.query_editor.read(cx).text(cx), "TWO");
3427 assert_eq!(search_view.search_options, SearchOptions::CASE_SENSITIVE);
3428 });
3429 })
3430 .unwrap();
3431
3432 // Previous items should never go behind the first history item.
3433 window
3434 .update(cx, |_, window, cx| {
3435 search_bar.update(cx, |search_bar, cx| {
3436 search_bar.focus_search(window, cx);
3437 search_bar.previous_history_query(&PreviousHistoryQuery, window, cx);
3438 });
3439 })
3440 .unwrap();
3441 window
3442 .update(cx, |_, _, cx| {
3443 search_view.update(cx, |search_view, cx| {
3444 assert_eq!(search_view.query_editor.read(cx).text(cx), "ONE");
3445 assert_eq!(search_view.search_options, SearchOptions::CASE_SENSITIVE);
3446 });
3447 })
3448 .unwrap();
3449 window
3450 .update(cx, |_, window, cx| {
3451 search_bar.update(cx, |search_bar, cx| {
3452 search_bar.focus_search(window, cx);
3453 search_bar.previous_history_query(&PreviousHistoryQuery, window, cx);
3454 });
3455 })
3456 .unwrap();
3457 window
3458 .update(cx, |_, _, cx| {
3459 search_view.update(cx, |search_view, cx| {
3460 assert_eq!(search_view.query_editor.read(cx).text(cx), "ONE");
3461 assert_eq!(search_view.search_options, SearchOptions::CASE_SENSITIVE);
3462 });
3463 })
3464 .unwrap();
3465
3466 // Next items should go over the history in the original order.
3467 window
3468 .update(cx, |_, window, cx| {
3469 search_bar.update(cx, |search_bar, cx| {
3470 search_bar.focus_search(window, cx);
3471 search_bar.next_history_query(&NextHistoryQuery, window, cx);
3472 });
3473 })
3474 .unwrap();
3475 window
3476 .update(cx, |_, _, cx| {
3477 search_view.update(cx, |search_view, cx| {
3478 assert_eq!(search_view.query_editor.read(cx).text(cx), "TWO");
3479 assert_eq!(search_view.search_options, SearchOptions::CASE_SENSITIVE);
3480 });
3481 })
3482 .unwrap();
3483
3484 window
3485 .update(cx, |_, window, cx| {
3486 search_view.update(cx, |search_view, cx| {
3487 search_view.query_editor.update(cx, |query_editor, cx| {
3488 query_editor.set_text("TWO_NEW", window, cx)
3489 });
3490 search_view.search(cx);
3491 });
3492 })
3493 .unwrap();
3494 cx.background_executor.run_until_parked();
3495 window
3496 .update(cx, |_, _, cx| {
3497 search_view.update(cx, |search_view, cx| {
3498 assert_eq!(search_view.query_editor.read(cx).text(cx), "TWO_NEW");
3499 assert_eq!(search_view.search_options, SearchOptions::CASE_SENSITIVE);
3500 });
3501 })
3502 .unwrap();
3503
3504 // New search input should add another entry to history and move the selection to the end of the history.
3505 window
3506 .update(cx, |_, window, cx| {
3507 search_bar.update(cx, |search_bar, cx| {
3508 search_bar.focus_search(window, cx);
3509 search_bar.previous_history_query(&PreviousHistoryQuery, window, cx);
3510 });
3511 })
3512 .unwrap();
3513 window
3514 .update(cx, |_, _, cx| {
3515 search_view.update(cx, |search_view, cx| {
3516 assert_eq!(search_view.query_editor.read(cx).text(cx), "THREE");
3517 assert_eq!(search_view.search_options, SearchOptions::CASE_SENSITIVE);
3518 });
3519 })
3520 .unwrap();
3521 window
3522 .update(cx, |_, window, cx| {
3523 search_bar.update(cx, |search_bar, cx| {
3524 search_bar.focus_search(window, cx);
3525 search_bar.previous_history_query(&PreviousHistoryQuery, window, cx);
3526 });
3527 })
3528 .unwrap();
3529 window
3530 .update(cx, |_, _, cx| {
3531 search_view.update(cx, |search_view, cx| {
3532 assert_eq!(search_view.query_editor.read(cx).text(cx), "TWO");
3533 assert_eq!(search_view.search_options, SearchOptions::CASE_SENSITIVE);
3534 });
3535 })
3536 .unwrap();
3537 window
3538 .update(cx, |_, window, cx| {
3539 search_bar.update(cx, |search_bar, cx| {
3540 search_bar.focus_search(window, cx);
3541 search_bar.next_history_query(&NextHistoryQuery, window, cx);
3542 });
3543 })
3544 .unwrap();
3545 window
3546 .update(cx, |_, _, cx| {
3547 search_view.update(cx, |search_view, cx| {
3548 assert_eq!(search_view.query_editor.read(cx).text(cx), "THREE");
3549 assert_eq!(search_view.search_options, SearchOptions::CASE_SENSITIVE);
3550 });
3551 })
3552 .unwrap();
3553 window
3554 .update(cx, |_, window, cx| {
3555 search_bar.update(cx, |search_bar, cx| {
3556 search_bar.focus_search(window, cx);
3557 search_bar.next_history_query(&NextHistoryQuery, window, cx);
3558 });
3559 })
3560 .unwrap();
3561 window
3562 .update(cx, |_, _, cx| {
3563 search_view.update(cx, |search_view, cx| {
3564 assert_eq!(search_view.query_editor.read(cx).text(cx), "TWO_NEW");
3565 assert_eq!(search_view.search_options, SearchOptions::CASE_SENSITIVE);
3566 });
3567 })
3568 .unwrap();
3569 window
3570 .update(cx, |_, window, cx| {
3571 search_bar.update(cx, |search_bar, cx| {
3572 search_bar.focus_search(window, cx);
3573 search_bar.next_history_query(&NextHistoryQuery, window, cx);
3574 });
3575 })
3576 .unwrap();
3577 window
3578 .update(cx, |_, _, cx| {
3579 search_view.update(cx, |search_view, cx| {
3580 assert_eq!(search_view.query_editor.read(cx).text(cx), "");
3581 assert_eq!(search_view.search_options, SearchOptions::CASE_SENSITIVE);
3582 });
3583 })
3584 .unwrap();
3585 }
3586
3587 #[gpui::test]
3588 async fn test_search_query_history_with_multiple_views(cx: &mut TestAppContext) {
3589 init_test(cx);
3590
3591 let fs = FakeFs::new(cx.background_executor.clone());
3592 fs.insert_tree(
3593 path!("/dir"),
3594 json!({
3595 "one.rs": "const ONE: usize = 1;",
3596 }),
3597 )
3598 .await;
3599 let project = Project::test(fs.clone(), [path!("/dir").as_ref()], cx).await;
3600 let worktree_id = project.update(cx, |this, cx| {
3601 this.worktrees(cx).next().unwrap().read(cx).id()
3602 });
3603
3604 let window = cx.add_window(|window, cx| Workspace::test_new(project, window, cx));
3605 let workspace = window.root(cx).unwrap();
3606
3607 let panes: Vec<_> = window
3608 .update(cx, |this, _, _| this.panes().to_owned())
3609 .unwrap();
3610
3611 let search_bar_1 = window.build_entity(cx, |_, _| ProjectSearchBar::new());
3612 let search_bar_2 = window.build_entity(cx, |_, _| ProjectSearchBar::new());
3613
3614 assert_eq!(panes.len(), 1);
3615 let first_pane = panes.first().cloned().unwrap();
3616 assert_eq!(cx.update(|cx| first_pane.read(cx).items_len()), 0);
3617 window
3618 .update(cx, |workspace, window, cx| {
3619 workspace.open_path(
3620 (worktree_id, "one.rs"),
3621 Some(first_pane.downgrade()),
3622 true,
3623 window,
3624 cx,
3625 )
3626 })
3627 .unwrap()
3628 .await
3629 .unwrap();
3630 assert_eq!(cx.update(|cx| first_pane.read(cx).items_len()), 1);
3631
3632 // Add a project search item to the first pane
3633 window
3634 .update(cx, {
3635 let search_bar = search_bar_1.clone();
3636 |workspace, window, cx| {
3637 first_pane.update(cx, |pane, cx| {
3638 pane.toolbar()
3639 .update(cx, |toolbar, cx| toolbar.add_item(search_bar, window, cx))
3640 });
3641
3642 ProjectSearchView::new_search(workspace, &workspace::NewSearch, window, cx)
3643 }
3644 })
3645 .unwrap();
3646 let search_view_1 = cx.read(|cx| {
3647 workspace
3648 .read(cx)
3649 .active_item(cx)
3650 .and_then(|item| item.downcast::<ProjectSearchView>())
3651 .expect("Search view expected to appear after new search event trigger")
3652 });
3653
3654 let second_pane = window
3655 .update(cx, |workspace, window, cx| {
3656 workspace.split_and_clone(
3657 first_pane.clone(),
3658 workspace::SplitDirection::Right,
3659 window,
3660 cx,
3661 )
3662 })
3663 .unwrap()
3664 .unwrap();
3665 assert_eq!(cx.update(|cx| second_pane.read(cx).items_len()), 1);
3666
3667 assert_eq!(cx.update(|cx| second_pane.read(cx).items_len()), 1);
3668 assert_eq!(cx.update(|cx| first_pane.read(cx).items_len()), 2);
3669
3670 // Add a project search item to the second pane
3671 window
3672 .update(cx, {
3673 let search_bar = search_bar_2.clone();
3674 let pane = second_pane.clone();
3675 move |workspace, window, cx| {
3676 assert_eq!(workspace.panes().len(), 2);
3677 pane.update(cx, |pane, cx| {
3678 pane.toolbar()
3679 .update(cx, |toolbar, cx| toolbar.add_item(search_bar, window, cx))
3680 });
3681
3682 ProjectSearchView::new_search(workspace, &workspace::NewSearch, window, cx)
3683 }
3684 })
3685 .unwrap();
3686
3687 let search_view_2 = cx.read(|cx| {
3688 workspace
3689 .read(cx)
3690 .active_item(cx)
3691 .and_then(|item| item.downcast::<ProjectSearchView>())
3692 .expect("Search view expected to appear after new search event trigger")
3693 });
3694
3695 cx.run_until_parked();
3696 assert_eq!(cx.update(|cx| first_pane.read(cx).items_len()), 2);
3697 assert_eq!(cx.update(|cx| second_pane.read(cx).items_len()), 2);
3698
3699 let update_search_view =
3700 |search_view: &Entity<ProjectSearchView>, query: &str, cx: &mut TestAppContext| {
3701 window
3702 .update(cx, |_, window, cx| {
3703 search_view.update(cx, |search_view, cx| {
3704 search_view.query_editor.update(cx, |query_editor, cx| {
3705 query_editor.set_text(query, window, cx)
3706 });
3707 search_view.search(cx);
3708 });
3709 })
3710 .unwrap();
3711 };
3712
3713 let active_query =
3714 |search_view: &Entity<ProjectSearchView>, cx: &mut TestAppContext| -> String {
3715 window
3716 .update(cx, |_, _, cx| {
3717 search_view.update(cx, |search_view, cx| {
3718 search_view.query_editor.read(cx).text(cx).to_string()
3719 })
3720 })
3721 .unwrap()
3722 };
3723
3724 let select_prev_history_item =
3725 |search_bar: &Entity<ProjectSearchBar>, cx: &mut TestAppContext| {
3726 window
3727 .update(cx, |_, window, cx| {
3728 search_bar.update(cx, |search_bar, cx| {
3729 search_bar.focus_search(window, cx);
3730 search_bar.previous_history_query(&PreviousHistoryQuery, window, cx);
3731 })
3732 })
3733 .unwrap();
3734 };
3735
3736 let select_next_history_item =
3737 |search_bar: &Entity<ProjectSearchBar>, cx: &mut TestAppContext| {
3738 window
3739 .update(cx, |_, window, cx| {
3740 search_bar.update(cx, |search_bar, cx| {
3741 search_bar.focus_search(window, cx);
3742 search_bar.next_history_query(&NextHistoryQuery, window, cx);
3743 })
3744 })
3745 .unwrap();
3746 };
3747
3748 update_search_view(&search_view_1, "ONE", cx);
3749 cx.background_executor.run_until_parked();
3750
3751 update_search_view(&search_view_2, "TWO", cx);
3752 cx.background_executor.run_until_parked();
3753
3754 assert_eq!(active_query(&search_view_1, cx), "ONE");
3755 assert_eq!(active_query(&search_view_2, cx), "TWO");
3756
3757 // Selecting previous history item should select the query from search view 1.
3758 select_prev_history_item(&search_bar_2, cx);
3759 assert_eq!(active_query(&search_view_2, cx), "ONE");
3760
3761 // Selecting the previous history item should not change the query as it is already the first item.
3762 select_prev_history_item(&search_bar_2, cx);
3763 assert_eq!(active_query(&search_view_2, cx), "ONE");
3764
3765 // Changing the query in search view 2 should not affect the history of search view 1.
3766 assert_eq!(active_query(&search_view_1, cx), "ONE");
3767
3768 // Deploying a new search in search view 2
3769 update_search_view(&search_view_2, "THREE", cx);
3770 cx.background_executor.run_until_parked();
3771
3772 select_next_history_item(&search_bar_2, cx);
3773 assert_eq!(active_query(&search_view_2, cx), "");
3774
3775 select_prev_history_item(&search_bar_2, cx);
3776 assert_eq!(active_query(&search_view_2, cx), "THREE");
3777
3778 select_prev_history_item(&search_bar_2, cx);
3779 assert_eq!(active_query(&search_view_2, cx), "TWO");
3780
3781 select_prev_history_item(&search_bar_2, cx);
3782 assert_eq!(active_query(&search_view_2, cx), "ONE");
3783
3784 select_prev_history_item(&search_bar_2, cx);
3785 assert_eq!(active_query(&search_view_2, cx), "ONE");
3786
3787 // Search view 1 should now see the query from search view 2.
3788 assert_eq!(active_query(&search_view_1, cx), "ONE");
3789
3790 select_next_history_item(&search_bar_2, cx);
3791 assert_eq!(active_query(&search_view_2, cx), "TWO");
3792
3793 // Here is the new query from search view 2
3794 select_next_history_item(&search_bar_2, cx);
3795 assert_eq!(active_query(&search_view_2, cx), "THREE");
3796
3797 select_next_history_item(&search_bar_2, cx);
3798 assert_eq!(active_query(&search_view_2, cx), "");
3799
3800 select_next_history_item(&search_bar_1, cx);
3801 assert_eq!(active_query(&search_view_1, cx), "TWO");
3802
3803 select_next_history_item(&search_bar_1, cx);
3804 assert_eq!(active_query(&search_view_1, cx), "THREE");
3805
3806 select_next_history_item(&search_bar_1, cx);
3807 assert_eq!(active_query(&search_view_1, cx), "");
3808 }
3809
3810 #[gpui::test]
3811 async fn test_deploy_search_with_multiple_panes(cx: &mut TestAppContext) {
3812 init_test(cx);
3813
3814 // Setup 2 panes, both with a file open and one with a project search.
3815 let fs = FakeFs::new(cx.background_executor.clone());
3816 fs.insert_tree(
3817 path!("/dir"),
3818 json!({
3819 "one.rs": "const ONE: usize = 1;",
3820 }),
3821 )
3822 .await;
3823 let project = Project::test(fs.clone(), [path!("/dir").as_ref()], cx).await;
3824 let worktree_id = project.update(cx, |this, cx| {
3825 this.worktrees(cx).next().unwrap().read(cx).id()
3826 });
3827 let window = cx.add_window(|window, cx| Workspace::test_new(project, window, cx));
3828 let panes: Vec<_> = window
3829 .update(cx, |this, _, _| this.panes().to_owned())
3830 .unwrap();
3831 assert_eq!(panes.len(), 1);
3832 let first_pane = panes.first().cloned().unwrap();
3833 assert_eq!(cx.update(|cx| first_pane.read(cx).items_len()), 0);
3834 window
3835 .update(cx, |workspace, window, cx| {
3836 workspace.open_path(
3837 (worktree_id, "one.rs"),
3838 Some(first_pane.downgrade()),
3839 true,
3840 window,
3841 cx,
3842 )
3843 })
3844 .unwrap()
3845 .await
3846 .unwrap();
3847 assert_eq!(cx.update(|cx| first_pane.read(cx).items_len()), 1);
3848 let second_pane = window
3849 .update(cx, |workspace, window, cx| {
3850 workspace.split_and_clone(
3851 first_pane.clone(),
3852 workspace::SplitDirection::Right,
3853 window,
3854 cx,
3855 )
3856 })
3857 .unwrap()
3858 .unwrap();
3859 assert_eq!(cx.update(|cx| second_pane.read(cx).items_len()), 1);
3860 assert!(
3861 window
3862 .update(cx, |_, window, cx| second_pane
3863 .focus_handle(cx)
3864 .contains_focused(window, cx))
3865 .unwrap()
3866 );
3867 let search_bar = window.build_entity(cx, |_, _| ProjectSearchBar::new());
3868 window
3869 .update(cx, {
3870 let search_bar = search_bar.clone();
3871 let pane = first_pane.clone();
3872 move |workspace, window, cx| {
3873 assert_eq!(workspace.panes().len(), 2);
3874 pane.update(cx, move |pane, cx| {
3875 pane.toolbar()
3876 .update(cx, |toolbar, cx| toolbar.add_item(search_bar, window, cx))
3877 });
3878 }
3879 })
3880 .unwrap();
3881
3882 // Add a project search item to the second pane
3883 window
3884 .update(cx, {
3885 let search_bar = search_bar.clone();
3886 |workspace, window, cx| {
3887 assert_eq!(workspace.panes().len(), 2);
3888 second_pane.update(cx, |pane, cx| {
3889 pane.toolbar()
3890 .update(cx, |toolbar, cx| toolbar.add_item(search_bar, window, cx))
3891 });
3892
3893 ProjectSearchView::new_search(workspace, &workspace::NewSearch, window, cx)
3894 }
3895 })
3896 .unwrap();
3897
3898 cx.run_until_parked();
3899 assert_eq!(cx.update(|cx| second_pane.read(cx).items_len()), 2);
3900 assert_eq!(cx.update(|cx| first_pane.read(cx).items_len()), 1);
3901
3902 // Focus the first pane
3903 window
3904 .update(cx, |workspace, window, cx| {
3905 assert_eq!(workspace.active_pane(), &second_pane);
3906 second_pane.update(cx, |this, cx| {
3907 assert_eq!(this.active_item_index(), 1);
3908 this.activate_prev_item(false, window, cx);
3909 assert_eq!(this.active_item_index(), 0);
3910 });
3911 workspace.activate_pane_in_direction(workspace::SplitDirection::Left, window, cx);
3912 })
3913 .unwrap();
3914 window
3915 .update(cx, |workspace, _, cx| {
3916 assert_eq!(workspace.active_pane(), &first_pane);
3917 assert_eq!(first_pane.read(cx).items_len(), 1);
3918 assert_eq!(second_pane.read(cx).items_len(), 2);
3919 })
3920 .unwrap();
3921
3922 // Deploy a new search
3923 cx.dispatch_action(window.into(), DeploySearch::find());
3924
3925 // Both panes should now have a project search in them
3926 window
3927 .update(cx, |workspace, window, cx| {
3928 assert_eq!(workspace.active_pane(), &first_pane);
3929 first_pane.read_with(cx, |this, _| {
3930 assert_eq!(this.active_item_index(), 1);
3931 assert_eq!(this.items_len(), 2);
3932 });
3933 second_pane.update(cx, |this, cx| {
3934 assert!(!cx.focus_handle().contains_focused(window, cx));
3935 assert_eq!(this.items_len(), 2);
3936 });
3937 })
3938 .unwrap();
3939
3940 // Focus the second pane's non-search item
3941 window
3942 .update(cx, |_workspace, window, cx| {
3943 second_pane.update(cx, |pane, cx| pane.activate_next_item(true, window, cx));
3944 })
3945 .unwrap();
3946
3947 // Deploy a new search
3948 cx.dispatch_action(window.into(), DeploySearch::find());
3949
3950 // The project search view should now be focused in the second pane
3951 // And the number of items should be unchanged.
3952 window
3953 .update(cx, |_workspace, _, cx| {
3954 second_pane.update(cx, |pane, _cx| {
3955 assert!(
3956 pane.active_item()
3957 .unwrap()
3958 .downcast::<ProjectSearchView>()
3959 .is_some()
3960 );
3961
3962 assert_eq!(pane.items_len(), 2);
3963 });
3964 })
3965 .unwrap();
3966 }
3967
3968 #[gpui::test]
3969 async fn test_scroll_search_results_to_top(cx: &mut TestAppContext) {
3970 init_test(cx);
3971
3972 // We need many lines in the search results to be able to scroll the window
3973 let fs = FakeFs::new(cx.background_executor.clone());
3974 fs.insert_tree(
3975 path!("/dir"),
3976 json!({
3977 "1.txt": "\n\n\n\n\n A \n\n\n\n\n",
3978 "2.txt": "\n\n\n\n\n A \n\n\n\n\n",
3979 "3.rs": "\n\n\n\n\n A \n\n\n\n\n",
3980 "4.rs": "\n\n\n\n\n A \n\n\n\n\n",
3981 "5.rs": "\n\n\n\n\n A \n\n\n\n\n",
3982 "6.rs": "\n\n\n\n\n A \n\n\n\n\n",
3983 "7.rs": "\n\n\n\n\n A \n\n\n\n\n",
3984 "8.rs": "\n\n\n\n\n A \n\n\n\n\n",
3985 "9.rs": "\n\n\n\n\n A \n\n\n\n\n",
3986 "a.rs": "\n\n\n\n\n A \n\n\n\n\n",
3987 "b.rs": "\n\n\n\n\n B \n\n\n\n\n",
3988 "c.rs": "\n\n\n\n\n B \n\n\n\n\n",
3989 "d.rs": "\n\n\n\n\n B \n\n\n\n\n",
3990 "e.rs": "\n\n\n\n\n B \n\n\n\n\n",
3991 "f.rs": "\n\n\n\n\n B \n\n\n\n\n",
3992 "g.rs": "\n\n\n\n\n B \n\n\n\n\n",
3993 "h.rs": "\n\n\n\n\n B \n\n\n\n\n",
3994 "i.rs": "\n\n\n\n\n B \n\n\n\n\n",
3995 "j.rs": "\n\n\n\n\n B \n\n\n\n\n",
3996 "k.rs": "\n\n\n\n\n B \n\n\n\n\n",
3997 }),
3998 )
3999 .await;
4000 let project = Project::test(fs.clone(), [path!("/dir").as_ref()], cx).await;
4001 let window = cx.add_window(|window, cx| Workspace::test_new(project.clone(), window, cx));
4002 let workspace = window.root(cx).unwrap();
4003 let search = cx.new(|cx| ProjectSearch::new(project, cx));
4004 let search_view = cx.add_window(|window, cx| {
4005 ProjectSearchView::new(workspace.downgrade(), search.clone(), window, cx, None)
4006 });
4007
4008 // First search
4009 perform_search(search_view, "A", cx);
4010 search_view
4011 .update(cx, |search_view, window, cx| {
4012 search_view.results_editor.update(cx, |results_editor, cx| {
4013 // Results are correct and scrolled to the top
4014 assert_eq!(
4015 results_editor.display_text(cx).match_indices(" A ").count(),
4016 10
4017 );
4018 assert_eq!(results_editor.scroll_position(cx), Point::default());
4019
4020 // Scroll results all the way down
4021 results_editor.scroll(
4022 Point::new(0., f32::MAX),
4023 Some(Axis::Vertical),
4024 window,
4025 cx,
4026 );
4027 });
4028 })
4029 .expect("unable to update search view");
4030
4031 // Second search
4032 perform_search(search_view, "B", cx);
4033 search_view
4034 .update(cx, |search_view, _, cx| {
4035 search_view.results_editor.update(cx, |results_editor, cx| {
4036 // Results are correct...
4037 assert_eq!(
4038 results_editor.display_text(cx).match_indices(" B ").count(),
4039 10
4040 );
4041 // ...and scrolled back to the top
4042 assert_eq!(results_editor.scroll_position(cx), Point::default());
4043 });
4044 })
4045 .expect("unable to update search view");
4046 }
4047
4048 #[gpui::test]
4049 async fn test_buffer_search_query_reused(cx: &mut TestAppContext) {
4050 init_test(cx);
4051
4052 let fs = FakeFs::new(cx.background_executor.clone());
4053 fs.insert_tree(
4054 path!("/dir"),
4055 json!({
4056 "one.rs": "const ONE: usize = 1;",
4057 }),
4058 )
4059 .await;
4060 let project = Project::test(fs.clone(), [path!("/dir").as_ref()], cx).await;
4061 let worktree_id = project.update(cx, |this, cx| {
4062 this.worktrees(cx).next().unwrap().read(cx).id()
4063 });
4064 let window = cx.add_window(|window, cx| Workspace::test_new(project.clone(), window, cx));
4065 let workspace = window.root(cx).unwrap();
4066 let mut cx = VisualTestContext::from_window(*window.deref(), cx);
4067
4068 let editor = workspace
4069 .update_in(&mut cx, |workspace, window, cx| {
4070 workspace.open_path((worktree_id, "one.rs"), None, true, window, cx)
4071 })
4072 .await
4073 .unwrap()
4074 .downcast::<Editor>()
4075 .unwrap();
4076
4077 // Wait for the unstaged changes to be loaded
4078 cx.run_until_parked();
4079
4080 let buffer_search_bar = cx.new_window_entity(|window, cx| {
4081 let mut search_bar =
4082 BufferSearchBar::new(Some(project.read(cx).languages().clone()), window, cx);
4083 search_bar.set_active_pane_item(Some(&editor), window, cx);
4084 search_bar.show(window, cx);
4085 search_bar
4086 });
4087
4088 let panes: Vec<_> = window
4089 .update(&mut cx, |this, _, _| this.panes().to_owned())
4090 .unwrap();
4091 assert_eq!(panes.len(), 1);
4092 let pane = panes.first().cloned().unwrap();
4093 pane.update_in(&mut cx, |pane, window, cx| {
4094 pane.toolbar().update(cx, |toolbar, cx| {
4095 toolbar.add_item(buffer_search_bar.clone(), window, cx);
4096 })
4097 });
4098
4099 let buffer_search_query = "search bar query";
4100 buffer_search_bar
4101 .update_in(&mut cx, |buffer_search_bar, window, cx| {
4102 buffer_search_bar.focus_handle(cx).focus(window);
4103 buffer_search_bar.search(buffer_search_query, None, window, cx)
4104 })
4105 .await
4106 .unwrap();
4107
4108 workspace.update_in(&mut cx, |workspace, window, cx| {
4109 ProjectSearchView::new_search(workspace, &workspace::NewSearch, window, cx)
4110 });
4111 cx.run_until_parked();
4112 let project_search_view = pane
4113 .read_with(&mut cx, |pane, _| {
4114 pane.active_item()
4115 .and_then(|item| item.downcast::<ProjectSearchView>())
4116 })
4117 .expect("should open a project search view after spawning a new search");
4118 project_search_view.update(&mut cx, |search_view, cx| {
4119 assert_eq!(
4120 search_view.search_query_text(cx),
4121 buffer_search_query,
4122 "Project search should take the query from the buffer search bar since it got focused and had a query inside"
4123 );
4124 });
4125 }
4126
4127 fn init_test(cx: &mut TestAppContext) {
4128 cx.update(|cx| {
4129 let settings = SettingsStore::test(cx);
4130 cx.set_global(settings);
4131
4132 theme::init(theme::LoadThemes::JustBase, cx);
4133
4134 language::init(cx);
4135 client::init_settings(cx);
4136 editor::init(cx);
4137 workspace::init_settings(cx);
4138 Project::init_settings(cx);
4139 crate::init(cx);
4140 });
4141 }
4142
4143 fn perform_search(
4144 search_view: WindowHandle<ProjectSearchView>,
4145 text: impl Into<Arc<str>>,
4146 cx: &mut TestAppContext,
4147 ) {
4148 search_view
4149 .update(cx, |search_view, window, cx| {
4150 search_view.query_editor.update(cx, |query_editor, cx| {
4151 query_editor.set_text(text, window, cx)
4152 });
4153 search_view.search(cx);
4154 })
4155 .unwrap();
4156 cx.background_executor.run_until_parked();
4157 }
4158}