console.rs

  1use super::{
  2    stack_frame_list::{StackFrameList, StackFrameListEvent},
  3    variable_list::VariableList,
  4};
  5use alacritty_terminal::vte::ansi;
  6use anyhow::Result;
  7use collections::HashMap;
  8use dap::{CompletionItem, CompletionItemType, OutputEvent};
  9use editor::{Bias, CompletionProvider, Editor, EditorElement, EditorStyle, ExcerptId};
 10use fuzzy::StringMatchCandidate;
 11use gpui::{
 12    Action as _, AppContext, Context, Corner, Entity, FocusHandle, Focusable, HighlightStyle, Hsla,
 13    Render, Subscription, Task, TextStyle, WeakEntity, actions,
 14};
 15use language::{Buffer, CodeLabel, ToOffset};
 16use menu::{Confirm, SelectNext, SelectPrevious};
 17use project::{
 18    Completion, CompletionResponse,
 19    debugger::session::{CompletionsQuery, OutputToken, Session},
 20    lsp_store::CompletionDocumentation,
 21    search_history::{SearchHistory, SearchHistoryCursor},
 22};
 23use settings::Settings;
 24use std::fmt::Write;
 25use std::{cell::RefCell, ops::Range, rc::Rc, usize};
 26use theme::{Theme, ThemeSettings};
 27use ui::{ContextMenu, Divider, PopoverMenu, SplitButton, Tooltip, prelude::*};
 28use util::ResultExt;
 29
 30actions!(
 31    console,
 32    [
 33        /// Adds an expression to the watch list.
 34        WatchExpression
 35    ]
 36);
 37
 38pub struct Console {
 39    console: Entity<Editor>,
 40    query_bar: Entity<Editor>,
 41    session: Entity<Session>,
 42    _subscriptions: Vec<Subscription>,
 43    variable_list: Entity<VariableList>,
 44    stack_frame_list: Entity<StackFrameList>,
 45    last_token: OutputToken,
 46    update_output_task: Option<Task<()>>,
 47    focus_handle: FocusHandle,
 48    history: SearchHistory,
 49    cursor: SearchHistoryCursor,
 50}
 51
 52impl Console {
 53    pub fn new(
 54        session: Entity<Session>,
 55        stack_frame_list: Entity<StackFrameList>,
 56        variable_list: Entity<VariableList>,
 57        window: &mut Window,
 58        cx: &mut Context<Self>,
 59    ) -> Self {
 60        let console = cx.new(|cx| {
 61            let mut editor = Editor::multi_line(window, cx);
 62            editor.move_to_end(&editor::actions::MoveToEnd, window, cx);
 63            editor.set_read_only(true);
 64            editor.disable_scrollbars_and_minimap(window, cx);
 65            editor.set_show_gutter(false, cx);
 66            editor.set_show_runnables(false, cx);
 67            editor.set_show_breakpoints(false, cx);
 68            editor.set_show_code_actions(false, cx);
 69            editor.set_show_line_numbers(false, cx);
 70            editor.set_show_git_diff_gutter(false, cx);
 71            editor.set_autoindent(false);
 72            editor.set_input_enabled(false);
 73            editor.set_use_autoclose(false);
 74            editor.set_show_wrap_guides(false, cx);
 75            editor.set_show_indent_guides(false, cx);
 76            editor.set_show_edit_predictions(Some(false), window, cx);
 77            editor.set_use_modal_editing(false);
 78            editor.set_soft_wrap_mode(language::language_settings::SoftWrap::EditorWidth, cx);
 79            editor
 80        });
 81        let focus_handle = cx.focus_handle();
 82
 83        let this = cx.weak_entity();
 84        let query_bar = cx.new(|cx| {
 85            let mut editor = Editor::single_line(window, cx);
 86            editor.set_placeholder_text("Evaluate an expression", cx);
 87            editor.set_use_autoclose(false);
 88            editor.set_show_gutter(false, cx);
 89            editor.set_show_wrap_guides(false, cx);
 90            editor.set_show_indent_guides(false, cx);
 91            editor.set_completion_provider(Some(Rc::new(ConsoleQueryBarCompletionProvider(this))));
 92
 93            editor
 94        });
 95
 96        let _subscriptions = vec![
 97            cx.subscribe(&stack_frame_list, Self::handle_stack_frame_list_events),
 98            cx.on_focus(&focus_handle, window, |console, window, cx| {
 99                if console.is_running(cx) {
100                    console.query_bar.focus_handle(cx).focus(window);
101                }
102            }),
103        ];
104
105        Self {
106            session,
107            console,
108            query_bar,
109            variable_list,
110            _subscriptions,
111            stack_frame_list,
112            update_output_task: None,
113            last_token: OutputToken(0),
114            focus_handle,
115            history: SearchHistory::new(
116                None,
117                project::search_history::QueryInsertionBehavior::ReplacePreviousIfContains,
118            ),
119            cursor: Default::default(),
120        }
121    }
122
123    #[cfg(test)]
124    pub(crate) fn editor(&self) -> &Entity<Editor> {
125        &self.console
126    }
127
128    fn is_running(&self, cx: &Context<Self>) -> bool {
129        self.session.read(cx).is_started()
130    }
131
132    fn handle_stack_frame_list_events(
133        &mut self,
134        _: Entity<StackFrameList>,
135        event: &StackFrameListEvent,
136        cx: &mut Context<Self>,
137    ) {
138        match event {
139            StackFrameListEvent::SelectedStackFrameChanged(_) => cx.notify(),
140            StackFrameListEvent::BuiltEntries => {}
141        }
142    }
143
144    pub(crate) fn show_indicator(&self, cx: &App) -> bool {
145        self.session.read(cx).has_new_output(self.last_token)
146    }
147
148    fn add_messages(
149        &mut self,
150        events: Vec<OutputEvent>,
151        window: &mut Window,
152        cx: &mut App,
153    ) -> Task<Result<()>> {
154        self.console.update(cx, |_, cx| {
155            cx.spawn_in(window, async move |console, cx| {
156                let mut len = console.update(cx, |this, cx| this.buffer().read(cx).len(cx))?;
157                let (output, spans, background_spans) = cx
158                    .background_spawn(async move {
159                        let mut all_spans = Vec::new();
160                        let mut all_background_spans = Vec::new();
161                        let mut to_insert = String::new();
162                        let mut scratch = String::new();
163
164                        for event in &events {
165                            scratch.clear();
166                            let mut ansi_handler = ConsoleHandler::default();
167                            let mut ansi_processor =
168                                ansi::Processor::<ansi::StdSyncHandler>::default();
169
170                            let trimmed_output = event.output.trim_end();
171                            let _ = writeln!(&mut scratch, "{trimmed_output}");
172                            ansi_processor.advance(&mut ansi_handler, scratch.as_bytes());
173                            let output = std::mem::take(&mut ansi_handler.output);
174                            to_insert.extend(output.chars());
175                            let mut spans = std::mem::take(&mut ansi_handler.spans);
176                            let mut background_spans =
177                                std::mem::take(&mut ansi_handler.background_spans);
178                            if ansi_handler.current_range_start < output.len() {
179                                spans.push((
180                                    ansi_handler.current_range_start..output.len(),
181                                    ansi_handler.current_color,
182                                ));
183                            }
184                            if ansi_handler.current_background_range_start < output.len() {
185                                background_spans.push((
186                                    ansi_handler.current_background_range_start..output.len(),
187                                    ansi_handler.current_background_color,
188                                ));
189                            }
190
191                            for (range, _) in spans.iter_mut() {
192                                let start_offset = len + range.start;
193                                *range = start_offset..len + range.end;
194                            }
195
196                            for (range, _) in background_spans.iter_mut() {
197                                let start_offset = len + range.start;
198                                *range = start_offset..len + range.end;
199                            }
200
201                            len += output.len();
202
203                            all_spans.extend(spans);
204                            all_background_spans.extend(background_spans);
205                        }
206                        (to_insert, all_spans, all_background_spans)
207                    })
208                    .await;
209                console.update_in(cx, |console, window, cx| {
210                    console.set_read_only(false);
211                    console.move_to_end(&editor::actions::MoveToEnd, window, cx);
212                    console.insert(&output, window, cx);
213                    console.set_read_only(true);
214
215                    struct ConsoleAnsiHighlight;
216
217                    let buffer = console.buffer().read(cx).snapshot(cx);
218
219                    for (range, color) in spans {
220                        let Some(color) = color else { continue };
221                        let start_offset = range.start;
222                        let range =
223                            buffer.anchor_after(range.start)..buffer.anchor_before(range.end);
224                        let style = HighlightStyle {
225                            color: Some(terminal_view::terminal_element::convert_color(
226                                &color,
227                                cx.theme(),
228                            )),
229                            ..Default::default()
230                        };
231                        console.highlight_text_key::<ConsoleAnsiHighlight>(
232                            start_offset,
233                            vec![range],
234                            style,
235                            cx,
236                        );
237                    }
238
239                    for (range, color) in background_spans {
240                        let Some(color) = color else { continue };
241                        let start_offset = range.start;
242                        let range =
243                            buffer.anchor_after(range.start)..buffer.anchor_before(range.end);
244                        console.highlight_background_key::<ConsoleAnsiHighlight>(
245                            start_offset,
246                            &[range],
247                            color_fetcher(color),
248                            cx,
249                        );
250                    }
251
252                    cx.notify();
253                })?;
254
255                Ok(())
256            })
257        })
258    }
259
260    pub fn watch_expression(
261        &mut self,
262        _: &WatchExpression,
263        window: &mut Window,
264        cx: &mut Context<Self>,
265    ) {
266        let expression = self.query_bar.update(cx, |editor, cx| {
267            let expression = editor.text(cx);
268            cx.defer_in(window, |editor, window, cx| {
269                editor.clear(window, cx);
270            });
271
272            expression
273        });
274        self.history.add(&mut self.cursor, expression.clone());
275        self.cursor.reset();
276        self.session.update(cx, |session, cx| {
277            session
278                .evaluate(
279                    expression.clone(),
280                    Some(dap::EvaluateArgumentsContext::Repl),
281                    self.stack_frame_list.read(cx).opened_stack_frame_id(),
282                    None,
283                    cx,
284                )
285                .detach();
286
287            if let Some(stack_frame_id) = self.stack_frame_list.read(cx).opened_stack_frame_id() {
288                session
289                    .add_watcher(expression.into(), stack_frame_id, cx)
290                    .detach();
291            }
292        });
293    }
294
295    fn previous_query(&mut self, _: &SelectPrevious, window: &mut Window, cx: &mut Context<Self>) {
296        let prev = self.history.previous(&mut self.cursor);
297        if let Some(prev) = prev {
298            self.query_bar.update(cx, |editor, cx| {
299                editor.set_text(prev, window, cx);
300            });
301        }
302    }
303
304    fn next_query(&mut self, _: &SelectNext, window: &mut Window, cx: &mut Context<Self>) {
305        let next = self.history.next(&mut self.cursor);
306        let query = next.unwrap_or_else(|| {
307            self.cursor.reset();
308            ""
309        });
310
311        self.query_bar.update(cx, |editor, cx| {
312            editor.set_text(query, window, cx);
313        });
314    }
315
316    fn evaluate(&mut self, _: &Confirm, window: &mut Window, cx: &mut Context<Self>) {
317        let expression = self.query_bar.update(cx, |editor, cx| {
318            let expression = editor.text(cx);
319            cx.defer_in(window, |editor, window, cx| {
320                editor.clear(window, cx);
321            });
322
323            expression
324        });
325
326        self.history.add(&mut self.cursor, expression.clone());
327        self.cursor.reset();
328        self.session.update(cx, |session, cx| {
329            session
330                .evaluate(
331                    expression,
332                    Some(dap::EvaluateArgumentsContext::Repl),
333                    self.stack_frame_list.read(cx).opened_stack_frame_id(),
334                    None,
335                    cx,
336                )
337                .detach();
338        });
339    }
340
341    fn render_submit_menu(
342        &self,
343        id: impl Into<ElementId>,
344        keybinding_target: Option<FocusHandle>,
345        cx: &App,
346    ) -> impl IntoElement {
347        PopoverMenu::new(id.into())
348            .trigger(
349                ui::ButtonLike::new_rounded_right("console-confirm-split-button-right")
350                    .layer(ui::ElevationIndex::ModalSurface)
351                    .size(ui::ButtonSize::None)
352                    .child(
353                        div()
354                            .px_1()
355                            .child(Icon::new(IconName::ChevronDownSmall).size(IconSize::XSmall)),
356                    ),
357            )
358            .when(
359                self.stack_frame_list
360                    .read(cx)
361                    .opened_stack_frame_id()
362                    .is_some(),
363                |this| {
364                    this.menu(move |window, cx| {
365                        Some(ContextMenu::build(window, cx, |context_menu, _, _| {
366                            context_menu
367                                .when_some(keybinding_target.clone(), |el, keybinding_target| {
368                                    el.context(keybinding_target.clone())
369                                })
370                                .action("Watch expression", WatchExpression.boxed_clone())
371                        }))
372                    })
373                },
374            )
375            .anchor(Corner::TopRight)
376    }
377
378    fn render_console(&self, cx: &Context<Self>) -> impl IntoElement {
379        EditorElement::new(&self.console, Self::editor_style(&self.console, cx))
380    }
381
382    fn editor_style(editor: &Entity<Editor>, cx: &Context<Self>) -> EditorStyle {
383        let is_read_only = editor.read(cx).read_only(cx);
384        let settings = ThemeSettings::get_global(cx);
385        let theme = cx.theme();
386        let text_style = TextStyle {
387            color: if is_read_only {
388                theme.colors().text_muted
389            } else {
390                theme.colors().text
391            },
392            font_family: settings.buffer_font.family.clone(),
393            font_features: settings.buffer_font.features.clone(),
394            font_size: settings.buffer_font_size(cx).into(),
395            font_weight: settings.buffer_font.weight,
396            line_height: relative(settings.buffer_line_height.value()),
397            ..Default::default()
398        };
399        EditorStyle {
400            background: theme.colors().editor_background,
401            local_player: theme.players().local(),
402            text: text_style,
403            ..Default::default()
404        }
405    }
406
407    fn render_query_bar(&self, cx: &Context<Self>) -> impl IntoElement {
408        EditorElement::new(&self.query_bar, Self::editor_style(&self.query_bar, cx))
409    }
410
411    pub(crate) fn update_output(&mut self, window: &mut Window, cx: &mut Context<Self>) {
412        if self.update_output_task.is_some() {
413            return;
414        }
415        let session = self.session.clone();
416        let token = self.last_token;
417        self.update_output_task = Some(cx.spawn_in(window, async move |this, cx| {
418            let Some((last_processed_token, task)) = session
419                .update_in(cx, |session, window, cx| {
420                    let (output, last_processed_token) = session.output(token);
421
422                    this.update(cx, |this, cx| {
423                        if last_processed_token == this.last_token {
424                            return None;
425                        }
426                        Some((
427                            last_processed_token,
428                            this.add_messages(output.cloned().collect(), window, cx),
429                        ))
430                    })
431                    .ok()
432                    .flatten()
433                })
434                .ok()
435                .flatten()
436            else {
437                _ = this.update(cx, |this, _| {
438                    this.update_output_task.take();
439                });
440                return;
441            };
442            _ = task.await.log_err();
443            _ = this.update(cx, |this, _| {
444                this.last_token = last_processed_token;
445                this.update_output_task.take();
446            });
447        }));
448    }
449}
450
451impl Render for Console {
452    fn render(&mut self, window: &mut Window, cx: &mut Context<Self>) -> impl IntoElement {
453        let query_focus_handle = self.query_bar.focus_handle(cx);
454        self.update_output(window, cx);
455        v_flex()
456            .track_focus(&self.focus_handle)
457            .key_context("DebugConsole")
458            .on_action(cx.listener(Self::evaluate))
459            .on_action(cx.listener(Self::watch_expression))
460            .size_full()
461            .child(self.render_console(cx))
462            .when(self.is_running(cx), |this| {
463                this.child(Divider::horizontal()).child(
464                    h_flex()
465                        .on_action(cx.listener(Self::previous_query))
466                        .on_action(cx.listener(Self::next_query))
467                        .gap_1()
468                        .bg(cx.theme().colors().editor_background)
469                        .child(self.render_query_bar(cx))
470                        .child(SplitButton::new(
471                            ui::ButtonLike::new_rounded_all(ElementId::Name(
472                                "split-button-left-confirm-button".into(),
473                            ))
474                            .on_click(move |_, window, cx| {
475                                window.dispatch_action(Box::new(Confirm), cx)
476                            })
477                            .tooltip({
478                                let query_focus_handle = query_focus_handle.clone();
479
480                                move |window, cx| {
481                                    Tooltip::for_action_in(
482                                        "Evaluate",
483                                        &Confirm,
484                                        &query_focus_handle,
485                                        window,
486                                        cx,
487                                    )
488                                }
489                            })
490                            .layer(ui::ElevationIndex::ModalSurface)
491                            .size(ui::ButtonSize::Compact)
492                            .child(Label::new("Evaluate")),
493                            self.render_submit_menu(
494                                ElementId::Name("split-button-right-confirm-button".into()),
495                                Some(query_focus_handle.clone()),
496                                cx,
497                            )
498                            .into_any_element(),
499                        )),
500                )
501            })
502            .border_2()
503    }
504}
505
506impl Focusable for Console {
507    fn focus_handle(&self, _cx: &App) -> gpui::FocusHandle {
508        self.focus_handle.clone()
509    }
510}
511
512struct ConsoleQueryBarCompletionProvider(WeakEntity<Console>);
513
514impl CompletionProvider for ConsoleQueryBarCompletionProvider {
515    fn completions(
516        &self,
517        _excerpt_id: ExcerptId,
518        buffer: &Entity<Buffer>,
519        buffer_position: language::Anchor,
520        _trigger: editor::CompletionContext,
521        _window: &mut Window,
522        cx: &mut Context<Editor>,
523    ) -> Task<Result<Vec<CompletionResponse>>> {
524        let Some(console) = self.0.upgrade() else {
525            return Task::ready(Ok(Vec::new()));
526        };
527
528        let support_completions = console
529            .read(cx)
530            .session
531            .read(cx)
532            .capabilities()
533            .supports_completions_request
534            .unwrap_or_default();
535
536        if support_completions {
537            self.client_completions(&console, buffer, buffer_position, cx)
538        } else {
539            self.variable_list_completions(&console, buffer, buffer_position, cx)
540        }
541    }
542
543    fn apply_additional_edits_for_completion(
544        &self,
545        _buffer: Entity<Buffer>,
546        _completions: Rc<RefCell<Box<[Completion]>>>,
547        _completion_index: usize,
548        _push_to_history: bool,
549        _cx: &mut Context<Editor>,
550    ) -> gpui::Task<anyhow::Result<Option<language::Transaction>>> {
551        Task::ready(Ok(None))
552    }
553
554    fn is_completion_trigger(
555        &self,
556        buffer: &Entity<Buffer>,
557        position: language::Anchor,
558        text: &str,
559        trigger_in_words: bool,
560        menu_is_open: bool,
561        cx: &mut Context<Editor>,
562    ) -> bool {
563        let mut chars = text.chars();
564        let char = if let Some(char) = chars.next() {
565            char
566        } else {
567            return false;
568        };
569
570        let snapshot = buffer.read(cx).snapshot();
571        if !menu_is_open && !snapshot.settings_at(position, cx).show_completions_on_input {
572            return false;
573        }
574
575        let classifier = snapshot.char_classifier_at(position).for_completion(true);
576        if trigger_in_words && classifier.is_word(char) {
577            return true;
578        }
579
580        self.0
581            .read_with(cx, |console, cx| {
582                console
583                    .session
584                    .read(cx)
585                    .capabilities()
586                    .completion_trigger_characters
587                    .as_ref()
588                    .map(|triggers| triggers.contains(&text.to_string()))
589            })
590            .ok()
591            .flatten()
592            .unwrap_or(true)
593    }
594}
595
596impl ConsoleQueryBarCompletionProvider {
597    fn variable_list_completions(
598        &self,
599        console: &Entity<Console>,
600        buffer: &Entity<Buffer>,
601        buffer_position: language::Anchor,
602        cx: &mut Context<Editor>,
603    ) -> Task<Result<Vec<CompletionResponse>>> {
604        let (variables, string_matches) = console.update(cx, |console, cx| {
605            let mut variables = HashMap::default();
606            let mut string_matches = Vec::default();
607
608            for variable in console.variable_list.update(cx, |variable_list, cx| {
609                variable_list.completion_variables(cx)
610            }) {
611                if let Some(evaluate_name) = &variable.evaluate_name {
612                    if variables
613                        .insert(evaluate_name.clone(), variable.value.clone())
614                        .is_none()
615                    {
616                        string_matches.push(StringMatchCandidate {
617                            id: 0,
618                            string: evaluate_name.clone(),
619                            char_bag: evaluate_name.chars().collect(),
620                        });
621                    }
622                }
623
624                if variables
625                    .insert(variable.name.clone(), variable.value.clone())
626                    .is_none()
627                {
628                    string_matches.push(StringMatchCandidate {
629                        id: 0,
630                        string: variable.name.clone(),
631                        char_bag: variable.name.chars().collect(),
632                    });
633                }
634            }
635
636            (variables, string_matches)
637        });
638
639        let snapshot = buffer.read(cx).text_snapshot();
640        let query = snapshot.text();
641        let replace_range = {
642            let buffer_offset = buffer_position.to_offset(&snapshot);
643            let reversed_chars = snapshot.reversed_chars_for_range(0..buffer_offset);
644            let mut word_len = 0;
645            for ch in reversed_chars {
646                if ch.is_alphanumeric() || ch == '_' {
647                    word_len += 1;
648                } else {
649                    break;
650                }
651            }
652            let word_start_offset = buffer_offset - word_len;
653            let start_anchor = snapshot.anchor_at(word_start_offset, Bias::Left);
654            start_anchor..buffer_position
655        };
656        cx.spawn(async move |_, cx| {
657            const LIMIT: usize = 10;
658            let matches = fuzzy::match_strings(
659                &string_matches,
660                &query,
661                true,
662                true,
663                LIMIT,
664                &Default::default(),
665                cx.background_executor().clone(),
666            )
667            .await;
668
669            let completions = matches
670                .iter()
671                .filter_map(|string_match| {
672                    let variable_value = variables.get(&string_match.string)?;
673
674                    Some(project::Completion {
675                        replace_range: replace_range.clone(),
676                        new_text: string_match.string.clone(),
677                        label: CodeLabel {
678                            filter_range: 0..string_match.string.len(),
679                            text: string_match.string.clone(),
680                            runs: Vec::new(),
681                        },
682                        icon_path: None,
683                        documentation: Some(CompletionDocumentation::MultiLineMarkdown(
684                            variable_value.into(),
685                        )),
686                        confirm: None,
687                        source: project::CompletionSource::Custom,
688                        insert_text_mode: None,
689                    })
690                })
691                .collect::<Vec<_>>();
692
693            Ok(vec![project::CompletionResponse {
694                is_incomplete: completions.len() >= LIMIT,
695                completions,
696            }])
697        })
698    }
699
700    const fn completion_type_score(completion_type: CompletionItemType) -> usize {
701        match completion_type {
702            CompletionItemType::Field | CompletionItemType::Property => 0,
703            CompletionItemType::Variable | CompletionItemType::Value => 1,
704            CompletionItemType::Method
705            | CompletionItemType::Function
706            | CompletionItemType::Constructor => 2,
707            CompletionItemType::Class
708            | CompletionItemType::Interface
709            | CompletionItemType::Module => 3,
710            _ => 4,
711        }
712    }
713
714    fn completion_item_sort_text(completion_item: &CompletionItem) -> String {
715        completion_item.sort_text.clone().unwrap_or_else(|| {
716            format!(
717                "{:03}_{}",
718                Self::completion_type_score(
719                    completion_item.type_.unwrap_or(CompletionItemType::Text)
720                ),
721                completion_item.label.to_ascii_lowercase()
722            )
723        })
724    }
725
726    fn client_completions(
727        &self,
728        console: &Entity<Console>,
729        buffer: &Entity<Buffer>,
730        buffer_position: language::Anchor,
731        cx: &mut Context<Editor>,
732    ) -> Task<Result<Vec<CompletionResponse>>> {
733        let completion_task = console.update(cx, |console, cx| {
734            console.session.update(cx, |state, cx| {
735                let frame_id = console.stack_frame_list.read(cx).opened_stack_frame_id();
736
737                state.completions(
738                    CompletionsQuery::new(buffer.read(cx), buffer_position, frame_id),
739                    cx,
740                )
741            })
742        });
743        let snapshot = buffer.read(cx).text_snapshot();
744        cx.background_executor().spawn(async move {
745            let completions = completion_task.await?;
746
747            let completions = completions
748                .into_iter()
749                .map(|completion| {
750                    let sort_text = Self::completion_item_sort_text(&completion);
751                    let new_text = completion
752                        .text
753                        .as_ref()
754                        .unwrap_or(&completion.label)
755                        .to_owned();
756                    let buffer_text = snapshot.text();
757                    let buffer_bytes = buffer_text.as_bytes();
758                    let new_bytes = new_text.as_bytes();
759
760                    let mut prefix_len = 0;
761                    for i in (0..new_bytes.len()).rev() {
762                        if buffer_bytes.ends_with(&new_bytes[0..i]) {
763                            prefix_len = i;
764                            break;
765                        }
766                    }
767
768                    let buffer_offset = buffer_position.to_offset(&snapshot);
769                    let start = buffer_offset - prefix_len;
770                    let start = snapshot.clip_offset(start, Bias::Left);
771                    let start = snapshot.anchor_before(start);
772                    let replace_range = start..buffer_position;
773
774                    project::Completion {
775                        replace_range,
776                        new_text,
777                        label: CodeLabel {
778                            filter_range: 0..completion.label.len(),
779                            text: completion.label,
780                            runs: Vec::new(),
781                        },
782                        icon_path: None,
783                        documentation: completion.detail.map(|detail| {
784                            CompletionDocumentation::MultiLineMarkdown(detail.into())
785                        }),
786                        confirm: None,
787                        source: project::CompletionSource::Dap { sort_text },
788                        insert_text_mode: None,
789                    }
790                })
791                .collect();
792
793            Ok(vec![project::CompletionResponse {
794                completions,
795                is_incomplete: false,
796            }])
797        })
798    }
799}
800
801#[derive(Default)]
802struct ConsoleHandler {
803    output: String,
804    spans: Vec<(Range<usize>, Option<ansi::Color>)>,
805    background_spans: Vec<(Range<usize>, Option<ansi::Color>)>,
806    current_range_start: usize,
807    current_background_range_start: usize,
808    current_color: Option<ansi::Color>,
809    current_background_color: Option<ansi::Color>,
810    pos: usize,
811}
812
813impl ConsoleHandler {
814    fn break_span(&mut self, color: Option<ansi::Color>) {
815        self.spans.push((
816            self.current_range_start..self.output.len(),
817            self.current_color,
818        ));
819        self.current_color = color;
820        self.current_range_start = self.pos;
821    }
822
823    fn break_background_span(&mut self, color: Option<ansi::Color>) {
824        self.background_spans.push((
825            self.current_background_range_start..self.output.len(),
826            self.current_background_color,
827        ));
828        self.current_background_color = color;
829        self.current_background_range_start = self.pos;
830    }
831}
832
833impl ansi::Handler for ConsoleHandler {
834    fn input(&mut self, c: char) {
835        self.output.push(c);
836        self.pos += c.len_utf8();
837    }
838
839    fn linefeed(&mut self) {
840        self.output.push('\n');
841        self.pos += 1;
842    }
843
844    fn put_tab(&mut self, count: u16) {
845        self.output
846            .extend(std::iter::repeat('\t').take(count as usize));
847        self.pos += count as usize;
848    }
849
850    fn terminal_attribute(&mut self, attr: ansi::Attr) {
851        match attr {
852            ansi::Attr::Foreground(color) => {
853                self.break_span(Some(color));
854            }
855            ansi::Attr::Background(color) => {
856                self.break_background_span(Some(color));
857            }
858            ansi::Attr::Reset => {
859                self.break_span(None);
860                self.break_background_span(None);
861            }
862            _ => {}
863        }
864    }
865}
866
867fn color_fetcher(color: ansi::Color) -> fn(&Theme) -> Hsla {
868    let color_fetcher: fn(&Theme) -> Hsla = match color {
869        // Named and theme defined colors
870        ansi::Color::Named(n) => match n {
871            ansi::NamedColor::Black => |theme| theme.colors().terminal_ansi_black,
872            ansi::NamedColor::Red => |theme| theme.colors().terminal_ansi_red,
873            ansi::NamedColor::Green => |theme| theme.colors().terminal_ansi_green,
874            ansi::NamedColor::Yellow => |theme| theme.colors().terminal_ansi_yellow,
875            ansi::NamedColor::Blue => |theme| theme.colors().terminal_ansi_blue,
876            ansi::NamedColor::Magenta => |theme| theme.colors().terminal_ansi_magenta,
877            ansi::NamedColor::Cyan => |theme| theme.colors().terminal_ansi_cyan,
878            ansi::NamedColor::White => |theme| theme.colors().terminal_ansi_white,
879            ansi::NamedColor::BrightBlack => |theme| theme.colors().terminal_ansi_bright_black,
880            ansi::NamedColor::BrightRed => |theme| theme.colors().terminal_ansi_bright_red,
881            ansi::NamedColor::BrightGreen => |theme| theme.colors().terminal_ansi_bright_green,
882            ansi::NamedColor::BrightYellow => |theme| theme.colors().terminal_ansi_bright_yellow,
883            ansi::NamedColor::BrightBlue => |theme| theme.colors().terminal_ansi_bright_blue,
884            ansi::NamedColor::BrightMagenta => |theme| theme.colors().terminal_ansi_bright_magenta,
885            ansi::NamedColor::BrightCyan => |theme| theme.colors().terminal_ansi_bright_cyan,
886            ansi::NamedColor::BrightWhite => |theme| theme.colors().terminal_ansi_bright_white,
887            ansi::NamedColor::Foreground => |theme| theme.colors().terminal_foreground,
888            ansi::NamedColor::Background => |theme| theme.colors().terminal_background,
889            ansi::NamedColor::Cursor => |theme| theme.players().local().cursor,
890            ansi::NamedColor::DimBlack => |theme| theme.colors().terminal_ansi_dim_black,
891            ansi::NamedColor::DimRed => |theme| theme.colors().terminal_ansi_dim_red,
892            ansi::NamedColor::DimGreen => |theme| theme.colors().terminal_ansi_dim_green,
893            ansi::NamedColor::DimYellow => |theme| theme.colors().terminal_ansi_dim_yellow,
894            ansi::NamedColor::DimBlue => |theme| theme.colors().terminal_ansi_dim_blue,
895            ansi::NamedColor::DimMagenta => |theme| theme.colors().terminal_ansi_dim_magenta,
896            ansi::NamedColor::DimCyan => |theme| theme.colors().terminal_ansi_dim_cyan,
897            ansi::NamedColor::DimWhite => |theme| theme.colors().terminal_ansi_dim_white,
898            ansi::NamedColor::BrightForeground => |theme| theme.colors().terminal_bright_foreground,
899            ansi::NamedColor::DimForeground => |theme| theme.colors().terminal_dim_foreground,
900        },
901        // 'True' colors
902        ansi::Color::Spec(_) => |theme| theme.colors().editor_background,
903        // 8 bit, indexed colors
904        ansi::Color::Indexed(i) => {
905            match i {
906                // 0-15 are the same as the named colors above
907                0 => |theme| theme.colors().terminal_ansi_black,
908                1 => |theme| theme.colors().terminal_ansi_red,
909                2 => |theme| theme.colors().terminal_ansi_green,
910                3 => |theme| theme.colors().terminal_ansi_yellow,
911                4 => |theme| theme.colors().terminal_ansi_blue,
912                5 => |theme| theme.colors().terminal_ansi_magenta,
913                6 => |theme| theme.colors().terminal_ansi_cyan,
914                7 => |theme| theme.colors().terminal_ansi_white,
915                8 => |theme| theme.colors().terminal_ansi_bright_black,
916                9 => |theme| theme.colors().terminal_ansi_bright_red,
917                10 => |theme| theme.colors().terminal_ansi_bright_green,
918                11 => |theme| theme.colors().terminal_ansi_bright_yellow,
919                12 => |theme| theme.colors().terminal_ansi_bright_blue,
920                13 => |theme| theme.colors().terminal_ansi_bright_magenta,
921                14 => |theme| theme.colors().terminal_ansi_bright_cyan,
922                15 => |theme| theme.colors().terminal_ansi_bright_white,
923                // 16-231 are a 6x6x6 RGB color cube, mapped to 0-255 using steps defined by XTerm.
924                // See: https://github.com/xterm-x11/xterm-snapshots/blob/master/256colres.pl
925                // 16..=231 => {
926                //     let (r, g, b) = rgb_for_index(index as u8);
927                //     rgba_color(
928                //         if r == 0 { 0 } else { r * 40 + 55 },
929                //         if g == 0 { 0 } else { g * 40 + 55 },
930                //         if b == 0 { 0 } else { b * 40 + 55 },
931                //     )
932                // }
933                // 232-255 are a 24-step grayscale ramp from (8, 8, 8) to (238, 238, 238).
934                // 232..=255 => {
935                //     let i = index as u8 - 232; // Align index to 0..24
936                //     let value = i * 10 + 8;
937                //     rgba_color(value, value, value)
938                // }
939                // For compatibility with the alacritty::Colors interface
940                // See: https://github.com/alacritty/alacritty/blob/master/alacritty_terminal/src/term/color.rs
941                _ => |_| gpui::black(),
942            }
943        }
944    };
945    color_fetcher
946}