use feature_flags::FeatureFlagAppExt; use fs::Fs; use fuzzy::{match_strings, StringMatch, StringMatchCandidate}; use gpui::{ actions, AppContext, DismissEvent, Div, EventEmitter, FocusableView, Render, SharedString, View, ViewContext, VisualContext, WeakView, }; use picker::{Picker, PickerDelegate}; use settings::{update_settings_file, SettingsStore}; use std::sync::Arc; use theme::{Theme, ThemeRegistry, ThemeSettings}; use ui::{prelude::*, v_stack, ListItem}; use util::ResultExt; use workspace::{ui::HighlightedLabel, Workspace}; actions!(Toggle, Reload); pub fn init(cx: &mut AppContext) { cx.observe_new_views( |workspace: &mut Workspace, _cx: &mut ViewContext| { workspace.register_action(toggle); }, ) .detach(); } pub fn toggle(workspace: &mut Workspace, _: &Toggle, cx: &mut ViewContext) { let fs = workspace.app_state().fs.clone(); workspace.toggle_modal(cx, |cx| { ThemeSelector::new( ThemeSelectorDelegate::new(cx.view().downgrade(), fs, cx), cx, ) }); } #[cfg(debug_assertions)] pub fn reload(cx: &mut AppContext) { let current_theme_name = cx.theme().name.clone(); let current_theme = cx.update_global(|registry: &mut ThemeRegistry, _cx| { registry.clear(); registry.get(¤t_theme_name) }); match current_theme { Ok(theme) => { ThemeSelectorDelegate::set_theme(theme, cx); log::info!("reloaded theme {}", current_theme_name); } Err(error) => { log::error!("failed to load theme {}: {:?}", current_theme_name, error) } } } pub struct ThemeSelector { picker: View>, } impl EventEmitter for ThemeSelector {} impl FocusableView for ThemeSelector { fn focus_handle(&self, cx: &AppContext) -> gpui::FocusHandle { self.picker.focus_handle(cx) } } impl Render for ThemeSelector { type Element = Div; fn render(&mut self, _cx: &mut ViewContext) -> Self::Element { v_stack().w(rems(34.)).child(self.picker.clone()) } } impl ThemeSelector { pub fn new(delegate: ThemeSelectorDelegate, cx: &mut ViewContext) -> Self { let picker = cx.build_view(|cx| Picker::new(delegate, cx)); Self { picker } } } pub struct ThemeSelectorDelegate { fs: Arc, theme_names: Vec, matches: Vec, original_theme: Arc, selection_completed: bool, selected_index: usize, view: WeakView, } impl ThemeSelectorDelegate { fn new( weak_view: WeakView, fs: Arc, cx: &mut ViewContext, ) -> Self { let original_theme = cx.theme().clone(); let staff_mode = cx.is_staff(); let registry = cx.global::(); let theme_names = registry.list(staff_mode).collect::>(); //todo!(theme sorting) // theme_names.sort_unstable_by(|a, b| a.is_light.cmp(&b.is_light).then(a.name.cmp(&b.name))); let matches = theme_names .iter() .map(|meta| StringMatch { candidate_id: 0, score: 0.0, positions: Default::default(), string: meta.to_string(), }) .collect(); let mut this = Self { fs, theme_names, matches, original_theme: original_theme.clone(), selected_index: 0, selection_completed: false, view: weak_view, }; this.select_if_matching(&original_theme.name); this } fn show_selected_theme(&mut self, cx: &mut ViewContext>) { if let Some(mat) = self.matches.get(self.selected_index) { let registry = cx.global::(); match registry.get(&mat.string) { Ok(theme) => { Self::set_theme(theme, cx); } Err(error) => { log::error!("error loading theme {}: {}", mat.string, error) } } } } fn select_if_matching(&mut self, theme_name: &str) { self.selected_index = self .matches .iter() .position(|mat| mat.string == theme_name) .unwrap_or(self.selected_index); } fn set_theme(theme: Arc, cx: &mut AppContext) { cx.update_global(|store: &mut SettingsStore, cx| { let mut theme_settings = store.get::(None).clone(); theme_settings.active_theme = theme; store.override_global(theme_settings); cx.refresh(); }); } } impl PickerDelegate for ThemeSelectorDelegate { type ListItem = ui::ListItem; fn placeholder_text(&self) -> Arc { "Select Theme...".into() } fn match_count(&self) -> usize { self.matches.len() } fn confirm(&mut self, _: bool, cx: &mut ViewContext>) { self.selection_completed = true; let theme_name = cx.theme().name.clone(); update_settings_file::(self.fs.clone(), cx, move |settings| { settings.theme = Some(theme_name.to_string()); }); self.view .update(cx, |_, cx| { cx.emit(DismissEvent); }) .ok(); } fn dismissed(&mut self, cx: &mut ViewContext>) { if !self.selection_completed { Self::set_theme(self.original_theme.clone(), cx); self.selection_completed = true; } self.view .update(cx, |_, cx| cx.emit(DismissEvent)) .log_err(); } fn selected_index(&self) -> usize { self.selected_index } fn set_selected_index( &mut self, ix: usize, cx: &mut ViewContext>, ) { self.selected_index = ix; self.show_selected_theme(cx); } fn update_matches( &mut self, query: String, cx: &mut ViewContext>, ) -> gpui::Task<()> { let background = cx.background_executor().clone(); let candidates = self .theme_names .iter() .enumerate() .map(|(id, meta)| StringMatchCandidate { id, char_bag: meta.as_ref().into(), string: meta.to_string(), }) .collect::>(); cx.spawn(|this, mut cx| async move { let matches = if query.is_empty() { candidates .into_iter() .enumerate() .map(|(index, candidate)| StringMatch { candidate_id: index, string: candidate.string, positions: Vec::new(), score: 0.0, }) .collect() } else { match_strings( &candidates, &query, false, 100, &Default::default(), background, ) .await }; this.update(&mut cx, |this, cx| { this.delegate.matches = matches; this.delegate.selected_index = this .delegate .selected_index .min(this.delegate.matches.len().saturating_sub(1)); this.delegate.show_selected_theme(cx); }) .log_err(); }) } fn render_match( &self, ix: usize, selected: bool, _cx: &mut ViewContext>, ) -> Option { let theme_match = &self.matches[ix]; Some( ListItem::new(ix) .inset(true) .selected(selected) .child(HighlightedLabel::new( theme_match.string.clone(), theme_match.positions.clone(), )), ) } }