1use crate::{
2 item::{Item, ItemHandle, ItemSettings, WeakItemHandle},
3 toolbar::Toolbar,
4 workspace_settings::{AutosaveSetting, WorkspaceSettings},
5 SplitDirection, Workspace,
6};
7use anyhow::Result;
8use collections::{HashMap, HashSet, VecDeque};
9use gpui::{
10 actions, prelude::*, Action, AppContext, AsyncWindowContext, Div, EntityId, EventEmitter,
11 FocusHandle, Focusable, FocusableView, Model, Pixels, Point, PromptLevel, Render, Task, View,
12 ViewContext, VisualContext, WeakView, WindowContext,
13};
14use parking_lot::Mutex;
15use project2::{Project, ProjectEntryId, ProjectPath};
16use serde::Deserialize;
17use settings2::Settings;
18use std::{
19 any::Any,
20 cmp, fmt, mem,
21 path::{Path, PathBuf},
22 sync::{
23 atomic::{AtomicUsize, Ordering},
24 Arc,
25 },
26};
27
28use ui::v_stack;
29use ui::{prelude::*, Color, Icon, IconButton, IconElement, Tooltip};
30use util::truncate_and_remove_front;
31
32#[derive(PartialEq, Clone, Copy, Deserialize, Debug)]
33#[serde(rename_all = "camelCase")]
34pub enum SaveIntent {
35 /// write all files (even if unchanged)
36 /// prompt before overwriting on-disk changes
37 Save,
38 /// write any files that have local changes
39 /// prompt before overwriting on-disk changes
40 SaveAll,
41 /// always prompt for a new path
42 SaveAs,
43 /// prompt "you have unsaved changes" before writing
44 Close,
45 /// write all dirty files, don't prompt on conflict
46 Overwrite,
47 /// skip all save-related behavior
48 Skip,
49}
50
51//todo!("Do we need the default bound on actions? Decide soon")
52// #[register_action]
53#[derive(Clone, Deserialize, PartialEq, Debug)]
54pub struct ActivateItem(pub usize);
55
56// #[derive(Clone, PartialEq)]
57// pub struct CloseItemById {
58// pub item_id: usize,
59// pub pane: WeakView<Pane>,
60// }
61
62// #[derive(Clone, PartialEq)]
63// pub struct CloseItemsToTheLeftById {
64// pub item_id: usize,
65// pub pane: WeakView<Pane>,
66// }
67
68// #[derive(Clone, PartialEq)]
69// pub struct CloseItemsToTheRightById {
70// pub item_id: usize,
71// pub pane: WeakView<Pane>,
72// }
73
74#[derive(Clone, PartialEq, Debug, Deserialize, Default, Action)]
75#[serde(rename_all = "camelCase")]
76pub struct CloseActiveItem {
77 pub save_intent: Option<SaveIntent>,
78}
79
80#[derive(Clone, PartialEq, Debug, Deserialize, Default, Action)]
81#[serde(rename_all = "camelCase")]
82pub struct CloseAllItems {
83 pub save_intent: Option<SaveIntent>,
84}
85
86// todo!(These used to be under pane::{Action}. Are they now workspace::pane::{Action}?)
87actions!(
88 ActivatePrevItem,
89 ActivateNextItem,
90 ActivateLastItem,
91 CloseInactiveItems,
92 CloseCleanItems,
93 CloseItemsToTheLeft,
94 CloseItemsToTheRight,
95 GoBack,
96 GoForward,
97 ReopenClosedItem,
98 SplitLeft,
99 SplitUp,
100 SplitRight,
101 SplitDown,
102);
103
104const MAX_NAVIGATION_HISTORY_LEN: usize = 1024;
105
106pub enum Event {
107 AddItem { item: Box<dyn ItemHandle> },
108 ActivateItem { local: bool },
109 Remove,
110 RemoveItem { item_id: EntityId },
111 Split(SplitDirection),
112 ChangeItemTitle,
113 Focus,
114 ZoomIn,
115 ZoomOut,
116}
117
118impl fmt::Debug for Event {
119 fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
120 match self {
121 Event::AddItem { item } => f
122 .debug_struct("AddItem")
123 .field("item", &item.item_id())
124 .finish(),
125 Event::ActivateItem { local } => f
126 .debug_struct("ActivateItem")
127 .field("local", local)
128 .finish(),
129 Event::Remove => f.write_str("Remove"),
130 Event::RemoveItem { item_id } => f
131 .debug_struct("RemoveItem")
132 .field("item_id", item_id)
133 .finish(),
134 Event::Split(direction) => f
135 .debug_struct("Split")
136 .field("direction", direction)
137 .finish(),
138 Event::ChangeItemTitle => f.write_str("ChangeItemTitle"),
139 Event::Focus => f.write_str("Focus"),
140 Event::ZoomIn => f.write_str("ZoomIn"),
141 Event::ZoomOut => f.write_str("ZoomOut"),
142 }
143 }
144}
145
146pub struct Pane {
147 focus_handle: FocusHandle,
148 items: Vec<Box<dyn ItemHandle>>,
149 activation_history: Vec<EntityId>,
150 zoomed: bool,
151 active_item_index: usize,
152 // last_focused_view_by_item: HashMap<usize, AnyWeakViewHandle>,
153 autoscroll: bool,
154 nav_history: NavHistory,
155 toolbar: View<Toolbar>,
156 // tab_bar_context_menu: TabBarContextMenu,
157 // tab_context_menu: ViewHandle<ContextMenu>,
158 workspace: WeakView<Workspace>,
159 project: Model<Project>,
160 // can_drop: Rc<dyn Fn(&DragAndDrop<Workspace>, &WindowContext) -> bool>,
161 can_split: bool,
162 // render_tab_bar_buttons: Rc<dyn Fn(&mut Pane, &mut ViewContext<Pane>) -> AnyElement<Pane>>,
163}
164
165pub struct ItemNavHistory {
166 history: NavHistory,
167 item: Arc<dyn WeakItemHandle>,
168}
169
170#[derive(Clone)]
171pub struct NavHistory(Arc<Mutex<NavHistoryState>>);
172
173struct NavHistoryState {
174 mode: NavigationMode,
175 backward_stack: VecDeque<NavigationEntry>,
176 forward_stack: VecDeque<NavigationEntry>,
177 closed_stack: VecDeque<NavigationEntry>,
178 paths_by_item: HashMap<EntityId, (ProjectPath, Option<PathBuf>)>,
179 pane: WeakView<Pane>,
180 next_timestamp: Arc<AtomicUsize>,
181}
182
183#[derive(Copy, Clone)]
184pub enum NavigationMode {
185 Normal,
186 GoingBack,
187 GoingForward,
188 ClosingItem,
189 ReopeningClosedItem,
190 Disabled,
191}
192
193impl Default for NavigationMode {
194 fn default() -> Self {
195 Self::Normal
196 }
197}
198
199pub struct NavigationEntry {
200 pub item: Arc<dyn WeakItemHandle>,
201 pub data: Option<Box<dyn Any + Send>>,
202 pub timestamp: usize,
203}
204
205// pub struct DraggedItem {
206// pub handle: Box<dyn ItemHandle>,
207// pub pane: WeakView<Pane>,
208// }
209
210// pub enum ReorderBehavior {
211// None,
212// MoveAfterActive,
213// MoveToIndex(usize),
214// }
215
216// #[derive(Debug, Clone, Copy, PartialEq, Eq)]
217// enum TabBarContextMenuKind {
218// New,
219// Split,
220// }
221
222// struct TabBarContextMenu {
223// kind: TabBarContextMenuKind,
224// handle: ViewHandle<ContextMenu>,
225// }
226
227// impl TabBarContextMenu {
228// fn handle_if_kind(&self, kind: TabBarContextMenuKind) -> Option<ViewHandle<ContextMenu>> {
229// if self.kind == kind {
230// return Some(self.handle.clone());
231// }
232// None
233// }
234// }
235
236// #[allow(clippy::too_many_arguments)]
237// fn nav_button<A: Action, F: 'static + Fn(&mut Pane, &mut ViewContext<Pane>)>(
238// svg_path: &'static str,
239// style: theme2::Interactive<theme2::IconButton>,
240// nav_button_height: f32,
241// tooltip_style: TooltipStyle,
242// enabled: bool,
243// on_click: F,
244// tooltip_action: A,
245// action_name: &str,
246// cx: &mut ViewContext<Pane>,
247// ) -> AnyElement<Pane> {
248// MouseEventHandler::new::<A, _>(0, cx, |state, _| {
249// let style = if enabled {
250// style.style_for(state)
251// } else {
252// style.disabled_style()
253// };
254// Svg::new(svg_path)
255// .with_color(style.color)
256// .constrained()
257// .with_width(style.icon_width)
258// .aligned()
259// .contained()
260// .with_style(style.container)
261// .constrained()
262// .with_width(style.button_width)
263// .with_height(nav_button_height)
264// .aligned()
265// .top()
266// })
267// .with_cursor_style(if enabled {
268// CursorStyle::PointingHand
269// } else {
270// CursorStyle::default()
271// })
272// .on_click(MouseButton::Left, move |_, toolbar, cx| {
273// on_click(toolbar, cx)
274// })
275// .with_tooltip::<A>(
276// 0,
277// action_name.to_string(),
278// Some(Box::new(tooltip_action)),
279// tooltip_style,
280// cx,
281// )
282// .contained()
283// .into_any_named("nav button")
284// }
285
286impl EventEmitter<Event> for Pane {}
287
288impl Pane {
289 pub fn new(
290 workspace: WeakView<Workspace>,
291 project: Model<Project>,
292 next_timestamp: Arc<AtomicUsize>,
293 cx: &mut ViewContext<Self>,
294 ) -> Self {
295 // todo!("context menu")
296 // let pane_view_id = cx.view_id();
297 // let context_menu = cx.add_view(|cx| ContextMenu::new(pane_view_id, cx));
298 // context_menu.update(cx, |menu, _| {
299 // menu.set_position_mode(OverlayPositionMode::Local)
300 // });
301
302 let handle = cx.view().downgrade();
303 Self {
304 focus_handle: cx.focus_handle(),
305 items: Vec::new(),
306 activation_history: Vec::new(),
307 zoomed: false,
308 active_item_index: 0,
309 // last_focused_view_by_item: Default::default(),
310 autoscroll: false,
311 nav_history: NavHistory(Arc::new(Mutex::new(NavHistoryState {
312 mode: NavigationMode::Normal,
313 backward_stack: Default::default(),
314 forward_stack: Default::default(),
315 closed_stack: Default::default(),
316 paths_by_item: Default::default(),
317 pane: handle.clone(),
318 next_timestamp,
319 }))),
320 toolbar: cx.build_view(|_| Toolbar::new()),
321 // tab_bar_context_menu: TabBarContextMenu {
322 // kind: TabBarContextMenuKind::New,
323 // handle: context_menu,
324 // },
325 // tab_context_menu: cx.add_view(|cx| ContextMenu::new(pane_view_id, cx)),
326 workspace,
327 project,
328 // can_drop: Rc::new(|_, _| true),
329 can_split: true,
330 // render_tab_bar_buttons: Rc::new(move |pane, cx| {
331 // Flex::row()
332 // // New menu
333 // .with_child(Self::render_tab_bar_button(
334 // 0,
335 // "icons/plus.svg",
336 // false,
337 // Some(("New...".into(), None)),
338 // cx,
339 // |pane, cx| pane.deploy_new_menu(cx),
340 // |pane, cx| {
341 // pane.tab_bar_context_menu
342 // .handle
343 // .update(cx, |menu, _| menu.delay_cancel())
344 // },
345 // pane.tab_bar_context_menu
346 // .handle_if_kind(TabBarContextMenuKind::New),
347 // ))
348 // .with_child(Self::render_tab_bar_button(
349 // 1,
350 // "icons/split.svg",
351 // false,
352 // Some(("Split Pane".into(), None)),
353 // cx,
354 // |pane, cx| pane.deploy_split_menu(cx),
355 // |pane, cx| {
356 // pane.tab_bar_context_menu
357 // .handle
358 // .update(cx, |menu, _| menu.delay_cancel())
359 // },
360 // pane.tab_bar_context_menu
361 // .handle_if_kind(TabBarContextMenuKind::Split),
362 // ))
363 // .with_child({
364 // let icon_path;
365 // let tooltip_label;
366 // if pane.is_zoomed() {
367 // icon_path = "icons/minimize.svg";
368 // tooltip_label = "Zoom In";
369 // } else {
370 // icon_path = "icons/maximize.svg";
371 // tooltip_label = "Zoom In";
372 // }
373
374 // Pane::render_tab_bar_button(
375 // 2,
376 // icon_path,
377 // pane.is_zoomed(),
378 // Some((tooltip_label, Some(Box::new(ToggleZoom)))),
379 // cx,
380 // move |pane, cx| pane.toggle_zoom(&Default::default(), cx),
381 // move |_, _| {},
382 // None,
383 // )
384 // })
385 // .into_any()
386 // }),
387 }
388 }
389
390 pub(crate) fn workspace(&self) -> &WeakView<Workspace> {
391 &self.workspace
392 }
393
394 pub fn has_focus(&self, cx: &WindowContext) -> bool {
395 self.focus_handle.contains_focused(cx)
396 }
397
398 pub fn active_item_index(&self) -> usize {
399 self.active_item_index
400 }
401
402 // pub fn on_can_drop<F>(&mut self, can_drop: F)
403 // where
404 // F: 'static + Fn(&DragAndDrop<Workspace>, &WindowContext) -> bool,
405 // {
406 // self.can_drop = Rc::new(can_drop);
407 // }
408
409 pub fn set_can_split(&mut self, can_split: bool, cx: &mut ViewContext<Self>) {
410 self.can_split = can_split;
411 cx.notify();
412 }
413
414 pub fn set_can_navigate(&mut self, can_navigate: bool, cx: &mut ViewContext<Self>) {
415 self.toolbar.update(cx, |toolbar, cx| {
416 toolbar.set_can_navigate(can_navigate, cx);
417 });
418 cx.notify();
419 }
420
421 // pub fn set_render_tab_bar_buttons<F>(&mut self, cx: &mut ViewContext<Self>, render: F)
422 // where
423 // F: 'static + Fn(&mut Pane, &mut ViewContext<Pane>) -> AnyElement<Pane>,
424 // {
425 // self.render_tab_bar_buttons = Rc::new(render);
426 // cx.notify();
427 // }
428
429 pub fn nav_history_for_item<T: Item>(&self, item: &View<T>) -> ItemNavHistory {
430 ItemNavHistory {
431 history: self.nav_history.clone(),
432 item: Arc::new(item.downgrade()),
433 }
434 }
435
436 pub fn nav_history(&self) -> &NavHistory {
437 &self.nav_history
438 }
439
440 pub fn nav_history_mut(&mut self) -> &mut NavHistory {
441 &mut self.nav_history
442 }
443
444 pub fn disable_history(&mut self) {
445 self.nav_history.disable();
446 }
447
448 pub fn enable_history(&mut self) {
449 self.nav_history.enable();
450 }
451
452 pub fn can_navigate_backward(&self) -> bool {
453 !self.nav_history.0.lock().backward_stack.is_empty()
454 }
455
456 pub fn can_navigate_forward(&self) -> bool {
457 !self.nav_history.0.lock().forward_stack.is_empty()
458 }
459
460 fn history_updated(&mut self, cx: &mut ViewContext<Self>) {
461 self.toolbar.update(cx, |_, cx| cx.notify());
462 }
463
464 pub(crate) fn open_item(
465 &mut self,
466 project_entry_id: ProjectEntryId,
467 focus_item: bool,
468 cx: &mut ViewContext<Self>,
469 build_item: impl FnOnce(&mut ViewContext<Pane>) -> Box<dyn ItemHandle>,
470 ) -> Box<dyn ItemHandle> {
471 let mut existing_item = None;
472 for (index, item) in self.items.iter().enumerate() {
473 if item.is_singleton(cx) && item.project_entry_ids(cx).as_slice() == [project_entry_id]
474 {
475 let item = item.boxed_clone();
476 existing_item = Some((index, item));
477 break;
478 }
479 }
480
481 if let Some((index, existing_item)) = existing_item {
482 self.activate_item(index, focus_item, focus_item, cx);
483 existing_item
484 } else {
485 let new_item = build_item(cx);
486 self.add_item(new_item.clone(), true, focus_item, None, cx);
487 new_item
488 }
489 }
490
491 pub fn add_item(
492 &mut self,
493 item: Box<dyn ItemHandle>,
494 activate_pane: bool,
495 focus_item: bool,
496 destination_index: Option<usize>,
497 cx: &mut ViewContext<Self>,
498 ) {
499 if item.is_singleton(cx) {
500 if let Some(&entry_id) = item.project_entry_ids(cx).get(0) {
501 let project = self.project.read(cx);
502 if let Some(project_path) = project.path_for_entry(entry_id, cx) {
503 let abs_path = project.absolute_path(&project_path, cx);
504 self.nav_history
505 .0
506 .lock()
507 .paths_by_item
508 .insert(item.item_id(), (project_path, abs_path));
509 }
510 }
511 }
512 // If no destination index is specified, add or move the item after the active item.
513 let mut insertion_index = {
514 cmp::min(
515 if let Some(destination_index) = destination_index {
516 destination_index
517 } else {
518 self.active_item_index + 1
519 },
520 self.items.len(),
521 )
522 };
523
524 // Does the item already exist?
525 let project_entry_id = if item.is_singleton(cx) {
526 item.project_entry_ids(cx).get(0).copied()
527 } else {
528 None
529 };
530
531 let existing_item_index = self.items.iter().position(|existing_item| {
532 if existing_item.item_id() == item.item_id() {
533 true
534 } else if existing_item.is_singleton(cx) {
535 existing_item
536 .project_entry_ids(cx)
537 .get(0)
538 .map_or(false, |existing_entry_id| {
539 Some(existing_entry_id) == project_entry_id.as_ref()
540 })
541 } else {
542 false
543 }
544 });
545
546 if let Some(existing_item_index) = existing_item_index {
547 // If the item already exists, move it to the desired destination and activate it
548
549 if existing_item_index != insertion_index {
550 let existing_item_is_active = existing_item_index == self.active_item_index;
551
552 // If the caller didn't specify a destination and the added item is already
553 // the active one, don't move it
554 if existing_item_is_active && destination_index.is_none() {
555 insertion_index = existing_item_index;
556 } else {
557 self.items.remove(existing_item_index);
558 if existing_item_index < self.active_item_index {
559 self.active_item_index -= 1;
560 }
561 insertion_index = insertion_index.min(self.items.len());
562
563 self.items.insert(insertion_index, item.clone());
564
565 if existing_item_is_active {
566 self.active_item_index = insertion_index;
567 } else if insertion_index <= self.active_item_index {
568 self.active_item_index += 1;
569 }
570 }
571
572 cx.notify();
573 }
574
575 self.activate_item(insertion_index, activate_pane, focus_item, cx);
576 } else {
577 self.items.insert(insertion_index, item.clone());
578 if insertion_index <= self.active_item_index {
579 self.active_item_index += 1;
580 }
581
582 self.activate_item(insertion_index, activate_pane, focus_item, cx);
583 cx.notify();
584 }
585
586 cx.emit(Event::AddItem { item });
587 }
588
589 pub fn items_len(&self) -> usize {
590 self.items.len()
591 }
592
593 pub fn items(&self) -> impl Iterator<Item = &Box<dyn ItemHandle>> + DoubleEndedIterator {
594 self.items.iter()
595 }
596
597 pub fn items_of_type<T: Render>(&self) -> impl '_ + Iterator<Item = View<T>> {
598 self.items
599 .iter()
600 .filter_map(|item| item.to_any().downcast().ok())
601 }
602
603 pub fn active_item(&self) -> Option<Box<dyn ItemHandle>> {
604 self.items.get(self.active_item_index).cloned()
605 }
606
607 pub fn pixel_position_of_cursor(&self, cx: &AppContext) -> Option<Point<Pixels>> {
608 self.items
609 .get(self.active_item_index)?
610 .pixel_position_of_cursor(cx)
611 }
612
613 pub fn item_for_entry(
614 &self,
615 entry_id: ProjectEntryId,
616 cx: &AppContext,
617 ) -> Option<Box<dyn ItemHandle>> {
618 self.items.iter().find_map(|item| {
619 if item.is_singleton(cx) && item.project_entry_ids(cx).as_slice() == [entry_id] {
620 Some(item.boxed_clone())
621 } else {
622 None
623 }
624 })
625 }
626
627 pub fn index_for_item(&self, item: &dyn ItemHandle) -> Option<usize> {
628 self.items
629 .iter()
630 .position(|i| i.item_id() == item.item_id())
631 }
632
633 // pub fn toggle_zoom(&mut self, _: &ToggleZoom, cx: &mut ViewContext<Self>) {
634 // // Potentially warn the user of the new keybinding
635 // let workspace_handle = self.workspace().clone();
636 // cx.spawn(|_, mut cx| async move { notify_of_new_dock(&workspace_handle, &mut cx) })
637 // .detach();
638
639 // if self.zoomed {
640 // cx.emit(Event::ZoomOut);
641 // } else if !self.items.is_empty() {
642 // if !self.has_focus {
643 // cx.focus_self();
644 // }
645 // cx.emit(Event::ZoomIn);
646 // }
647 // }
648
649 pub fn activate_item(
650 &mut self,
651 index: usize,
652 activate_pane: bool,
653 focus_item: bool,
654 cx: &mut ViewContext<Self>,
655 ) {
656 use NavigationMode::{GoingBack, GoingForward};
657
658 if index < self.items.len() {
659 let prev_active_item_ix = mem::replace(&mut self.active_item_index, index);
660 if prev_active_item_ix != self.active_item_index
661 || matches!(self.nav_history.mode(), GoingBack | GoingForward)
662 {
663 if let Some(prev_item) = self.items.get(prev_active_item_ix) {
664 prev_item.deactivated(cx);
665 }
666
667 cx.emit(Event::ActivateItem {
668 local: activate_pane,
669 });
670 }
671
672 if let Some(newly_active_item) = self.items.get(index) {
673 self.activation_history
674 .retain(|&previously_active_item_id| {
675 previously_active_item_id != newly_active_item.item_id()
676 });
677 self.activation_history.push(newly_active_item.item_id());
678 }
679
680 self.update_toolbar(cx);
681
682 if focus_item {
683 self.focus_active_item(cx);
684 }
685
686 self.autoscroll = true;
687 cx.notify();
688 }
689 }
690
691 pub fn activate_prev_item(&mut self, activate_pane: bool, cx: &mut ViewContext<Self>) {
692 let mut index = self.active_item_index;
693 if index > 0 {
694 index -= 1;
695 } else if !self.items.is_empty() {
696 index = self.items.len() - 1;
697 }
698 self.activate_item(index, activate_pane, activate_pane, cx);
699 }
700
701 pub fn activate_next_item(&mut self, activate_pane: bool, cx: &mut ViewContext<Self>) {
702 let mut index = self.active_item_index;
703 if index + 1 < self.items.len() {
704 index += 1;
705 } else {
706 index = 0;
707 }
708 self.activate_item(index, activate_pane, activate_pane, cx);
709 }
710
711 pub fn close_active_item(
712 &mut self,
713 action: &CloseActiveItem,
714 cx: &mut ViewContext<Self>,
715 ) -> Option<Task<Result<()>>> {
716 if self.items.is_empty() {
717 return None;
718 }
719 let active_item_id = self.items[self.active_item_index].item_id();
720 Some(self.close_item_by_id(
721 active_item_id,
722 action.save_intent.unwrap_or(SaveIntent::Close),
723 cx,
724 ))
725 }
726
727 pub fn close_item_by_id(
728 &mut self,
729 item_id_to_close: EntityId,
730 save_intent: SaveIntent,
731 cx: &mut ViewContext<Self>,
732 ) -> Task<Result<()>> {
733 self.close_items(cx, save_intent, move |view_id| view_id == item_id_to_close)
734 }
735
736 pub fn close_inactive_items(
737 &mut self,
738 _: &CloseInactiveItems,
739 cx: &mut ViewContext<Self>,
740 ) -> Option<Task<Result<()>>> {
741 if self.items.is_empty() {
742 return None;
743 }
744
745 let active_item_id = self.items[self.active_item_index].item_id();
746 Some(self.close_items(cx, SaveIntent::Close, move |item_id| {
747 item_id != active_item_id
748 }))
749 }
750
751 pub fn close_clean_items(
752 &mut self,
753 _: &CloseCleanItems,
754 cx: &mut ViewContext<Self>,
755 ) -> Option<Task<Result<()>>> {
756 let item_ids: Vec<_> = self
757 .items()
758 .filter(|item| !item.is_dirty(cx))
759 .map(|item| item.item_id())
760 .collect();
761 Some(self.close_items(cx, SaveIntent::Close, move |item_id| {
762 item_ids.contains(&item_id)
763 }))
764 }
765
766 pub fn close_items_to_the_left(
767 &mut self,
768 _: &CloseItemsToTheLeft,
769 cx: &mut ViewContext<Self>,
770 ) -> Option<Task<Result<()>>> {
771 if self.items.is_empty() {
772 return None;
773 }
774 let active_item_id = self.items[self.active_item_index].item_id();
775 Some(self.close_items_to_the_left_by_id(active_item_id, cx))
776 }
777
778 pub fn close_items_to_the_left_by_id(
779 &mut self,
780 item_id: EntityId,
781 cx: &mut ViewContext<Self>,
782 ) -> Task<Result<()>> {
783 let item_ids: Vec<_> = self
784 .items()
785 .take_while(|item| item.item_id() != item_id)
786 .map(|item| item.item_id())
787 .collect();
788 self.close_items(cx, SaveIntent::Close, move |item_id| {
789 item_ids.contains(&item_id)
790 })
791 }
792
793 pub fn close_items_to_the_right(
794 &mut self,
795 _: &CloseItemsToTheRight,
796 cx: &mut ViewContext<Self>,
797 ) -> Option<Task<Result<()>>> {
798 if self.items.is_empty() {
799 return None;
800 }
801 let active_item_id = self.items[self.active_item_index].item_id();
802 Some(self.close_items_to_the_right_by_id(active_item_id, cx))
803 }
804
805 pub fn close_items_to_the_right_by_id(
806 &mut self,
807 item_id: EntityId,
808 cx: &mut ViewContext<Self>,
809 ) -> Task<Result<()>> {
810 let item_ids: Vec<_> = self
811 .items()
812 .rev()
813 .take_while(|item| item.item_id() != item_id)
814 .map(|item| item.item_id())
815 .collect();
816 self.close_items(cx, SaveIntent::Close, move |item_id| {
817 item_ids.contains(&item_id)
818 })
819 }
820
821 pub fn close_all_items(
822 &mut self,
823 action: &CloseAllItems,
824 cx: &mut ViewContext<Self>,
825 ) -> Option<Task<Result<()>>> {
826 if self.items.is_empty() {
827 return None;
828 }
829
830 Some(
831 self.close_items(cx, action.save_intent.unwrap_or(SaveIntent::Close), |_| {
832 true
833 }),
834 )
835 }
836
837 pub(super) fn file_names_for_prompt(
838 items: &mut dyn Iterator<Item = &Box<dyn ItemHandle>>,
839 all_dirty_items: usize,
840 cx: &AppContext,
841 ) -> String {
842 /// Quantity of item paths displayed in prompt prior to cutoff..
843 const FILE_NAMES_CUTOFF_POINT: usize = 10;
844 let mut file_names: Vec<_> = items
845 .filter_map(|item| {
846 item.project_path(cx).and_then(|project_path| {
847 project_path
848 .path
849 .file_name()
850 .and_then(|name| name.to_str().map(ToOwned::to_owned))
851 })
852 })
853 .take(FILE_NAMES_CUTOFF_POINT)
854 .collect();
855 let should_display_followup_text =
856 all_dirty_items > FILE_NAMES_CUTOFF_POINT || file_names.len() != all_dirty_items;
857 if should_display_followup_text {
858 let not_shown_files = all_dirty_items - file_names.len();
859 if not_shown_files == 1 {
860 file_names.push(".. 1 file not shown".into());
861 } else {
862 file_names.push(format!(".. {} files not shown", not_shown_files).into());
863 }
864 }
865 let file_names = file_names.join("\n");
866 format!(
867 "Do you want to save changes to the following {} files?\n{file_names}",
868 all_dirty_items
869 )
870 }
871
872 pub fn close_items(
873 &mut self,
874 cx: &mut ViewContext<Pane>,
875 mut save_intent: SaveIntent,
876 should_close: impl 'static + Fn(EntityId) -> bool,
877 ) -> Task<Result<()>> {
878 // Find the items to close.
879 let mut items_to_close = Vec::new();
880 let mut dirty_items = Vec::new();
881 for item in &self.items {
882 if should_close(item.item_id()) {
883 items_to_close.push(item.boxed_clone());
884 if item.is_dirty(cx) {
885 dirty_items.push(item.boxed_clone());
886 }
887 }
888 }
889
890 // If a buffer is open both in a singleton editor and in a multibuffer, make sure
891 // to focus the singleton buffer when prompting to save that buffer, as opposed
892 // to focusing the multibuffer, because this gives the user a more clear idea
893 // of what content they would be saving.
894 items_to_close.sort_by_key(|item| !item.is_singleton(cx));
895
896 let workspace = self.workspace.clone();
897 cx.spawn(|pane, mut cx| async move {
898 if save_intent == SaveIntent::Close && dirty_items.len() > 1 {
899 let answer = pane.update(&mut cx, |_, cx| {
900 let prompt =
901 Self::file_names_for_prompt(&mut dirty_items.iter(), dirty_items.len(), cx);
902 cx.prompt(
903 PromptLevel::Warning,
904 &prompt,
905 &["Save all", "Discard all", "Cancel"],
906 )
907 })?;
908 match answer.await {
909 Ok(0) => save_intent = SaveIntent::SaveAll,
910 Ok(1) => save_intent = SaveIntent::Skip,
911 _ => {}
912 }
913 }
914 let mut saved_project_items_ids = HashSet::default();
915 for item in items_to_close.clone() {
916 // Find the item's current index and its set of project item models. Avoid
917 // storing these in advance, in case they have changed since this task
918 // was started.
919 let (item_ix, mut project_item_ids) = pane.update(&mut cx, |pane, cx| {
920 (pane.index_for_item(&*item), item.project_item_model_ids(cx))
921 })?;
922 let item_ix = if let Some(ix) = item_ix {
923 ix
924 } else {
925 continue;
926 };
927
928 // Check if this view has any project items that are not open anywhere else
929 // in the workspace, AND that the user has not already been prompted to save.
930 // If there are any such project entries, prompt the user to save this item.
931 let project = workspace.update(&mut cx, |workspace, cx| {
932 for item in workspace.items(cx) {
933 if !items_to_close
934 .iter()
935 .any(|item_to_close| item_to_close.item_id() == item.item_id())
936 {
937 let other_project_item_ids = item.project_item_model_ids(cx);
938 project_item_ids.retain(|id| !other_project_item_ids.contains(id));
939 }
940 }
941 workspace.project().clone()
942 })?;
943 let should_save = project_item_ids
944 .iter()
945 .any(|id| saved_project_items_ids.insert(*id));
946
947 if should_save
948 && !Self::save_item(
949 project.clone(),
950 &pane,
951 item_ix,
952 &*item,
953 save_intent,
954 &mut cx,
955 )
956 .await?
957 {
958 break;
959 }
960
961 // Remove the item from the pane.
962 pane.update(&mut cx, |pane, cx| {
963 if let Some(item_ix) = pane
964 .items
965 .iter()
966 .position(|i| i.item_id() == item.item_id())
967 {
968 pane.remove_item(item_ix, false, cx);
969 }
970 })?;
971 }
972
973 pane.update(&mut cx, |_, cx| cx.notify())?;
974 Ok(())
975 })
976 }
977
978 pub fn remove_item(
979 &mut self,
980 item_index: usize,
981 activate_pane: bool,
982 cx: &mut ViewContext<Self>,
983 ) {
984 self.activation_history
985 .retain(|&history_entry| history_entry != self.items[item_index].item_id());
986
987 if item_index == self.active_item_index {
988 let index_to_activate = self
989 .activation_history
990 .pop()
991 .and_then(|last_activated_item| {
992 self.items.iter().enumerate().find_map(|(index, item)| {
993 (item.item_id() == last_activated_item).then_some(index)
994 })
995 })
996 // We didn't have a valid activation history entry, so fallback
997 // to activating the item to the left
998 .unwrap_or_else(|| item_index.min(self.items.len()).saturating_sub(1));
999
1000 let should_activate = activate_pane || self.has_focus(cx);
1001 if self.items.len() == 1 && should_activate {
1002 self.focus_handle.focus(cx);
1003 } else {
1004 self.activate_item(index_to_activate, should_activate, should_activate, cx);
1005 }
1006 }
1007
1008 let item = self.items.remove(item_index);
1009
1010 cx.emit(Event::RemoveItem {
1011 item_id: item.item_id(),
1012 });
1013 if self.items.is_empty() {
1014 item.deactivated(cx);
1015 self.update_toolbar(cx);
1016 cx.emit(Event::Remove);
1017 }
1018
1019 if item_index < self.active_item_index {
1020 self.active_item_index -= 1;
1021 }
1022
1023 self.nav_history.set_mode(NavigationMode::ClosingItem);
1024 item.deactivated(cx);
1025 self.nav_history.set_mode(NavigationMode::Normal);
1026
1027 if let Some(path) = item.project_path(cx) {
1028 let abs_path = self
1029 .nav_history
1030 .0
1031 .lock()
1032 .paths_by_item
1033 .get(&item.item_id())
1034 .and_then(|(_, abs_path)| abs_path.clone());
1035
1036 self.nav_history
1037 .0
1038 .lock()
1039 .paths_by_item
1040 .insert(item.item_id(), (path, abs_path));
1041 } else {
1042 self.nav_history
1043 .0
1044 .lock()
1045 .paths_by_item
1046 .remove(&item.item_id());
1047 }
1048
1049 if self.items.is_empty() && self.zoomed {
1050 cx.emit(Event::ZoomOut);
1051 }
1052
1053 cx.notify();
1054 }
1055
1056 pub async fn save_item(
1057 project: Model<Project>,
1058 pane: &WeakView<Pane>,
1059 item_ix: usize,
1060 item: &dyn ItemHandle,
1061 save_intent: SaveIntent,
1062 cx: &mut AsyncWindowContext,
1063 ) -> Result<bool> {
1064 const CONFLICT_MESSAGE: &str =
1065 "This file has changed on disk since you started editing it. Do you want to overwrite it?";
1066
1067 if save_intent == SaveIntent::Skip {
1068 return Ok(true);
1069 }
1070
1071 let (mut has_conflict, mut is_dirty, mut can_save, can_save_as) = cx.update(|_, cx| {
1072 (
1073 item.has_conflict(cx),
1074 item.is_dirty(cx),
1075 item.can_save(cx),
1076 item.is_singleton(cx),
1077 )
1078 })?;
1079
1080 // when saving a single buffer, we ignore whether or not it's dirty.
1081 if save_intent == SaveIntent::Save {
1082 is_dirty = true;
1083 }
1084
1085 if save_intent == SaveIntent::SaveAs {
1086 is_dirty = true;
1087 has_conflict = false;
1088 can_save = false;
1089 }
1090
1091 if save_intent == SaveIntent::Overwrite {
1092 has_conflict = false;
1093 }
1094
1095 if has_conflict && can_save {
1096 let answer = pane.update(cx, |pane, cx| {
1097 pane.activate_item(item_ix, true, true, cx);
1098 cx.prompt(
1099 PromptLevel::Warning,
1100 CONFLICT_MESSAGE,
1101 &["Overwrite", "Discard", "Cancel"],
1102 )
1103 })?;
1104 match answer.await {
1105 Ok(0) => pane.update(cx, |_, cx| item.save(project, cx))?.await?,
1106 Ok(1) => pane.update(cx, |_, cx| item.reload(project, cx))?.await?,
1107 _ => return Ok(false),
1108 }
1109 } else if is_dirty && (can_save || can_save_as) {
1110 if save_intent == SaveIntent::Close {
1111 let will_autosave = cx.update(|_, cx| {
1112 matches!(
1113 WorkspaceSettings::get_global(cx).autosave,
1114 AutosaveSetting::OnFocusChange | AutosaveSetting::OnWindowChange
1115 ) && Self::can_autosave_item(&*item, cx)
1116 })?;
1117 if !will_autosave {
1118 let answer = pane.update(cx, |pane, cx| {
1119 pane.activate_item(item_ix, true, true, cx);
1120 let prompt = dirty_message_for(item.project_path(cx));
1121 cx.prompt(
1122 PromptLevel::Warning,
1123 &prompt,
1124 &["Save", "Don't Save", "Cancel"],
1125 )
1126 })?;
1127 match answer.await {
1128 Ok(0) => {}
1129 Ok(1) => return Ok(true), // Don't save this file
1130 _ => return Ok(false), // Cancel
1131 }
1132 }
1133 }
1134
1135 if can_save {
1136 pane.update(cx, |_, cx| item.save(project, cx))?.await?;
1137 } else if can_save_as {
1138 let start_abs_path = project
1139 .update(cx, |project, cx| {
1140 let worktree = project.visible_worktrees(cx).next()?;
1141 Some(worktree.read(cx).as_local()?.abs_path().to_path_buf())
1142 })?
1143 .unwrap_or_else(|| Path::new("").into());
1144
1145 let abs_path = cx.update(|_, cx| cx.prompt_for_new_path(&start_abs_path))?;
1146 if let Some(abs_path) = abs_path.await.ok().flatten() {
1147 pane.update(cx, |_, cx| item.save_as(project, abs_path, cx))?
1148 .await?;
1149 } else {
1150 return Ok(false);
1151 }
1152 }
1153 }
1154 Ok(true)
1155 }
1156
1157 fn can_autosave_item(item: &dyn ItemHandle, cx: &AppContext) -> bool {
1158 let is_deleted = item.project_entry_ids(cx).is_empty();
1159 item.is_dirty(cx) && !item.has_conflict(cx) && item.can_save(cx) && !is_deleted
1160 }
1161
1162 pub fn autosave_item(
1163 item: &dyn ItemHandle,
1164 project: Model<Project>,
1165 cx: &mut WindowContext,
1166 ) -> Task<Result<()>> {
1167 if Self::can_autosave_item(item, cx) {
1168 item.save(project, cx)
1169 } else {
1170 Task::ready(Ok(()))
1171 }
1172 }
1173
1174 pub fn focus(&mut self, cx: &mut ViewContext<Pane>) {
1175 cx.focus(&self.focus_handle);
1176 }
1177
1178 pub fn focus_active_item(&mut self, cx: &mut ViewContext<Self>) {
1179 if let Some(active_item) = self.active_item() {
1180 let focus_handle = active_item.focus_handle(cx);
1181 cx.focus(&focus_handle);
1182 }
1183 }
1184
1185 pub fn split(&mut self, direction: SplitDirection, cx: &mut ViewContext<Self>) {
1186 cx.emit(Event::Split(direction));
1187 }
1188
1189 // fn deploy_split_menu(&mut self, cx: &mut ViewContext<Self>) {
1190 // self.tab_bar_context_menu.handle.update(cx, |menu, cx| {
1191 // menu.toggle(
1192 // Default::default(),
1193 // AnchorCorner::TopRight,
1194 // vec![
1195 // ContextMenuItem::action("Split Right", SplitRight),
1196 // ContextMenuItem::action("Split Left", SplitLeft),
1197 // ContextMenuItem::action("Split Up", SplitUp),
1198 // ContextMenuItem::action("Split Down", SplitDown),
1199 // ],
1200 // cx,
1201 // );
1202 // });
1203
1204 // self.tab_bar_context_menu.kind = TabBarContextMenuKind::Split;
1205 // }
1206
1207 // fn deploy_new_menu(&mut self, cx: &mut ViewContext<Self>) {
1208 // self.tab_bar_context_menu.handle.update(cx, |menu, cx| {
1209 // menu.toggle(
1210 // Default::default(),
1211 // AnchorCorner::TopRight,
1212 // vec![
1213 // ContextMenuItem::action("New File", NewFile),
1214 // ContextMenuItem::action("New Terminal", NewCenterTerminal),
1215 // ContextMenuItem::action("New Search", NewSearch),
1216 // ],
1217 // cx,
1218 // );
1219 // });
1220
1221 // self.tab_bar_context_menu.kind = TabBarContextMenuKind::New;
1222 // }
1223
1224 // fn deploy_tab_context_menu(
1225 // &mut self,
1226 // position: Vector2F,
1227 // target_item_id: usize,
1228 // cx: &mut ViewContext<Self>,
1229 // ) {
1230 // let active_item_id = self.items[self.active_item_index].id();
1231 // let is_active_item = target_item_id == active_item_id;
1232 // let target_pane = cx.weak_handle();
1233
1234 // // The `CloseInactiveItems` action should really be called "CloseOthers" and the behaviour should be dynamically based on the tab the action is ran on. Currently, this is a weird action because you can run it on a non-active tab and it will close everything by the actual active tab
1235
1236 // self.tab_context_menu.update(cx, |menu, cx| {
1237 // menu.show(
1238 // position,
1239 // AnchorCorner::TopLeft,
1240 // if is_active_item {
1241 // vec![
1242 // ContextMenuItem::action(
1243 // "Close Active Item",
1244 // CloseActiveItem { save_intent: None },
1245 // ),
1246 // ContextMenuItem::action("Close Inactive Items", CloseInactiveItems),
1247 // ContextMenuItem::action("Close Clean Items", CloseCleanItems),
1248 // ContextMenuItem::action("Close Items To The Left", CloseItemsToTheLeft),
1249 // ContextMenuItem::action("Close Items To The Right", CloseItemsToTheRight),
1250 // ContextMenuItem::action(
1251 // "Close All Items",
1252 // CloseAllItems { save_intent: None },
1253 // ),
1254 // ]
1255 // } else {
1256 // // In the case of the user right clicking on a non-active tab, for some item-closing commands, we need to provide the id of the tab, for the others, we can reuse the existing command.
1257 // vec![
1258 // ContextMenuItem::handler("Close Inactive Item", {
1259 // let pane = target_pane.clone();
1260 // move |cx| {
1261 // if let Some(pane) = pane.upgrade(cx) {
1262 // pane.update(cx, |pane, cx| {
1263 // pane.close_item_by_id(
1264 // target_item_id,
1265 // SaveIntent::Close,
1266 // cx,
1267 // )
1268 // .detach_and_log_err(cx);
1269 // })
1270 // }
1271 // }
1272 // }),
1273 // ContextMenuItem::action("Close Inactive Items", CloseInactiveItems),
1274 // ContextMenuItem::action("Close Clean Items", CloseCleanItems),
1275 // ContextMenuItem::handler("Close Items To The Left", {
1276 // let pane = target_pane.clone();
1277 // move |cx| {
1278 // if let Some(pane) = pane.upgrade(cx) {
1279 // pane.update(cx, |pane, cx| {
1280 // pane.close_items_to_the_left_by_id(target_item_id, cx)
1281 // .detach_and_log_err(cx);
1282 // })
1283 // }
1284 // }
1285 // }),
1286 // ContextMenuItem::handler("Close Items To The Right", {
1287 // let pane = target_pane.clone();
1288 // move |cx| {
1289 // if let Some(pane) = pane.upgrade(cx) {
1290 // pane.update(cx, |pane, cx| {
1291 // pane.close_items_to_the_right_by_id(target_item_id, cx)
1292 // .detach_and_log_err(cx);
1293 // })
1294 // }
1295 // }
1296 // }),
1297 // ContextMenuItem::action(
1298 // "Close All Items",
1299 // CloseAllItems { save_intent: None },
1300 // ),
1301 // ]
1302 // },
1303 // cx,
1304 // );
1305 // });
1306 // }
1307
1308 pub fn toolbar(&self) -> &View<Toolbar> {
1309 &self.toolbar
1310 }
1311
1312 pub fn handle_deleted_project_item(
1313 &mut self,
1314 entry_id: ProjectEntryId,
1315 cx: &mut ViewContext<Pane>,
1316 ) -> Option<()> {
1317 let (item_index_to_delete, item_id) = self.items().enumerate().find_map(|(i, item)| {
1318 if item.is_singleton(cx) && item.project_entry_ids(cx).as_slice() == [entry_id] {
1319 Some((i, item.item_id()))
1320 } else {
1321 None
1322 }
1323 })?;
1324
1325 self.remove_item(item_index_to_delete, false, cx);
1326 self.nav_history.remove_item(item_id);
1327
1328 Some(())
1329 }
1330
1331 fn update_toolbar(&mut self, cx: &mut ViewContext<Self>) {
1332 let active_item = self
1333 .items
1334 .get(self.active_item_index)
1335 .map(|item| item.as_ref());
1336 self.toolbar.update(cx, |toolbar, cx| {
1337 toolbar.set_active_item(active_item, cx);
1338 });
1339 }
1340
1341 fn render_tab(
1342 &self,
1343 ix: usize,
1344 item: &Box<dyn ItemHandle>,
1345 detail: usize,
1346 cx: &mut ViewContext<'_, Pane>,
1347 ) -> impl IntoElement {
1348 let label = item.tab_content(Some(detail), cx);
1349 let close_icon = || {
1350 let id = item.item_id();
1351
1352 div()
1353 .id(ix)
1354 .invisible()
1355 .group_hover("", |style| style.visible())
1356 .child(
1357 IconButton::new("close_tab", Icon::Close).on_click(cx.listener(
1358 move |pane, _, cx| {
1359 pane.close_item_by_id(id, SaveIntent::Close, cx)
1360 .detach_and_log_err(cx);
1361 },
1362 )),
1363 )
1364 };
1365
1366 let (text_color, tab_bg, tab_hover_bg, tab_active_bg) = match ix == self.active_item_index {
1367 false => (
1368 cx.theme().colors().text_muted,
1369 cx.theme().colors().tab_inactive_background,
1370 cx.theme().colors().ghost_element_hover,
1371 cx.theme().colors().ghost_element_active,
1372 ),
1373 true => (
1374 cx.theme().colors().text,
1375 cx.theme().colors().tab_active_background,
1376 cx.theme().colors().element_hover,
1377 cx.theme().colors().element_active,
1378 ),
1379 };
1380
1381 let close_right = ItemSettings::get_global(cx).close_position.right();
1382 let is_active = ix == self.active_item_index;
1383
1384 div()
1385 .group("")
1386 .id(ix)
1387 .cursor_pointer()
1388 .when_some(item.tab_tooltip_text(cx), |div, text| {
1389 div.tooltip(move |cx| cx.build_view(|cx| Tooltip::new(text.clone())).into())
1390 })
1391 .on_click(cx.listener(move |v: &mut Self, e, cx| v.activate_item(ix, true, true, cx)))
1392 // .on_drag(move |pane, cx| pane.render_tab(ix, item.boxed_clone(), detail, cx))
1393 // .drag_over::<DraggedTab>(|d| d.bg(cx.theme().colors().element_drop_target))
1394 // .on_drop(|_view, state: View<DraggedTab>, cx| {
1395 // eprintln!("{:?}", state.read(cx));
1396 // })
1397 .flex()
1398 .items_center()
1399 .justify_center()
1400 // todo!("Nate - I need to do some work to balance all the items in the tab once things stablize")
1401 .map(|this| {
1402 if close_right {
1403 this.pl_3().pr_1()
1404 } else {
1405 this.pr_1().pr_3()
1406 }
1407 })
1408 .py_1()
1409 .bg(tab_bg)
1410 .border_color(cx.theme().colors().border)
1411 .text_color(if is_active {
1412 cx.theme().colors().text
1413 } else {
1414 cx.theme().colors().text_muted
1415 })
1416 .map(|this| {
1417 let is_last_item = ix == self.items.len() - 1;
1418 match ix.cmp(&self.active_item_index) {
1419 cmp::Ordering::Less => this.border_l().mr_px(),
1420 cmp::Ordering::Greater => {
1421 if is_last_item {
1422 this.mr_px().ml_px()
1423 } else {
1424 this.border_r().ml_px()
1425 }
1426 }
1427 cmp::Ordering::Equal => this.border_l().border_r(),
1428 }
1429 })
1430 // .hover(|h| h.bg(tab_hover_bg))
1431 // .active(|a| a.bg(tab_active_bg))
1432 .child(
1433 div()
1434 .flex()
1435 .items_center()
1436 .gap_1()
1437 .text_color(text_color)
1438 .children(
1439 item.has_conflict(cx)
1440 .then(|| {
1441 div().border().border_color(gpui::red()).child(
1442 IconElement::new(Icon::ExclamationTriangle)
1443 .size(ui::IconSize::Small)
1444 .color(Color::Warning),
1445 )
1446 })
1447 .or(item.is_dirty(cx).then(|| {
1448 div().border().border_color(gpui::red()).child(
1449 IconElement::new(Icon::ExclamationTriangle)
1450 .size(ui::IconSize::Small)
1451 .color(Color::Info),
1452 )
1453 })),
1454 )
1455 .children((!close_right).then(|| close_icon()))
1456 .child(label)
1457 .children(close_right.then(|| close_icon())),
1458 )
1459 }
1460
1461 fn render_tab_bar(&mut self, cx: &mut ViewContext<'_, Pane>) -> impl IntoElement {
1462 div()
1463 .group("tab_bar")
1464 .id("tab_bar")
1465 .w_full()
1466 .flex()
1467 .bg(cx.theme().colors().tab_bar_background)
1468 // Left Side
1469 .child(
1470 div()
1471 .relative()
1472 .px_1()
1473 .flex()
1474 .flex_none()
1475 .gap_2()
1476 // Nav Buttons
1477 .child(
1478 div()
1479 .right_0()
1480 .flex()
1481 .items_center()
1482 .gap_px()
1483 .child(
1484 div().border().border_color(gpui::red()).child(
1485 IconButton::new("navigate_backward", Icon::ArrowLeft).state(
1486 InteractionState::Enabled
1487 .if_enabled(self.can_navigate_backward()),
1488 ),
1489 ),
1490 )
1491 .child(
1492 div().border().border_color(gpui::red()).child(
1493 IconButton::new("navigate_forward", Icon::ArrowRight).state(
1494 InteractionState::Enabled
1495 .if_enabled(self.can_navigate_forward()),
1496 ),
1497 ),
1498 ),
1499 ),
1500 )
1501 .child(
1502 div().flex_1().h_full().child(
1503 div().id("tabs").flex().overflow_x_scroll().children(
1504 self.items
1505 .iter()
1506 .enumerate()
1507 .zip(self.tab_details(cx))
1508 .map(|((ix, item), detail)| self.render_tab(ix, item, detail, cx)),
1509 ),
1510 ),
1511 )
1512 // Right Side
1513 .child(
1514 div()
1515 .px_1()
1516 .flex()
1517 .flex_none()
1518 .gap_2()
1519 // Nav Buttons
1520 .child(
1521 div()
1522 .flex()
1523 .items_center()
1524 .gap_px()
1525 .child(
1526 div()
1527 .border()
1528 .border_color(gpui::red())
1529 .child(IconButton::new("plus", Icon::Plus)),
1530 )
1531 .child(
1532 div()
1533 .border()
1534 .border_color(gpui::red())
1535 .child(IconButton::new("split", Icon::Split)),
1536 ),
1537 ),
1538 )
1539 }
1540
1541 // fn render_tabs(&mut self, cx: &mut ViewContext<Self>) -> impl Element<Self> {
1542 // let theme = theme::current(cx).clone();
1543
1544 // let pane = cx.handle().downgrade();
1545 // let autoscroll = if mem::take(&mut self.autoscroll) {
1546 // Some(self.active_item_index)
1547 // } else {
1548 // None
1549 // };
1550
1551 // let pane_active = self.has_focus;
1552
1553 // enum Tabs {}
1554 // let mut row = Flex::row().scrollable::<Tabs>(1, autoscroll, cx);
1555 // for (ix, (item, detail)) in self
1556 // .items
1557 // .iter()
1558 // .cloned()
1559 // .zip(self.tab_details(cx))
1560 // .enumerate()
1561 // {
1562 // let git_status = item
1563 // .project_path(cx)
1564 // .and_then(|path| self.project.read(cx).entry_for_path(&path, cx))
1565 // .and_then(|entry| entry.git_status());
1566
1567 // let detail = if detail == 0 { None } else { Some(detail) };
1568 // let tab_active = ix == self.active_item_index;
1569
1570 // row.add_child({
1571 // enum TabDragReceiver {}
1572 // let mut receiver =
1573 // dragged_item_receiver::<TabDragReceiver, _, _>(self, ix, ix, true, None, cx, {
1574 // let item = item.clone();
1575 // let pane = pane.clone();
1576 // let detail = detail.clone();
1577
1578 // let theme = theme::current(cx).clone();
1579 // let mut tooltip_theme = theme.tooltip.clone();
1580 // tooltip_theme.max_text_width = None;
1581 // let tab_tooltip_text =
1582 // item.tab_tooltip_text(cx).map(|text| text.into_owned());
1583
1584 // let mut tab_style = theme
1585 // .workspace
1586 // .tab_bar
1587 // .tab_style(pane_active, tab_active)
1588 // .clone();
1589 // let should_show_status = settings::get::<ItemSettings>(cx).git_status;
1590 // if should_show_status && git_status != None {
1591 // tab_style.label.text.color = match git_status.unwrap() {
1592 // GitFileStatus::Added => tab_style.git.inserted,
1593 // GitFileStatus::Modified => tab_style.git.modified,
1594 // GitFileStatus::Conflict => tab_style.git.conflict,
1595 // };
1596 // }
1597
1598 // move |mouse_state, cx| {
1599 // let hovered = mouse_state.hovered();
1600
1601 // enum Tab {}
1602 // let mouse_event_handler =
1603 // MouseEventHandler::new::<Tab, _>(ix, cx, |_, cx| {
1604 // Self::render_tab(
1605 // &item,
1606 // pane.clone(),
1607 // ix == 0,
1608 // detail,
1609 // hovered,
1610 // &tab_style,
1611 // cx,
1612 // )
1613 // })
1614 // .on_down(MouseButton::Left, move |_, this, cx| {
1615 // this.activate_item(ix, true, true, cx);
1616 // })
1617 // .on_click(MouseButton::Middle, {
1618 // let item_id = item.id();
1619 // move |_, pane, cx| {
1620 // pane.close_item_by_id(item_id, SaveIntent::Close, cx)
1621 // .detach_and_log_err(cx);
1622 // }
1623 // })
1624 // .on_down(
1625 // MouseButton::Right,
1626 // move |event, pane, cx| {
1627 // pane.deploy_tab_context_menu(event.position, item.id(), cx);
1628 // },
1629 // );
1630
1631 // if let Some(tab_tooltip_text) = tab_tooltip_text {
1632 // mouse_event_handler
1633 // .with_tooltip::<Self>(
1634 // ix,
1635 // tab_tooltip_text,
1636 // None,
1637 // tooltip_theme,
1638 // cx,
1639 // )
1640 // .into_any()
1641 // } else {
1642 // mouse_event_handler.into_any()
1643 // }
1644 // }
1645 // });
1646
1647 // if !pane_active || !tab_active {
1648 // receiver = receiver.with_cursor_style(CursorStyle::PointingHand);
1649 // }
1650
1651 // receiver.as_draggable(
1652 // DraggedItem {
1653 // handle: item,
1654 // pane: pane.clone(),
1655 // },
1656 // {
1657 // let theme = theme::current(cx).clone();
1658
1659 // let detail = detail.clone();
1660 // move |_, dragged_item: &DraggedItem, cx: &mut ViewContext<Workspace>| {
1661 // let tab_style = &theme.workspace.tab_bar.dragged_tab;
1662 // Self::render_dragged_tab(
1663 // &dragged_item.handle,
1664 // dragged_item.pane.clone(),
1665 // false,
1666 // detail,
1667 // false,
1668 // &tab_style,
1669 // cx,
1670 // )
1671 // }
1672 // },
1673 // )
1674 // })
1675 // }
1676
1677 // // Use the inactive tab style along with the current pane's active status to decide how to render
1678 // // the filler
1679 // let filler_index = self.items.len();
1680 // let filler_style = theme.workspace.tab_bar.tab_style(pane_active, false);
1681 // enum Filler {}
1682 // row.add_child(
1683 // dragged_item_receiver::<Filler, _, _>(self, 0, filler_index, true, None, cx, |_, _| {
1684 // Empty::new()
1685 // .contained()
1686 // .with_style(filler_style.container)
1687 // .with_border(filler_style.container.border)
1688 // })
1689 // .flex(1., true)
1690 // .into_any_named("filler"),
1691 // );
1692
1693 // row
1694 // }
1695
1696 fn tab_details(&self, cx: &AppContext) -> Vec<usize> {
1697 let mut tab_details = self.items.iter().map(|_| 0).collect::<Vec<_>>();
1698
1699 let mut tab_descriptions = HashMap::default();
1700 let mut done = false;
1701 while !done {
1702 done = true;
1703
1704 // Store item indices by their tab description.
1705 for (ix, (item, detail)) in self.items.iter().zip(&tab_details).enumerate() {
1706 if let Some(description) = item.tab_description(*detail, cx) {
1707 if *detail == 0
1708 || Some(&description) != item.tab_description(detail - 1, cx).as_ref()
1709 {
1710 tab_descriptions
1711 .entry(description)
1712 .or_insert(Vec::new())
1713 .push(ix);
1714 }
1715 }
1716 }
1717
1718 // If two or more items have the same tab description, increase eir level
1719 // of detail and try again.
1720 for (_, item_ixs) in tab_descriptions.drain() {
1721 if item_ixs.len() > 1 {
1722 done = false;
1723 for ix in item_ixs {
1724 tab_details[ix] += 1;
1725 }
1726 }
1727 }
1728 }
1729
1730 tab_details
1731 }
1732
1733 // fn render_tab(
1734 // item: &Box<dyn ItemHandle>,
1735 // pane: WeakView<Pane>,
1736 // first: bool,
1737 // detail: Option<usize>,
1738 // hovered: bool,
1739 // tab_style: &theme::Tab,
1740 // cx: &mut ViewContext<Self>,
1741 // ) -> AnyElement<Self> {
1742 // let title = item.tab_content(detail, &tab_style, cx);
1743 // Self::render_tab_with_title(title, item, pane, first, hovered, tab_style, cx)
1744 // }
1745
1746 // fn render_dragged_tab(
1747 // item: &Box<dyn ItemHandle>,
1748 // pane: WeakView<Pane>,
1749 // first: bool,
1750 // detail: Option<usize>,
1751 // hovered: bool,
1752 // tab_style: &theme::Tab,
1753 // cx: &mut ViewContext<Workspace>,
1754 // ) -> AnyElement<Workspace> {
1755 // let title = item.dragged_tab_content(detail, &tab_style, cx);
1756 // Self::render_tab_with_title(title, item, pane, first, hovered, tab_style, cx)
1757 // }
1758
1759 // fn render_tab_with_title<T: View>(
1760 // title: AnyElement<T>,
1761 // item: &Box<dyn ItemHandle>,
1762 // pane: WeakView<Pane>,
1763 // first: bool,
1764 // hovered: bool,
1765 // tab_style: &theme::Tab,
1766 // cx: &mut ViewContext<T>,
1767 // ) -> AnyElement<T> {
1768 // let mut container = tab_style.container.clone();
1769 // if first {
1770 // container.border.left = false;
1771 // }
1772
1773 // let buffer_jewel_element = {
1774 // let diameter = 7.0;
1775 // let icon_color = if item.has_conflict(cx) {
1776 // Some(tab_style.icon_conflict)
1777 // } else if item.is_dirty(cx) {
1778 // Some(tab_style.icon_dirty)
1779 // } else {
1780 // None
1781 // };
1782
1783 // Canvas::new(move |bounds, _, _, cx| {
1784 // if let Some(color) = icon_color {
1785 // let square = RectF::new(bounds.origin(), vec2f(diameter, diameter));
1786 // cx.scene().push_quad(Quad {
1787 // bounds: square,
1788 // background: Some(color),
1789 // border: Default::default(),
1790 // corner_radii: (diameter / 2.).into(),
1791 // });
1792 // }
1793 // })
1794 // .constrained()
1795 // .with_width(diameter)
1796 // .with_height(diameter)
1797 // .aligned()
1798 // };
1799
1800 // let title_element = title.aligned().contained().with_style(ContainerStyle {
1801 // margin: Margin {
1802 // left: tab_style.spacing,
1803 // right: tab_style.spacing,
1804 // ..Default::default()
1805 // },
1806 // ..Default::default()
1807 // });
1808
1809 // let close_element = if hovered {
1810 // let item_id = item.id();
1811 // enum TabCloseButton {}
1812 // let icon = Svg::new("icons/x.svg");
1813 // MouseEventHandler::new::<TabCloseButton, _>(item_id, cx, |mouse_state, _| {
1814 // if mouse_state.hovered() {
1815 // icon.with_color(tab_style.icon_close_active)
1816 // } else {
1817 // icon.with_color(tab_style.icon_close)
1818 // }
1819 // })
1820 // .with_padding(Padding::uniform(4.))
1821 // .with_cursor_style(CursorStyle::PointingHand)
1822 // .on_click(MouseButton::Left, {
1823 // let pane = pane.clone();
1824 // move |_, _, cx| {
1825 // let pane = pane.clone();
1826 // cx.window_context().defer(move |cx| {
1827 // if let Some(pane) = pane.upgrade(cx) {
1828 // pane.update(cx, |pane, cx| {
1829 // pane.close_item_by_id(item_id, SaveIntent::Close, cx)
1830 // .detach_and_log_err(cx);
1831 // });
1832 // }
1833 // });
1834 // }
1835 // })
1836 // .into_any_named("close-tab-icon")
1837 // .constrained()
1838 // } else {
1839 // Empty::new().constrained()
1840 // }
1841 // .with_width(tab_style.close_icon_width)
1842 // .aligned();
1843
1844 // let close_right = settings::get::<ItemSettings>(cx).close_position.right();
1845
1846 // if close_right {
1847 // Flex::row()
1848 // .with_child(buffer_jewel_element)
1849 // .with_child(title_element)
1850 // .with_child(close_element)
1851 // } else {
1852 // Flex::row()
1853 // .with_child(close_element)
1854 // .with_child(title_element)
1855 // .with_child(buffer_jewel_element)
1856 // }
1857 // .contained()
1858 // .with_style(container)
1859 // .constrained()
1860 // .with_height(tab_style.height)
1861 // .into_any()
1862 // }
1863
1864 // pub fn render_tab_bar_button<
1865 // F1: 'static + Fn(&mut Pane, &mut EventContext<Pane>),
1866 // F2: 'static + Fn(&mut Pane, &mut EventContext<Pane>),
1867 // >(
1868 // index: usize,
1869 // icon: &'static str,
1870 // is_active: bool,
1871 // tooltip: Option<(&'static str, Option<Box<dyn Action>>)>,
1872 // cx: &mut ViewContext<Pane>,
1873 // on_click: F1,
1874 // on_down: F2,
1875 // context_menu: Option<ViewHandle<ContextMenu>>,
1876 // ) -> AnyElement<Pane> {
1877 // enum TabBarButton {}
1878
1879 // let mut button = MouseEventHandler::new::<TabBarButton, _>(index, cx, |mouse_state, cx| {
1880 // let theme = &settings2::get::<ThemeSettings>(cx).theme.workspace.tab_bar;
1881 // let style = theme.pane_button.in_state(is_active).style_for(mouse_state);
1882 // Svg::new(icon)
1883 // .with_color(style.color)
1884 // .constrained()
1885 // .with_width(style.icon_width)
1886 // .aligned()
1887 // .constrained()
1888 // .with_width(style.button_width)
1889 // .with_height(style.button_width)
1890 // })
1891 // .with_cursor_style(CursorStyle::PointingHand)
1892 // .on_down(MouseButton::Left, move |_, pane, cx| on_down(pane, cx))
1893 // .on_click(MouseButton::Left, move |_, pane, cx| on_click(pane, cx))
1894 // .into_any();
1895 // if let Some((tooltip, action)) = tooltip {
1896 // let tooltip_style = settings::get::<ThemeSettings>(cx).theme.tooltip.clone();
1897 // button = button
1898 // .with_tooltip::<TabBarButton>(index, tooltip, action, tooltip_style, cx)
1899 // .into_any();
1900 // }
1901
1902 // Stack::new()
1903 // .with_child(button)
1904 // .with_children(
1905 // context_menu.map(|menu| ChildView::new(&menu, cx).aligned().bottom().right()),
1906 // )
1907 // .flex(1., false)
1908 // .into_any_named("tab bar button")
1909 // }
1910
1911 // fn render_blank_pane(&self, theme: &Theme, _cx: &mut ViewContext<Self>) -> AnyElement<Self> {
1912 // let background = theme.workspace.background;
1913 // Empty::new()
1914 // .contained()
1915 // .with_background_color(background)
1916 // .into_any()
1917 // }
1918
1919 pub fn set_zoomed(&mut self, zoomed: bool, cx: &mut ViewContext<Self>) {
1920 self.zoomed = zoomed;
1921 cx.notify();
1922 }
1923
1924 pub fn is_zoomed(&self) -> bool {
1925 self.zoomed
1926 }
1927}
1928
1929impl FocusableView for Pane {
1930 fn focus_handle(&self, _cx: &AppContext) -> FocusHandle {
1931 self.focus_handle.clone()
1932 }
1933}
1934
1935impl Render for Pane {
1936 type Element = Focusable<Div>;
1937
1938 fn render(&mut self, cx: &mut ViewContext<Self>) -> Self::Element {
1939 v_stack()
1940 .key_context("Pane")
1941 .track_focus(&self.focus_handle)
1942 .on_action(cx.listener(|pane: &mut Pane, _: &SplitLeft, cx| {
1943 pane.split(SplitDirection::Left, cx)
1944 }))
1945 .on_action(
1946 cx.listener(|pane: &mut Pane, _: &SplitUp, cx| pane.split(SplitDirection::Up, cx)),
1947 )
1948 .on_action(cx.listener(|pane: &mut Pane, _: &SplitRight, cx| {
1949 pane.split(SplitDirection::Right, cx)
1950 }))
1951 .on_action(cx.listener(|pane: &mut Pane, _: &SplitDown, cx| {
1952 pane.split(SplitDirection::Down, cx)
1953 }))
1954 // cx.add_action(Pane::toggle_zoom);
1955 // cx.add_action(|pane: &mut Pane, action: &ActivateItem, cx| {
1956 // pane.activate_item(action.0, true, true, cx);
1957 // });
1958 // cx.add_action(|pane: &mut Pane, _: &ActivateLastItem, cx| {
1959 // pane.activate_item(pane.items.len() - 1, true, true, cx);
1960 // });
1961 // cx.add_action(|pane: &mut Pane, _: &ActivatePrevItem, cx| {
1962 // pane.activate_prev_item(true, cx);
1963 // });
1964 // cx.add_action(|pane: &mut Pane, _: &ActivateNextItem, cx| {
1965 // pane.activate_next_item(true, cx);
1966 // });
1967 // cx.add_async_action(Pane::close_active_item);
1968 // cx.add_async_action(Pane::close_inactive_items);
1969 // cx.add_async_action(Pane::close_clean_items);
1970 // cx.add_async_action(Pane::close_items_to_the_left);
1971 // cx.add_async_action(Pane::close_items_to_the_right);
1972 // cx.add_async_action(Pane::close_all_items);
1973 .size_full()
1974 .on_action(
1975 cx.listener(|pane: &mut Self, action: &CloseActiveItem, cx| {
1976 pane.close_active_item(action, cx)
1977 .map(|task| task.detach_and_log_err(cx));
1978 }),
1979 )
1980 .child(self.render_tab_bar(cx))
1981 .child(self.toolbar.clone())
1982 .child(if let Some(item) = self.active_item() {
1983 div().flex().flex_1().child(item.to_any())
1984 } else {
1985 // todo!()
1986 div().child("Empty Pane")
1987 })
1988
1989 // enum MouseNavigationHandler {}
1990
1991 // MouseEventHandler::new::<MouseNavigationHandler, _>(0, cx, |_, cx| {
1992 // let active_item_index = self.active_item_index;
1993
1994 // if let Some(active_item) = self.active_item() {
1995 // Flex::column()
1996 // .with_child({
1997 // let theme = theme::current(cx).clone();
1998
1999 // let mut stack = Stack::new();
2000
2001 // enum TabBarEventHandler {}
2002 // stack.add_child(
2003 // MouseEventHandler::new::<TabBarEventHandler, _>(0, cx, |_, _| {
2004 // Empty::new()
2005 // .contained()
2006 // .with_style(theme.workspace.tab_bar.container)
2007 // })
2008 // .on_down(
2009 // MouseButton::Left,
2010 // move |_, this, cx| {
2011 // this.activate_item(active_item_index, true, true, cx);
2012 // },
2013 // ),
2014 // );
2015 // let tooltip_style = theme.tooltip.clone();
2016 // let tab_bar_theme = theme.workspace.tab_bar.clone();
2017
2018 // let nav_button_height = tab_bar_theme.height;
2019 // let button_style = tab_bar_theme.nav_button;
2020 // let border_for_nav_buttons = tab_bar_theme
2021 // .tab_style(false, false)
2022 // .container
2023 // .border
2024 // .clone();
2025
2026 // let mut tab_row = Flex::row()
2027 // .with_child(nav_button(
2028 // "icons/arrow_left.svg",
2029 // button_style.clone(),
2030 // nav_button_height,
2031 // tooltip_style.clone(),
2032 // self.can_navigate_backward(),
2033 // {
2034 // move |pane, cx| {
2035 // if let Some(workspace) = pane.workspace.upgrade(cx) {
2036 // let pane = cx.weak_handle();
2037 // cx.window_context().defer(move |cx| {
2038 // workspace.update(cx, |workspace, cx| {
2039 // workspace
2040 // .go_back(pane, cx)
2041 // .detach_and_log_err(cx)
2042 // })
2043 // })
2044 // }
2045 // }
2046 // },
2047 // super::GoBack,
2048 // "Go Back",
2049 // cx,
2050 // ))
2051 // .with_child(
2052 // nav_button(
2053 // "icons/arrow_right.svg",
2054 // button_style.clone(),
2055 // nav_button_height,
2056 // tooltip_style,
2057 // self.can_navigate_forward(),
2058 // {
2059 // move |pane, cx| {
2060 // if let Some(workspace) = pane.workspace.upgrade(cx) {
2061 // let pane = cx.weak_handle();
2062 // cx.window_context().defer(move |cx| {
2063 // workspace.update(cx, |workspace, cx| {
2064 // workspace
2065 // .go_forward(pane, cx)
2066 // .detach_and_log_err(cx)
2067 // })
2068 // })
2069 // }
2070 // }
2071 // },
2072 // super::GoForward,
2073 // "Go Forward",
2074 // cx,
2075 // )
2076 // .contained()
2077 // .with_border(border_for_nav_buttons),
2078 // )
2079 // .with_child(self.render_tabs(cx).flex(1., true).into_any_named("tabs"));
2080
2081 // if self.has_focus {
2082 // let render_tab_bar_buttons = self.render_tab_bar_buttons.clone();
2083 // tab_row.add_child(
2084 // (render_tab_bar_buttons)(self, cx)
2085 // .contained()
2086 // .with_style(theme.workspace.tab_bar.pane_button_container)
2087 // .flex(1., false)
2088 // .into_any(),
2089 // )
2090 // }
2091
2092 // stack.add_child(tab_row);
2093 // stack
2094 // .constrained()
2095 // .with_height(theme.workspace.tab_bar.height)
2096 // .flex(1., false)
2097 // .into_any_named("tab bar")
2098 // })
2099 // .with_child({
2100 // enum PaneContentTabDropTarget {}
2101 // dragged_item_receiver::<PaneContentTabDropTarget, _, _>(
2102 // self,
2103 // 0,
2104 // self.active_item_index + 1,
2105 // !self.can_split,
2106 // if self.can_split { Some(100.) } else { None },
2107 // cx,
2108 // {
2109 // let toolbar = self.toolbar.clone();
2110 // let toolbar_hidden = toolbar.read(cx).hidden();
2111 // move |_, cx| {
2112 // Flex::column()
2113 // .with_children(
2114 // (!toolbar_hidden)
2115 // .then(|| ChildView::new(&toolbar, cx).expanded()),
2116 // )
2117 // .with_child(
2118 // ChildView::new(active_item.as_any(), cx).flex(1., true),
2119 // )
2120 // }
2121 // },
2122 // )
2123 // .flex(1., true)
2124 // })
2125 // .with_child(ChildView::new(&self.tab_context_menu, cx))
2126 // .into_any()
2127 // } else {
2128 // enum EmptyPane {}
2129 // let theme = theme::current(cx).clone();
2130
2131 // dragged_item_receiver::<EmptyPane, _, _>(self, 0, 0, false, None, cx, |_, cx| {
2132 // self.render_blank_pane(&theme, cx)
2133 // })
2134 // .on_down(MouseButton::Left, |_, _, cx| {
2135 // cx.focus_parent();
2136 // })
2137 // .into_any()
2138 // }
2139 // })
2140 // .on_down(
2141 // MouseButton::Navigate(NavigationDirection::Back),
2142 // move |_, pane, cx| {
2143 // if let Some(workspace) = pane.workspace.upgrade(cx) {
2144 // let pane = cx.weak_handle();
2145 // cx.window_context().defer(move |cx| {
2146 // workspace.update(cx, |workspace, cx| {
2147 // workspace.go_back(pane, cx).detach_and_log_err(cx)
2148 // })
2149 // })
2150 // }
2151 // },
2152 // )
2153 // .on_down(MouseButton::Navigate(NavigationDirection::Forward), {
2154 // move |_, pane, cx| {
2155 // if let Some(workspace) = pane.workspace.upgrade(cx) {
2156 // let pane = cx.weak_handle();
2157 // cx.window_context().defer(move |cx| {
2158 // workspace.update(cx, |workspace, cx| {
2159 // workspace.go_forward(pane, cx).detach_and_log_err(cx)
2160 // })
2161 // })
2162 // }
2163 // }
2164 // })
2165 // .into_any_named("pane")
2166 }
2167
2168 // fn focus_in(&mut self, focused: AnyViewHandle, cx: &mut ViewContext<Self>) {
2169 // if !self.has_focus {
2170 // self.has_focus = true;
2171 // cx.emit(Event::Focus);
2172 // cx.notify();
2173 // }
2174
2175 // self.toolbar.update(cx, |toolbar, cx| {
2176 // toolbar.focus_changed(true, cx);
2177 // });
2178
2179 // if let Some(active_item) = self.active_item() {
2180 // if cx.is_self_focused() {
2181 // // Pane was focused directly. We need to either focus a view inside the active item,
2182 // // or focus the active item itself
2183 // if let Some(weak_last_focused_view) =
2184 // self.last_focused_view_by_item.get(&active_item.id())
2185 // {
2186 // if let Some(last_focused_view) = weak_last_focused_view.upgrade(cx) {
2187 // cx.focus(&last_focused_view);
2188 // return;
2189 // } else {
2190 // self.last_focused_view_by_item.remove(&active_item.id());
2191 // }
2192 // }
2193
2194 // cx.focus(active_item.as_any());
2195 // } else if focused != self.tab_bar_context_menu.handle {
2196 // self.last_focused_view_by_item
2197 // .insert(active_item.id(), focused.downgrade());
2198 // }
2199 // }
2200 // }
2201
2202 // fn focus_out(&mut self, _: AnyViewHandle, cx: &mut ViewContext<Self>) {
2203 // self.has_focus = false;
2204 // self.toolbar.update(cx, |toolbar, cx| {
2205 // toolbar.focus_changed(false, cx);
2206 // });
2207 // cx.notify();
2208 // }
2209
2210 // fn update_keymap_context(&self, keymap: &mut KeymapContext, _: &AppContext) {
2211 // Self::reset_to_default_keymap_context(keymap);
2212 // }
2213}
2214
2215impl ItemNavHistory {
2216 pub fn push<D: 'static + Send + Any>(&mut self, data: Option<D>, cx: &mut WindowContext) {
2217 self.history.push(data, self.item.clone(), cx);
2218 }
2219
2220 pub fn pop_backward(&mut self, cx: &mut WindowContext) -> Option<NavigationEntry> {
2221 self.history.pop(NavigationMode::GoingBack, cx)
2222 }
2223
2224 pub fn pop_forward(&mut self, cx: &mut WindowContext) -> Option<NavigationEntry> {
2225 self.history.pop(NavigationMode::GoingForward, cx)
2226 }
2227}
2228
2229impl NavHistory {
2230 pub fn for_each_entry(
2231 &self,
2232 cx: &AppContext,
2233 mut f: impl FnMut(&NavigationEntry, (ProjectPath, Option<PathBuf>)),
2234 ) {
2235 let borrowed_history = self.0.lock();
2236 borrowed_history
2237 .forward_stack
2238 .iter()
2239 .chain(borrowed_history.backward_stack.iter())
2240 .chain(borrowed_history.closed_stack.iter())
2241 .for_each(|entry| {
2242 if let Some(project_and_abs_path) =
2243 borrowed_history.paths_by_item.get(&entry.item.id())
2244 {
2245 f(entry, project_and_abs_path.clone());
2246 } else if let Some(item) = entry.item.upgrade() {
2247 if let Some(path) = item.project_path(cx) {
2248 f(entry, (path, None));
2249 }
2250 }
2251 })
2252 }
2253
2254 pub fn set_mode(&mut self, mode: NavigationMode) {
2255 self.0.lock().mode = mode;
2256 }
2257
2258 pub fn mode(&self) -> NavigationMode {
2259 self.0.lock().mode
2260 }
2261
2262 pub fn disable(&mut self) {
2263 self.0.lock().mode = NavigationMode::Disabled;
2264 }
2265
2266 pub fn enable(&mut self) {
2267 self.0.lock().mode = NavigationMode::Normal;
2268 }
2269
2270 pub fn pop(&mut self, mode: NavigationMode, cx: &mut WindowContext) -> Option<NavigationEntry> {
2271 let mut state = self.0.lock();
2272 let entry = match mode {
2273 NavigationMode::Normal | NavigationMode::Disabled | NavigationMode::ClosingItem => {
2274 return None
2275 }
2276 NavigationMode::GoingBack => &mut state.backward_stack,
2277 NavigationMode::GoingForward => &mut state.forward_stack,
2278 NavigationMode::ReopeningClosedItem => &mut state.closed_stack,
2279 }
2280 .pop_back();
2281 if entry.is_some() {
2282 state.did_update(cx);
2283 }
2284 entry
2285 }
2286
2287 pub fn push<D: 'static + Send + Any>(
2288 &mut self,
2289 data: Option<D>,
2290 item: Arc<dyn WeakItemHandle>,
2291 cx: &mut WindowContext,
2292 ) {
2293 let state = &mut *self.0.lock();
2294 match state.mode {
2295 NavigationMode::Disabled => {}
2296 NavigationMode::Normal | NavigationMode::ReopeningClosedItem => {
2297 if state.backward_stack.len() >= MAX_NAVIGATION_HISTORY_LEN {
2298 state.backward_stack.pop_front();
2299 }
2300 state.backward_stack.push_back(NavigationEntry {
2301 item,
2302 data: data.map(|data| Box::new(data) as Box<dyn Any + Send>),
2303 timestamp: state.next_timestamp.fetch_add(1, Ordering::SeqCst),
2304 });
2305 state.forward_stack.clear();
2306 }
2307 NavigationMode::GoingBack => {
2308 if state.forward_stack.len() >= MAX_NAVIGATION_HISTORY_LEN {
2309 state.forward_stack.pop_front();
2310 }
2311 state.forward_stack.push_back(NavigationEntry {
2312 item,
2313 data: data.map(|data| Box::new(data) as Box<dyn Any + Send>),
2314 timestamp: state.next_timestamp.fetch_add(1, Ordering::SeqCst),
2315 });
2316 }
2317 NavigationMode::GoingForward => {
2318 if state.backward_stack.len() >= MAX_NAVIGATION_HISTORY_LEN {
2319 state.backward_stack.pop_front();
2320 }
2321 state.backward_stack.push_back(NavigationEntry {
2322 item,
2323 data: data.map(|data| Box::new(data) as Box<dyn Any + Send>),
2324 timestamp: state.next_timestamp.fetch_add(1, Ordering::SeqCst),
2325 });
2326 }
2327 NavigationMode::ClosingItem => {
2328 if state.closed_stack.len() >= MAX_NAVIGATION_HISTORY_LEN {
2329 state.closed_stack.pop_front();
2330 }
2331 state.closed_stack.push_back(NavigationEntry {
2332 item,
2333 data: data.map(|data| Box::new(data) as Box<dyn Any + Send>),
2334 timestamp: state.next_timestamp.fetch_add(1, Ordering::SeqCst),
2335 });
2336 }
2337 }
2338 state.did_update(cx);
2339 }
2340
2341 pub fn remove_item(&mut self, item_id: EntityId) {
2342 let mut state = self.0.lock();
2343 state.paths_by_item.remove(&item_id);
2344 state
2345 .backward_stack
2346 .retain(|entry| entry.item.id() != item_id);
2347 state
2348 .forward_stack
2349 .retain(|entry| entry.item.id() != item_id);
2350 state
2351 .closed_stack
2352 .retain(|entry| entry.item.id() != item_id);
2353 }
2354
2355 pub fn path_for_item(&self, item_id: EntityId) -> Option<(ProjectPath, Option<PathBuf>)> {
2356 self.0.lock().paths_by_item.get(&item_id).cloned()
2357 }
2358}
2359
2360impl NavHistoryState {
2361 pub fn did_update(&self, cx: &mut WindowContext) {
2362 if let Some(pane) = self.pane.upgrade() {
2363 cx.defer(move |cx| {
2364 pane.update(cx, |pane, cx| pane.history_updated(cx));
2365 });
2366 }
2367 }
2368}
2369
2370// pub struct PaneBackdrop<V> {
2371// child_view: usize,
2372// child: AnyElement<V>,
2373// }
2374
2375// impl<V> PaneBackdrop<V> {
2376// pub fn new(pane_item_view: usize, child: AnyElement<V>) -> Self {
2377// PaneBackdrop {
2378// child,
2379// child_view: pane_item_view,
2380// }
2381// }
2382// }
2383
2384// impl<V: 'static> Element<V> for PaneBackdrop<V> {
2385// type LayoutState = ();
2386
2387// type PaintState = ();
2388
2389// fn layout(
2390// &mut self,
2391// constraint: gpui::SizeConstraint,
2392// view: &mut V,
2393// cx: &mut ViewContext<V>,
2394// ) -> (Vector2F, Self::LayoutState) {
2395// let size = self.child.layout(constraint, view, cx);
2396// (size, ())
2397// }
2398
2399// fn paint(
2400// &mut self,
2401// bounds: RectF,
2402// visible_bounds: RectF,
2403// _: &mut Self::LayoutState,
2404// view: &mut V,
2405// cx: &mut ViewContext<V>,
2406// ) -> Self::PaintState {
2407// let background = theme::current(cx).editor.background;
2408
2409// let visible_bounds = bounds.intersection(visible_bounds).unwrap_or_default();
2410
2411// cx.scene().push_quad(gpui::Quad {
2412// bounds: RectF::new(bounds.origin(), bounds.size()),
2413// background: Some(background),
2414// ..Default::default()
2415// });
2416
2417// let child_view_id = self.child_view;
2418// cx.scene().push_mouse_region(
2419// MouseRegion::new::<Self>(child_view_id, 0, visible_bounds).on_down(
2420// gpui::platform::MouseButton::Left,
2421// move |_, _: &mut V, cx| {
2422// let window = cx.window();
2423// cx.app_context().focus(window, Some(child_view_id))
2424// },
2425// ),
2426// );
2427
2428// cx.scene().push_layer(Some(bounds));
2429// self.child.paint(bounds.origin(), visible_bounds, view, cx);
2430// cx.scene().pop_layer();
2431// }
2432
2433// fn rect_for_text_range(
2434// &self,
2435// range_utf16: std::ops::Range<usize>,
2436// _bounds: RectF,
2437// _visible_bounds: RectF,
2438// _layout: &Self::LayoutState,
2439// _paint: &Self::PaintState,
2440// view: &V,
2441// cx: &gpui::ViewContext<V>,
2442// ) -> Option<RectF> {
2443// self.child.rect_for_text_range(range_utf16, view, cx)
2444// }
2445
2446// fn debug(
2447// &self,
2448// _bounds: RectF,
2449// _layout: &Self::LayoutState,
2450// _paint: &Self::PaintState,
2451// view: &V,
2452// cx: &gpui::ViewContext<V>,
2453// ) -> serde_json::Value {
2454// gpui::json::json!({
2455// "type": "Pane Back Drop",
2456// "view": self.child_view,
2457// "child": self.child.debug(view, cx),
2458// })
2459// }
2460// }
2461
2462fn dirty_message_for(buffer_path: Option<ProjectPath>) -> String {
2463 let path = buffer_path
2464 .as_ref()
2465 .and_then(|p| p.path.to_str())
2466 .unwrap_or(&"This buffer");
2467 let path = truncate_and_remove_front(path, 80);
2468 format!("{path} contains unsaved edits. Do you want to save it?")
2469}
2470
2471// todo!("uncomment tests")
2472// #[cfg(test)]
2473// mod tests {
2474// use super::*;
2475// use crate::item::test::{TestItem, TestProjectItem};
2476// use gpui::TestAppContext;
2477// use project::FakeFs;
2478// use settings::SettingsStore;
2479
2480// #[gpui::test]
2481// async fn test_remove_active_empty(cx: &mut TestAppContext) {
2482// init_test(cx);
2483// let fs = FakeFs::new(cx.background());
2484
2485// let project = Project::test(fs, None, cx).await;
2486// let window = cx.add_window(|cx| Workspace::test_new(project.clone(), cx));
2487// let workspace = window.root(cx);
2488// let pane = workspace.read_with(cx, |workspace, _| workspace.active_pane().clone());
2489
2490// pane.update(cx, |pane, cx| {
2491// assert!(pane
2492// .close_active_item(&CloseActiveItem { save_intent: None }, cx)
2493// .is_none())
2494// });
2495// }
2496
2497// #[gpui::test]
2498// async fn test_add_item_with_new_item(cx: &mut TestAppContext) {
2499// cx.foreground().forbid_parking();
2500// init_test(cx);
2501// let fs = FakeFs::new(cx.background());
2502
2503// let project = Project::test(fs, None, cx).await;
2504// let window = cx.add_window(|cx| Workspace::test_new(project.clone(), cx));
2505// let workspace = window.root(cx);
2506// let pane = workspace.read_with(cx, |workspace, _| workspace.active_pane().clone());
2507
2508// // 1. Add with a destination index
2509// // a. Add before the active item
2510// set_labeled_items(&pane, ["A", "B*", "C"], cx);
2511// pane.update(cx, |pane, cx| {
2512// pane.add_item(
2513// Box::new(cx.add_view(|_| TestItem::new().with_label("D"))),
2514// false,
2515// false,
2516// Some(0),
2517// cx,
2518// );
2519// });
2520// assert_item_labels(&pane, ["D*", "A", "B", "C"], cx);
2521
2522// // b. Add after the active item
2523// set_labeled_items(&pane, ["A", "B*", "C"], cx);
2524// pane.update(cx, |pane, cx| {
2525// pane.add_item(
2526// Box::new(cx.add_view(|_| TestItem::new().with_label("D"))),
2527// false,
2528// false,
2529// Some(2),
2530// cx,
2531// );
2532// });
2533// assert_item_labels(&pane, ["A", "B", "D*", "C"], cx);
2534
2535// // c. Add at the end of the item list (including off the length)
2536// set_labeled_items(&pane, ["A", "B*", "C"], cx);
2537// pane.update(cx, |pane, cx| {
2538// pane.add_item(
2539// Box::new(cx.add_view(|_| TestItem::new().with_label("D"))),
2540// false,
2541// false,
2542// Some(5),
2543// cx,
2544// );
2545// });
2546// assert_item_labels(&pane, ["A", "B", "C", "D*"], cx);
2547
2548// // 2. Add without a destination index
2549// // a. Add with active item at the start of the item list
2550// set_labeled_items(&pane, ["A*", "B", "C"], cx);
2551// pane.update(cx, |pane, cx| {
2552// pane.add_item(
2553// Box::new(cx.add_view(|_| TestItem::new().with_label("D"))),
2554// false,
2555// false,
2556// None,
2557// cx,
2558// );
2559// });
2560// set_labeled_items(&pane, ["A", "D*", "B", "C"], cx);
2561
2562// // b. Add with active item at the end of the item list
2563// set_labeled_items(&pane, ["A", "B", "C*"], cx);
2564// pane.update(cx, |pane, cx| {
2565// pane.add_item(
2566// Box::new(cx.add_view(|_| TestItem::new().with_label("D"))),
2567// false,
2568// false,
2569// None,
2570// cx,
2571// );
2572// });
2573// assert_item_labels(&pane, ["A", "B", "C", "D*"], cx);
2574// }
2575
2576// #[gpui::test]
2577// async fn test_add_item_with_existing_item(cx: &mut TestAppContext) {
2578// cx.foreground().forbid_parking();
2579// init_test(cx);
2580// let fs = FakeFs::new(cx.background());
2581
2582// let project = Project::test(fs, None, cx).await;
2583// let window = cx.add_window(|cx| Workspace::test_new(project.clone(), cx));
2584// let workspace = window.root(cx);
2585// let pane = workspace.read_with(cx, |workspace, _| workspace.active_pane().clone());
2586
2587// // 1. Add with a destination index
2588// // 1a. Add before the active item
2589// let [_, _, _, d] = set_labeled_items(&pane, ["A", "B*", "C", "D"], cx);
2590// pane.update(cx, |pane, cx| {
2591// pane.add_item(d, false, false, Some(0), cx);
2592// });
2593// assert_item_labels(&pane, ["D*", "A", "B", "C"], cx);
2594
2595// // 1b. Add after the active item
2596// let [_, _, _, d] = set_labeled_items(&pane, ["A", "B*", "C", "D"], cx);
2597// pane.update(cx, |pane, cx| {
2598// pane.add_item(d, false, false, Some(2), cx);
2599// });
2600// assert_item_labels(&pane, ["A", "B", "D*", "C"], cx);
2601
2602// // 1c. Add at the end of the item list (including off the length)
2603// let [a, _, _, _] = set_labeled_items(&pane, ["A", "B*", "C", "D"], cx);
2604// pane.update(cx, |pane, cx| {
2605// pane.add_item(a, false, false, Some(5), cx);
2606// });
2607// assert_item_labels(&pane, ["B", "C", "D", "A*"], cx);
2608
2609// // 1d. Add same item to active index
2610// let [_, b, _] = set_labeled_items(&pane, ["A", "B*", "C"], cx);
2611// pane.update(cx, |pane, cx| {
2612// pane.add_item(b, false, false, Some(1), cx);
2613// });
2614// assert_item_labels(&pane, ["A", "B*", "C"], cx);
2615
2616// // 1e. Add item to index after same item in last position
2617// let [_, _, c] = set_labeled_items(&pane, ["A", "B*", "C"], cx);
2618// pane.update(cx, |pane, cx| {
2619// pane.add_item(c, false, false, Some(2), cx);
2620// });
2621// assert_item_labels(&pane, ["A", "B", "C*"], cx);
2622
2623// // 2. Add without a destination index
2624// // 2a. Add with active item at the start of the item list
2625// let [_, _, _, d] = set_labeled_items(&pane, ["A*", "B", "C", "D"], cx);
2626// pane.update(cx, |pane, cx| {
2627// pane.add_item(d, false, false, None, cx);
2628// });
2629// assert_item_labels(&pane, ["A", "D*", "B", "C"], cx);
2630
2631// // 2b. Add with active item at the end of the item list
2632// let [a, _, _, _] = set_labeled_items(&pane, ["A", "B", "C", "D*"], cx);
2633// pane.update(cx, |pane, cx| {
2634// pane.add_item(a, false, false, None, cx);
2635// });
2636// assert_item_labels(&pane, ["B", "C", "D", "A*"], cx);
2637
2638// // 2c. Add active item to active item at end of list
2639// let [_, _, c] = set_labeled_items(&pane, ["A", "B", "C*"], cx);
2640// pane.update(cx, |pane, cx| {
2641// pane.add_item(c, false, false, None, cx);
2642// });
2643// assert_item_labels(&pane, ["A", "B", "C*"], cx);
2644
2645// // 2d. Add active item to active item at start of list
2646// let [a, _, _] = set_labeled_items(&pane, ["A*", "B", "C"], cx);
2647// pane.update(cx, |pane, cx| {
2648// pane.add_item(a, false, false, None, cx);
2649// });
2650// assert_item_labels(&pane, ["A*", "B", "C"], cx);
2651// }
2652
2653// #[gpui::test]
2654// async fn test_add_item_with_same_project_entries(cx: &mut TestAppContext) {
2655// cx.foreground().forbid_parking();
2656// init_test(cx);
2657// let fs = FakeFs::new(cx.background());
2658
2659// let project = Project::test(fs, None, cx).await;
2660// let window = cx.add_window(|cx| Workspace::test_new(project.clone(), cx));
2661// let workspace = window.root(cx);
2662// let pane = workspace.read_with(cx, |workspace, _| workspace.active_pane().clone());
2663
2664// // singleton view
2665// pane.update(cx, |pane, cx| {
2666// let item = TestItem::new()
2667// .with_singleton(true)
2668// .with_label("buffer 1")
2669// .with_project_items(&[TestProjectItem::new(1, "one.txt", cx)]);
2670
2671// pane.add_item(Box::new(cx.add_view(|_| item)), false, false, None, cx);
2672// });
2673// assert_item_labels(&pane, ["buffer 1*"], cx);
2674
2675// // new singleton view with the same project entry
2676// pane.update(cx, |pane, cx| {
2677// let item = TestItem::new()
2678// .with_singleton(true)
2679// .with_label("buffer 1")
2680// .with_project_items(&[TestProjectItem::new(1, "1.txt", cx)]);
2681
2682// pane.add_item(Box::new(cx.add_view(|_| item)), false, false, None, cx);
2683// });
2684// assert_item_labels(&pane, ["buffer 1*"], cx);
2685
2686// // new singleton view with different project entry
2687// pane.update(cx, |pane, cx| {
2688// let item = TestItem::new()
2689// .with_singleton(true)
2690// .with_label("buffer 2")
2691// .with_project_items(&[TestProjectItem::new(2, "2.txt", cx)]);
2692// pane.add_item(Box::new(cx.add_view(|_| item)), false, false, None, cx);
2693// });
2694// assert_item_labels(&pane, ["buffer 1", "buffer 2*"], cx);
2695
2696// // new multibuffer view with the same project entry
2697// pane.update(cx, |pane, cx| {
2698// let item = TestItem::new()
2699// .with_singleton(false)
2700// .with_label("multibuffer 1")
2701// .with_project_items(&[TestProjectItem::new(1, "1.txt", cx)]);
2702
2703// pane.add_item(Box::new(cx.add_view(|_| item)), false, false, None, cx);
2704// });
2705// assert_item_labels(&pane, ["buffer 1", "buffer 2", "multibuffer 1*"], cx);
2706
2707// // another multibuffer view with the same project entry
2708// pane.update(cx, |pane, cx| {
2709// let item = TestItem::new()
2710// .with_singleton(false)
2711// .with_label("multibuffer 1b")
2712// .with_project_items(&[TestProjectItem::new(1, "1.txt", cx)]);
2713
2714// pane.add_item(Box::new(cx.add_view(|_| item)), false, false, None, cx);
2715// });
2716// assert_item_labels(
2717// &pane,
2718// ["buffer 1", "buffer 2", "multibuffer 1", "multibuffer 1b*"],
2719// cx,
2720// );
2721// }
2722
2723// #[gpui::test]
2724// async fn test_remove_item_ordering(cx: &mut TestAppContext) {
2725// init_test(cx);
2726// let fs = FakeFs::new(cx.background());
2727
2728// let project = Project::test(fs, None, cx).await;
2729// let window = cx.add_window(|cx| Workspace::test_new(project.clone(), cx));
2730// let workspace = window.root(cx);
2731// let pane = workspace.read_with(cx, |workspace, _| workspace.active_pane().clone());
2732
2733// add_labeled_item(&pane, "A", false, cx);
2734// add_labeled_item(&pane, "B", false, cx);
2735// add_labeled_item(&pane, "C", false, cx);
2736// add_labeled_item(&pane, "D", false, cx);
2737// assert_item_labels(&pane, ["A", "B", "C", "D*"], cx);
2738
2739// pane.update(cx, |pane, cx| pane.activate_item(1, false, false, cx));
2740// add_labeled_item(&pane, "1", false, cx);
2741// assert_item_labels(&pane, ["A", "B", "1*", "C", "D"], cx);
2742
2743// pane.update(cx, |pane, cx| {
2744// pane.close_active_item(&CloseActiveItem { save_intent: None }, cx)
2745// })
2746// .unwrap()
2747// .await
2748// .unwrap();
2749// assert_item_labels(&pane, ["A", "B*", "C", "D"], cx);
2750
2751// pane.update(cx, |pane, cx| pane.activate_item(3, false, false, cx));
2752// assert_item_labels(&pane, ["A", "B", "C", "D*"], cx);
2753
2754// pane.update(cx, |pane, cx| {
2755// pane.close_active_item(&CloseActiveItem { save_intent: None }, cx)
2756// })
2757// .unwrap()
2758// .await
2759// .unwrap();
2760// assert_item_labels(&pane, ["A", "B*", "C"], cx);
2761
2762// pane.update(cx, |pane, cx| {
2763// pane.close_active_item(&CloseActiveItem { save_intent: None }, cx)
2764// })
2765// .unwrap()
2766// .await
2767// .unwrap();
2768// assert_item_labels(&pane, ["A", "C*"], cx);
2769
2770// pane.update(cx, |pane, cx| {
2771// pane.close_active_item(&CloseActiveItem { save_intent: None }, cx)
2772// })
2773// .unwrap()
2774// .await
2775// .unwrap();
2776// assert_item_labels(&pane, ["A*"], cx);
2777// }
2778
2779// #[gpui::test]
2780// async fn test_close_inactive_items(cx: &mut TestAppContext) {
2781// init_test(cx);
2782// let fs = FakeFs::new(cx.background());
2783
2784// let project = Project::test(fs, None, cx).await;
2785// let window = cx.add_window(|cx| Workspace::test_new(project.clone(), cx));
2786// let workspace = window.root(cx);
2787// let pane = workspace.read_with(cx, |workspace, _| workspace.active_pane().clone());
2788
2789// set_labeled_items(&pane, ["A", "B", "C*", "D", "E"], cx);
2790
2791// pane.update(cx, |pane, cx| {
2792// pane.close_inactive_items(&CloseInactiveItems, cx)
2793// })
2794// .unwrap()
2795// .await
2796// .unwrap();
2797// assert_item_labels(&pane, ["C*"], cx);
2798// }
2799
2800// #[gpui::test]
2801// async fn test_close_clean_items(cx: &mut TestAppContext) {
2802// init_test(cx);
2803// let fs = FakeFs::new(cx.background());
2804
2805// let project = Project::test(fs, None, cx).await;
2806// let window = cx.add_window(|cx| Workspace::test_new(project.clone(), cx));
2807// let workspace = window.root(cx);
2808// let pane = workspace.read_with(cx, |workspace, _| workspace.active_pane().clone());
2809
2810// add_labeled_item(&pane, "A", true, cx);
2811// add_labeled_item(&pane, "B", false, cx);
2812// add_labeled_item(&pane, "C", true, cx);
2813// add_labeled_item(&pane, "D", false, cx);
2814// add_labeled_item(&pane, "E", false, cx);
2815// assert_item_labels(&pane, ["A^", "B", "C^", "D", "E*"], cx);
2816
2817// pane.update(cx, |pane, cx| pane.close_clean_items(&CloseCleanItems, cx))
2818// .unwrap()
2819// .await
2820// .unwrap();
2821// assert_item_labels(&pane, ["A^", "C*^"], cx);
2822// }
2823
2824// #[gpui::test]
2825// async fn test_close_items_to_the_left(cx: &mut TestAppContext) {
2826// init_test(cx);
2827// let fs = FakeFs::new(cx.background());
2828
2829// let project = Project::test(fs, None, cx).await;
2830// let window = cx.add_window(|cx| Workspace::test_new(project.clone(), cx));
2831// let workspace = window.root(cx);
2832// let pane = workspace.read_with(cx, |workspace, _| workspace.active_pane().clone());
2833
2834// set_labeled_items(&pane, ["A", "B", "C*", "D", "E"], cx);
2835
2836// pane.update(cx, |pane, cx| {
2837// pane.close_items_to_the_left(&CloseItemsToTheLeft, cx)
2838// })
2839// .unwrap()
2840// .await
2841// .unwrap();
2842// assert_item_labels(&pane, ["C*", "D", "E"], cx);
2843// }
2844
2845// #[gpui::test]
2846// async fn test_close_items_to_the_right(cx: &mut TestAppContext) {
2847// init_test(cx);
2848// let fs = FakeFs::new(cx.background());
2849
2850// let project = Project::test(fs, None, cx).await;
2851// let window = cx.add_window(|cx| Workspace::test_new(project.clone(), cx));
2852// let workspace = window.root(cx);
2853// let pane = workspace.read_with(cx, |workspace, _| workspace.active_pane().clone());
2854
2855// set_labeled_items(&pane, ["A", "B", "C*", "D", "E"], cx);
2856
2857// pane.update(cx, |pane, cx| {
2858// pane.close_items_to_the_right(&CloseItemsToTheRight, cx)
2859// })
2860// .unwrap()
2861// .await
2862// .unwrap();
2863// assert_item_labels(&pane, ["A", "B", "C*"], cx);
2864// }
2865
2866// #[gpui::test]
2867// async fn test_close_all_items(cx: &mut TestAppContext) {
2868// init_test(cx);
2869// let fs = FakeFs::new(cx.background());
2870
2871// let project = Project::test(fs, None, cx).await;
2872// let window = cx.add_window(|cx| Workspace::test_new(project.clone(), cx));
2873// let workspace = window.root(cx);
2874// let pane = workspace.read_with(cx, |workspace, _| workspace.active_pane().clone());
2875
2876// add_labeled_item(&pane, "A", false, cx);
2877// add_labeled_item(&pane, "B", false, cx);
2878// add_labeled_item(&pane, "C", false, cx);
2879// assert_item_labels(&pane, ["A", "B", "C*"], cx);
2880
2881// pane.update(cx, |pane, cx| {
2882// pane.close_all_items(&CloseAllItems { save_intent: None }, cx)
2883// })
2884// .unwrap()
2885// .await
2886// .unwrap();
2887// assert_item_labels(&pane, [], cx);
2888
2889// add_labeled_item(&pane, "A", true, cx);
2890// add_labeled_item(&pane, "B", true, cx);
2891// add_labeled_item(&pane, "C", true, cx);
2892// assert_item_labels(&pane, ["A^", "B^", "C*^"], cx);
2893
2894// let save = pane
2895// .update(cx, |pane, cx| {
2896// pane.close_all_items(&CloseAllItems { save_intent: None }, cx)
2897// })
2898// .unwrap();
2899
2900// cx.foreground().run_until_parked();
2901// window.simulate_prompt_answer(2, cx);
2902// save.await.unwrap();
2903// assert_item_labels(&pane, [], cx);
2904// }
2905
2906// fn init_test(cx: &mut TestAppContext) {
2907// cx.update(|cx| {
2908// cx.set_global(SettingsStore::test(cx));
2909// theme::init((), cx);
2910// crate::init_settings(cx);
2911// Project::init_settings(cx);
2912// });
2913// }
2914
2915// fn add_labeled_item(
2916// pane: &ViewHandle<Pane>,
2917// label: &str,
2918// is_dirty: bool,
2919// cx: &mut TestAppContext,
2920// ) -> Box<ViewHandle<TestItem>> {
2921// pane.update(cx, |pane, cx| {
2922// let labeled_item =
2923// Box::new(cx.add_view(|_| TestItem::new().with_label(label).with_dirty(is_dirty)));
2924// pane.add_item(labeled_item.clone(), false, false, None, cx);
2925// labeled_item
2926// })
2927// }
2928
2929// fn set_labeled_items<const COUNT: usize>(
2930// pane: &ViewHandle<Pane>,
2931// labels: [&str; COUNT],
2932// cx: &mut TestAppContext,
2933// ) -> [Box<ViewHandle<TestItem>>; COUNT] {
2934// pane.update(cx, |pane, cx| {
2935// pane.items.clear();
2936// let mut active_item_index = 0;
2937
2938// let mut index = 0;
2939// let items = labels.map(|mut label| {
2940// if label.ends_with("*") {
2941// label = label.trim_end_matches("*");
2942// active_item_index = index;
2943// }
2944
2945// let labeled_item = Box::new(cx.add_view(|_| TestItem::new().with_label(label)));
2946// pane.add_item(labeled_item.clone(), false, false, None, cx);
2947// index += 1;
2948// labeled_item
2949// });
2950
2951// pane.activate_item(active_item_index, false, false, cx);
2952
2953// items
2954// })
2955// }
2956
2957// // Assert the item label, with the active item label suffixed with a '*'
2958// fn assert_item_labels<const COUNT: usize>(
2959// pane: &ViewHandle<Pane>,
2960// expected_states: [&str; COUNT],
2961// cx: &mut TestAppContext,
2962// ) {
2963// pane.read_with(cx, |pane, cx| {
2964// let actual_states = pane
2965// .items
2966// .iter()
2967// .enumerate()
2968// .map(|(ix, item)| {
2969// let mut state = item
2970// .as_any()
2971// .downcast_ref::<TestItem>()
2972// .unwrap()
2973// .read(cx)
2974// .label
2975// .clone();
2976// if ix == pane.active_item_index {
2977// state.push('*');
2978// }
2979// if item.is_dirty(cx) {
2980// state.push('^');
2981// }
2982// state
2983// })
2984// .collect::<Vec<_>>();
2985
2986// assert_eq!(
2987// actual_states, expected_states,
2988// "pane items do not match expectation"
2989// );
2990// })
2991// }
2992// }
2993
2994#[derive(Clone, Debug)]
2995struct DraggedTab {
2996 title: String,
2997}
2998
2999impl Render for DraggedTab {
3000 type Element = Div;
3001
3002 fn render(&mut self, cx: &mut ViewContext<Self>) -> Self::Element {
3003 div().w_8().h_4().bg(gpui::red())
3004 }
3005}