element.rs

   1use crate::{
   2    blame_entry_tooltip::{blame_entry_relative_timestamp, BlameEntryTooltip},
   3    code_context_menus::{CodeActionsMenu, MENU_ASIDE_MAX_WIDTH, MENU_ASIDE_MIN_WIDTH, MENU_GAP},
   4    display_map::{
   5        Block, BlockContext, BlockStyle, DisplaySnapshot, HighlightedChunk, ToDisplayPoint,
   6    },
   7    editor_settings::{
   8        CurrentLineHighlight, DoubleClickInMultibuffer, MultiCursorModifier, ScrollBeyondLastLine,
   9        ScrollbarDiagnostics, ShowScrollbar,
  10    },
  11    git::blame::{CommitDetails, GitBlame},
  12    hover_popover::{
  13        self, hover_at, HOVER_POPOVER_GAP, MIN_POPOVER_CHARACTER_WIDTH, MIN_POPOVER_LINE_HEIGHT,
  14    },
  15    items::BufferSearchHighlights,
  16    mouse_context_menu::{self, MenuPosition, MouseContextMenu},
  17    scroll::{axis_pair, scroll_amount::ScrollAmount, AxisPair},
  18    BlockId, ChunkReplacement, CursorShape, CustomBlockId, DisplayPoint, DisplayRow,
  19    DocumentHighlightRead, DocumentHighlightWrite, EditDisplayMode, Editor, EditorMode,
  20    EditorSettings, EditorSnapshot, EditorStyle, ExpandExcerpts, FocusedBlock, GoToHunk,
  21    GoToPrevHunk, GutterDimensions, HalfPageDown, HalfPageUp, HandleInput, HoveredCursor,
  22    InlineCompletion, JumpData, LineDown, LineUp, OpenExcerpts, PageDown, PageUp, Point,
  23    RevertSelectedHunks, RowExt, RowRangeExt, SelectPhase, Selection, SoftWrap,
  24    StickyHeaderExcerpt, ToPoint, ToggleFold, CURSORS_VISIBLE_FOR, FILE_HEADER_HEIGHT,
  25    GIT_BLAME_MAX_AUTHOR_CHARS_DISPLAYED, MAX_LINE_LEN, MULTI_BUFFER_EXCERPT_HEADER_HEIGHT,
  26};
  27use client::ParticipantIndex;
  28use collections::{BTreeMap, HashMap, HashSet};
  29use file_icons::FileIcons;
  30use git::{blame::BlameEntry, diff::DiffHunkStatus, Oid};
  31use gpui::{
  32    anchored, deferred, div, fill, linear_color_stop, linear_gradient, outline, point, px, quad,
  33    relative, size, svg, transparent_black, Action, AnyElement, App, AvailableSpace, Axis, Bounds,
  34    ClickEvent, ClipboardItem, ContentMask, Context, Corner, Corners, CursorStyle, DispatchPhase,
  35    Edges, Element, ElementInputHandler, Entity, Focusable as _, FontId, GlobalElementId, Hitbox,
  36    Hsla, InteractiveElement, IntoElement, Length, ModifiersChangedEvent, MouseButton,
  37    MouseDownEvent, MouseMoveEvent, MouseUpEvent, PaintQuad, ParentElement, Pixels, ScrollDelta,
  38    ScrollWheelEvent, ShapedLine, SharedString, Size, StatefulInteractiveElement, Style, Styled,
  39    Subscription, TextRun, TextStyleRefinement, WeakEntity, Window,
  40};
  41use itertools::Itertools;
  42use language::{
  43    language_settings::{
  44        IndentGuideBackgroundColoring, IndentGuideColoring, IndentGuideSettings,
  45        ShowWhitespaceSetting,
  46    },
  47    ChunkRendererContext,
  48};
  49use lsp::DiagnosticSeverity;
  50use multi_buffer::{
  51    Anchor, ExcerptId, ExcerptInfo, ExpandExcerptDirection, MultiBufferPoint, MultiBufferRow,
  52    RowInfo, ToOffset,
  53};
  54use project::project_settings::{GitGutterSetting, ProjectSettings};
  55use settings::Settings;
  56use smallvec::{smallvec, SmallVec};
  57use std::{
  58    any::TypeId,
  59    borrow::Cow,
  60    cmp::{self, Ordering},
  61    fmt::{self, Write},
  62    iter, mem,
  63    ops::{Deref, Range},
  64    rc::Rc,
  65    sync::Arc,
  66};
  67use sum_tree::Bias;
  68use text::BufferId;
  69use theme::{ActiveTheme, Appearance, PlayerColor};
  70use ui::{
  71    h_flex, prelude::*, ButtonLike, ButtonStyle, ContextMenu, IconButtonShape, KeyBinding, Tooltip,
  72    POPOVER_Y_PADDING,
  73};
  74use unicode_segmentation::UnicodeSegmentation;
  75use util::{RangeExt, ResultExt};
  76use workspace::{item::Item, notifications::NotifyTaskExt, Workspace};
  77
  78const INLINE_BLAME_PADDING_EM_WIDTHS: f32 = 7.;
  79
  80#[derive(Debug, Clone, PartialEq, Eq)]
  81enum DisplayDiffHunk {
  82    Folded {
  83        display_row: DisplayRow,
  84    },
  85
  86    Unfolded {
  87        diff_base_byte_range: Range<usize>,
  88        display_row_range: Range<DisplayRow>,
  89        multi_buffer_range: Range<Anchor>,
  90        status: DiffHunkStatus,
  91    },
  92}
  93
  94struct SelectionLayout {
  95    head: DisplayPoint,
  96    cursor_shape: CursorShape,
  97    is_newest: bool,
  98    is_local: bool,
  99    range: Range<DisplayPoint>,
 100    active_rows: Range<DisplayRow>,
 101    user_name: Option<SharedString>,
 102}
 103
 104impl SelectionLayout {
 105    fn new<T: ToPoint + ToDisplayPoint + Clone>(
 106        selection: Selection<T>,
 107        line_mode: bool,
 108        cursor_shape: CursorShape,
 109        map: &DisplaySnapshot,
 110        is_newest: bool,
 111        is_local: bool,
 112        user_name: Option<SharedString>,
 113    ) -> Self {
 114        let point_selection = selection.map(|p| p.to_point(&map.buffer_snapshot));
 115        let display_selection = point_selection.map(|p| p.to_display_point(map));
 116        let mut range = display_selection.range();
 117        let mut head = display_selection.head();
 118        let mut active_rows = map.prev_line_boundary(point_selection.start).1.row()
 119            ..map.next_line_boundary(point_selection.end).1.row();
 120
 121        // vim visual line mode
 122        if line_mode {
 123            let point_range = map.expand_to_line(point_selection.range());
 124            range = point_range.start.to_display_point(map)..point_range.end.to_display_point(map);
 125        }
 126
 127        // any vim visual mode (including line mode)
 128        if (cursor_shape == CursorShape::Block || cursor_shape == CursorShape::Hollow)
 129            && !range.is_empty()
 130            && !selection.reversed
 131        {
 132            if head.column() > 0 {
 133                head = map.clip_point(DisplayPoint::new(head.row(), head.column() - 1), Bias::Left)
 134            } else if head.row().0 > 0 && head != map.max_point() {
 135                head = map.clip_point(
 136                    DisplayPoint::new(
 137                        head.row().previous_row(),
 138                        map.line_len(head.row().previous_row()),
 139                    ),
 140                    Bias::Left,
 141                );
 142                // updating range.end is a no-op unless you're cursor is
 143                // on the newline containing a multi-buffer divider
 144                // in which case the clip_point may have moved the head up
 145                // an additional row.
 146                range.end = DisplayPoint::new(head.row().next_row(), 0);
 147                active_rows.end = head.row();
 148            }
 149        }
 150
 151        Self {
 152            head,
 153            cursor_shape,
 154            is_newest,
 155            is_local,
 156            range,
 157            active_rows,
 158            user_name,
 159        }
 160    }
 161}
 162
 163pub struct EditorElement {
 164    editor: Entity<Editor>,
 165    style: EditorStyle,
 166}
 167
 168type DisplayRowDelta = u32;
 169
 170impl EditorElement {
 171    pub(crate) const SCROLLBAR_WIDTH: Pixels = px(15.);
 172
 173    pub fn new(editor: &Entity<Editor>, style: EditorStyle) -> Self {
 174        Self {
 175            editor: editor.clone(),
 176            style,
 177        }
 178    }
 179
 180    fn register_actions(&self, window: &mut Window, cx: &mut App) {
 181        let editor = &self.editor;
 182        editor.update(cx, |editor, cx| {
 183            for action in editor.editor_actions.borrow().values() {
 184                (action)(window, cx)
 185            }
 186        });
 187
 188        crate::rust_analyzer_ext::apply_related_actions(editor, window, cx);
 189        crate::clangd_ext::apply_related_actions(editor, window, cx);
 190        register_action(editor, window, Editor::open_context_menu);
 191        register_action(editor, window, Editor::move_left);
 192        register_action(editor, window, Editor::move_right);
 193        register_action(editor, window, Editor::move_down);
 194        register_action(editor, window, Editor::move_down_by_lines);
 195        register_action(editor, window, Editor::select_down_by_lines);
 196        register_action(editor, window, Editor::move_up);
 197        register_action(editor, window, Editor::move_up_by_lines);
 198        register_action(editor, window, Editor::select_up_by_lines);
 199        register_action(editor, window, Editor::select_page_down);
 200        register_action(editor, window, Editor::select_page_up);
 201        register_action(editor, window, Editor::cancel);
 202        register_action(editor, window, Editor::newline);
 203        register_action(editor, window, Editor::newline_above);
 204        register_action(editor, window, Editor::newline_below);
 205        register_action(editor, window, Editor::backspace);
 206        register_action(editor, window, Editor::delete);
 207        register_action(editor, window, Editor::tab);
 208        register_action(editor, window, Editor::tab_prev);
 209        register_action(editor, window, Editor::indent);
 210        register_action(editor, window, Editor::outdent);
 211        register_action(editor, window, Editor::autoindent);
 212        register_action(editor, window, Editor::delete_line);
 213        register_action(editor, window, Editor::join_lines);
 214        register_action(editor, window, Editor::sort_lines_case_sensitive);
 215        register_action(editor, window, Editor::sort_lines_case_insensitive);
 216        register_action(editor, window, Editor::reverse_lines);
 217        register_action(editor, window, Editor::shuffle_lines);
 218        register_action(editor, window, Editor::convert_to_upper_case);
 219        register_action(editor, window, Editor::convert_to_lower_case);
 220        register_action(editor, window, Editor::convert_to_title_case);
 221        register_action(editor, window, Editor::convert_to_snake_case);
 222        register_action(editor, window, Editor::convert_to_kebab_case);
 223        register_action(editor, window, Editor::convert_to_upper_camel_case);
 224        register_action(editor, window, Editor::convert_to_lower_camel_case);
 225        register_action(editor, window, Editor::convert_to_opposite_case);
 226        register_action(editor, window, Editor::delete_to_previous_word_start);
 227        register_action(editor, window, Editor::delete_to_previous_subword_start);
 228        register_action(editor, window, Editor::delete_to_next_word_end);
 229        register_action(editor, window, Editor::delete_to_next_subword_end);
 230        register_action(editor, window, Editor::delete_to_beginning_of_line);
 231        register_action(editor, window, Editor::delete_to_end_of_line);
 232        register_action(editor, window, Editor::cut_to_end_of_line);
 233        register_action(editor, window, Editor::duplicate_line_up);
 234        register_action(editor, window, Editor::duplicate_line_down);
 235        register_action(editor, window, Editor::duplicate_selection);
 236        register_action(editor, window, Editor::move_line_up);
 237        register_action(editor, window, Editor::move_line_down);
 238        register_action(editor, window, Editor::transpose);
 239        register_action(editor, window, Editor::rewrap);
 240        register_action(editor, window, Editor::cut);
 241        register_action(editor, window, Editor::kill_ring_cut);
 242        register_action(editor, window, Editor::kill_ring_yank);
 243        register_action(editor, window, Editor::copy);
 244        register_action(editor, window, Editor::paste);
 245        register_action(editor, window, Editor::undo);
 246        register_action(editor, window, Editor::redo);
 247        register_action(editor, window, Editor::move_page_up);
 248        register_action(editor, window, Editor::move_page_down);
 249        register_action(editor, window, Editor::next_screen);
 250        register_action(editor, window, Editor::scroll_cursor_top);
 251        register_action(editor, window, Editor::scroll_cursor_center);
 252        register_action(editor, window, Editor::scroll_cursor_bottom);
 253        register_action(editor, window, Editor::scroll_cursor_center_top_bottom);
 254        register_action(editor, window, |editor, _: &LineDown, window, cx| {
 255            editor.scroll_screen(&ScrollAmount::Line(1.), window, cx)
 256        });
 257        register_action(editor, window, |editor, _: &LineUp, window, cx| {
 258            editor.scroll_screen(&ScrollAmount::Line(-1.), window, cx)
 259        });
 260        register_action(editor, window, |editor, _: &HalfPageDown, window, cx| {
 261            editor.scroll_screen(&ScrollAmount::Page(0.5), window, cx)
 262        });
 263        register_action(
 264            editor,
 265            window,
 266            |editor, HandleInput(text): &HandleInput, window, cx| {
 267                if text.is_empty() {
 268                    return;
 269                }
 270                editor.handle_input(text, window, cx);
 271            },
 272        );
 273        register_action(editor, window, |editor, _: &HalfPageUp, window, cx| {
 274            editor.scroll_screen(&ScrollAmount::Page(-0.5), window, cx)
 275        });
 276        register_action(editor, window, |editor, _: &PageDown, window, cx| {
 277            editor.scroll_screen(&ScrollAmount::Page(1.), window, cx)
 278        });
 279        register_action(editor, window, |editor, _: &PageUp, window, cx| {
 280            editor.scroll_screen(&ScrollAmount::Page(-1.), window, cx)
 281        });
 282        register_action(editor, window, Editor::move_to_previous_word_start);
 283        register_action(editor, window, Editor::move_to_previous_subword_start);
 284        register_action(editor, window, Editor::move_to_next_word_end);
 285        register_action(editor, window, Editor::move_to_next_subword_end);
 286        register_action(editor, window, Editor::move_to_beginning_of_line);
 287        register_action(editor, window, Editor::move_to_end_of_line);
 288        register_action(editor, window, Editor::move_to_start_of_paragraph);
 289        register_action(editor, window, Editor::move_to_end_of_paragraph);
 290        register_action(editor, window, Editor::move_to_beginning);
 291        register_action(editor, window, Editor::move_to_end);
 292        register_action(editor, window, Editor::select_up);
 293        register_action(editor, window, Editor::select_down);
 294        register_action(editor, window, Editor::select_left);
 295        register_action(editor, window, Editor::select_right);
 296        register_action(editor, window, Editor::select_to_previous_word_start);
 297        register_action(editor, window, Editor::select_to_previous_subword_start);
 298        register_action(editor, window, Editor::select_to_next_word_end);
 299        register_action(editor, window, Editor::select_to_next_subword_end);
 300        register_action(editor, window, Editor::select_to_beginning_of_line);
 301        register_action(editor, window, Editor::select_to_end_of_line);
 302        register_action(editor, window, Editor::select_to_start_of_paragraph);
 303        register_action(editor, window, Editor::select_to_end_of_paragraph);
 304        register_action(editor, window, Editor::select_to_beginning);
 305        register_action(editor, window, Editor::select_to_end);
 306        register_action(editor, window, Editor::select_all);
 307        register_action(editor, window, |editor, action, window, cx| {
 308            editor.select_all_matches(action, window, cx).log_err();
 309        });
 310        register_action(editor, window, Editor::select_line);
 311        register_action(editor, window, Editor::split_selection_into_lines);
 312        register_action(editor, window, Editor::add_selection_above);
 313        register_action(editor, window, Editor::add_selection_below);
 314        register_action(editor, window, |editor, action, window, cx| {
 315            editor.select_next(action, window, cx).log_err();
 316        });
 317        register_action(editor, window, |editor, action, window, cx| {
 318            editor.select_previous(action, window, cx).log_err();
 319        });
 320        register_action(editor, window, Editor::toggle_comments);
 321        register_action(editor, window, Editor::select_larger_syntax_node);
 322        register_action(editor, window, Editor::select_smaller_syntax_node);
 323        register_action(editor, window, Editor::select_enclosing_symbol);
 324        register_action(editor, window, Editor::move_to_enclosing_bracket);
 325        register_action(editor, window, Editor::undo_selection);
 326        register_action(editor, window, Editor::redo_selection);
 327        if !editor.read(cx).is_singleton(cx) {
 328            register_action(editor, window, Editor::expand_excerpts);
 329            register_action(editor, window, Editor::expand_excerpts_up);
 330            register_action(editor, window, Editor::expand_excerpts_down);
 331        }
 332        register_action(editor, window, Editor::go_to_diagnostic);
 333        register_action(editor, window, Editor::go_to_prev_diagnostic);
 334        register_action(editor, window, Editor::go_to_next_hunk);
 335        register_action(editor, window, Editor::go_to_prev_hunk);
 336        register_action(editor, window, |editor, action, window, cx| {
 337            editor
 338                .go_to_definition(action, window, cx)
 339                .detach_and_log_err(cx);
 340        });
 341        register_action(editor, window, |editor, action, window, cx| {
 342            editor
 343                .go_to_definition_split(action, window, cx)
 344                .detach_and_log_err(cx);
 345        });
 346        register_action(editor, window, |editor, action, window, cx| {
 347            editor
 348                .go_to_declaration(action, window, cx)
 349                .detach_and_log_err(cx);
 350        });
 351        register_action(editor, window, |editor, action, window, cx| {
 352            editor
 353                .go_to_declaration_split(action, window, cx)
 354                .detach_and_log_err(cx);
 355        });
 356        register_action(editor, window, |editor, action, window, cx| {
 357            editor
 358                .go_to_implementation(action, window, cx)
 359                .detach_and_log_err(cx);
 360        });
 361        register_action(editor, window, |editor, action, window, cx| {
 362            editor
 363                .go_to_implementation_split(action, window, cx)
 364                .detach_and_log_err(cx);
 365        });
 366        register_action(editor, window, |editor, action, window, cx| {
 367            editor
 368                .go_to_type_definition(action, window, cx)
 369                .detach_and_log_err(cx);
 370        });
 371        register_action(editor, window, |editor, action, window, cx| {
 372            editor
 373                .go_to_type_definition_split(action, window, cx)
 374                .detach_and_log_err(cx);
 375        });
 376        register_action(editor, window, Editor::open_url);
 377        register_action(editor, window, Editor::open_selected_filename);
 378        register_action(editor, window, Editor::fold);
 379        register_action(editor, window, Editor::fold_at_level);
 380        register_action(editor, window, Editor::fold_all);
 381        register_action(editor, window, Editor::fold_function_bodies);
 382        register_action(editor, window, Editor::fold_at);
 383        register_action(editor, window, Editor::fold_recursive);
 384        register_action(editor, window, Editor::toggle_fold);
 385        register_action(editor, window, Editor::toggle_fold_recursive);
 386        register_action(editor, window, Editor::unfold_lines);
 387        register_action(editor, window, Editor::unfold_recursive);
 388        register_action(editor, window, Editor::unfold_all);
 389        register_action(editor, window, Editor::unfold_at);
 390        register_action(editor, window, Editor::fold_selected_ranges);
 391        register_action(editor, window, Editor::set_mark);
 392        register_action(editor, window, Editor::swap_selection_ends);
 393        register_action(editor, window, Editor::show_completions);
 394        register_action(editor, window, Editor::toggle_code_actions);
 395        register_action(editor, window, Editor::open_excerpts);
 396        register_action(editor, window, Editor::open_excerpts_in_split);
 397        register_action(editor, window, Editor::open_proposed_changes_editor);
 398        register_action(editor, window, Editor::toggle_soft_wrap);
 399        register_action(editor, window, Editor::toggle_tab_bar);
 400        register_action(editor, window, Editor::toggle_line_numbers);
 401        register_action(editor, window, Editor::toggle_relative_line_numbers);
 402        register_action(editor, window, Editor::toggle_indent_guides);
 403        register_action(editor, window, Editor::toggle_inlay_hints);
 404        register_action(editor, window, Editor::toggle_inline_completions);
 405        register_action(editor, window, hover_popover::hover);
 406        register_action(editor, window, Editor::reveal_in_finder);
 407        register_action(editor, window, Editor::copy_path);
 408        register_action(editor, window, Editor::copy_relative_path);
 409        register_action(editor, window, Editor::copy_highlight_json);
 410        register_action(editor, window, Editor::copy_permalink_to_line);
 411        register_action(editor, window, Editor::open_permalink_to_line);
 412        register_action(editor, window, Editor::copy_file_location);
 413        register_action(editor, window, Editor::toggle_git_blame);
 414        register_action(editor, window, Editor::toggle_git_blame_inline);
 415        register_action(editor, window, Editor::toggle_selected_diff_hunks);
 416        register_action(editor, window, Editor::expand_all_diff_hunks);
 417        register_action(editor, window, |editor, action, window, cx| {
 418            if let Some(task) = editor.format(action, window, cx) {
 419                task.detach_and_notify_err(window, cx);
 420            } else {
 421                cx.propagate();
 422            }
 423        });
 424        register_action(editor, window, |editor, action, window, cx| {
 425            if let Some(task) = editor.format_selections(action, window, cx) {
 426                task.detach_and_notify_err(window, cx);
 427            } else {
 428                cx.propagate();
 429            }
 430        });
 431        register_action(editor, window, Editor::restart_language_server);
 432        register_action(editor, window, Editor::cancel_language_server_work);
 433        register_action(editor, window, Editor::show_character_palette);
 434        register_action(editor, window, |editor, action, window, cx| {
 435            if let Some(task) = editor.confirm_completion(action, window, cx) {
 436                task.detach_and_notify_err(window, cx);
 437            } else {
 438                cx.propagate();
 439            }
 440        });
 441        register_action(editor, window, |editor, action, window, cx| {
 442            if let Some(task) = editor.compose_completion(action, window, cx) {
 443                task.detach_and_notify_err(window, cx);
 444            } else {
 445                cx.propagate();
 446            }
 447        });
 448        register_action(editor, window, |editor, action, window, cx| {
 449            if let Some(task) = editor.confirm_code_action(action, window, cx) {
 450                task.detach_and_notify_err(window, cx);
 451            } else {
 452                cx.propagate();
 453            }
 454        });
 455        register_action(editor, window, |editor, action, window, cx| {
 456            if let Some(task) = editor.rename(action, window, cx) {
 457                task.detach_and_notify_err(window, cx);
 458            } else {
 459                cx.propagate();
 460            }
 461        });
 462        register_action(editor, window, |editor, action, window, cx| {
 463            if let Some(task) = editor.confirm_rename(action, window, cx) {
 464                task.detach_and_notify_err(window, cx);
 465            } else {
 466                cx.propagate();
 467            }
 468        });
 469        register_action(editor, window, |editor, action, window, cx| {
 470            if let Some(task) = editor.find_all_references(action, window, cx) {
 471                task.detach_and_log_err(cx);
 472            } else {
 473                cx.propagate();
 474            }
 475        });
 476        register_action(editor, window, Editor::show_signature_help);
 477        register_action(editor, window, Editor::next_inline_completion);
 478        register_action(editor, window, Editor::previous_inline_completion);
 479        register_action(editor, window, Editor::show_inline_completion);
 480        register_action(editor, window, Editor::context_menu_first);
 481        register_action(editor, window, Editor::context_menu_prev);
 482        register_action(editor, window, Editor::context_menu_next);
 483        register_action(editor, window, Editor::context_menu_last);
 484        register_action(editor, window, Editor::display_cursor_names);
 485        register_action(editor, window, Editor::unique_lines_case_insensitive);
 486        register_action(editor, window, Editor::unique_lines_case_sensitive);
 487        register_action(editor, window, Editor::accept_partial_inline_completion);
 488        register_action(editor, window, Editor::accept_inline_completion);
 489        register_action(editor, window, Editor::revert_file);
 490        register_action(editor, window, Editor::revert_selected_hunks);
 491        register_action(editor, window, Editor::apply_all_diff_hunks);
 492        register_action(editor, window, Editor::apply_selected_diff_hunks);
 493        register_action(editor, window, Editor::open_active_item_in_terminal);
 494        register_action(editor, window, Editor::reload_file);
 495        register_action(editor, window, Editor::spawn_nearest_task);
 496        register_action(editor, window, Editor::insert_uuid_v4);
 497        register_action(editor, window, Editor::insert_uuid_v7);
 498        register_action(editor, window, Editor::open_selections_in_multibuffer);
 499    }
 500
 501    fn register_key_listeners(&self, window: &mut Window, _: &mut App, layout: &EditorLayout) {
 502        let position_map = layout.position_map.clone();
 503        window.on_key_event({
 504            let editor = self.editor.clone();
 505            let text_hitbox = layout.text_hitbox.clone();
 506            move |event: &ModifiersChangedEvent, phase, window, cx| {
 507                if phase != DispatchPhase::Bubble {
 508                    return;
 509                }
 510                editor.update(cx, |editor, cx| {
 511                    if editor.hover_state.focused(window, cx) {
 512                        return;
 513                    }
 514                    Self::modifiers_changed(editor, event, &position_map, &text_hitbox, window, cx)
 515                })
 516            }
 517        });
 518    }
 519
 520    fn modifiers_changed(
 521        editor: &mut Editor,
 522        event: &ModifiersChangedEvent,
 523        position_map: &PositionMap,
 524        text_hitbox: &Hitbox,
 525        window: &mut Window,
 526        cx: &mut Context<Editor>,
 527    ) {
 528        let mouse_position = window.mouse_position();
 529        if !text_hitbox.is_hovered(window) {
 530            return;
 531        }
 532
 533        editor.update_hovered_link(
 534            position_map.point_for_position(text_hitbox.bounds, mouse_position),
 535            &position_map.snapshot,
 536            event.modifiers,
 537            window,
 538            cx,
 539        )
 540    }
 541
 542    #[allow(clippy::too_many_arguments)]
 543    fn mouse_left_down(
 544        editor: &mut Editor,
 545        event: &MouseDownEvent,
 546        hovered_hunk: Option<Range<Anchor>>,
 547        position_map: &PositionMap,
 548        text_hitbox: &Hitbox,
 549        gutter_hitbox: &Hitbox,
 550        line_numbers: &HashMap<MultiBufferRow, LineNumberLayout>,
 551        window: &mut Window,
 552        cx: &mut Context<Editor>,
 553    ) {
 554        if window.default_prevented() {
 555            return;
 556        }
 557
 558        let mut click_count = event.click_count;
 559        let mut modifiers = event.modifiers;
 560
 561        if let Some(hovered_hunk) = hovered_hunk {
 562            editor.toggle_diff_hunks_in_ranges(vec![hovered_hunk], cx);
 563            cx.notify();
 564            return;
 565        } else if gutter_hitbox.is_hovered(window) {
 566            click_count = 3; // Simulate triple-click when clicking the gutter to select lines
 567        } else if !text_hitbox.is_hovered(window) {
 568            return;
 569        }
 570
 571        let is_singleton = editor.buffer().read(cx).is_singleton();
 572
 573        if click_count == 2 && !is_singleton {
 574            match EditorSettings::get_global(cx).double_click_in_multibuffer {
 575                DoubleClickInMultibuffer::Select => {
 576                    // do nothing special on double click, all selection logic is below
 577                }
 578                DoubleClickInMultibuffer::Open => {
 579                    if modifiers.alt {
 580                        // if double click is made with alt, pretend it's a regular double click without opening and alt,
 581                        // and run the selection logic.
 582                        modifiers.alt = false;
 583                    } else {
 584                        let scroll_position_row =
 585                            position_map.scroll_pixel_position.y / position_map.line_height;
 586                        let display_row = (((event.position - gutter_hitbox.bounds.origin).y
 587                            + position_map.scroll_pixel_position.y)
 588                            / position_map.line_height)
 589                            as u32;
 590                        let multi_buffer_row = position_map
 591                            .snapshot
 592                            .display_point_to_point(
 593                                DisplayPoint::new(DisplayRow(display_row), 0),
 594                                Bias::Right,
 595                            )
 596                            .row;
 597                        let line_offset_from_top = display_row - scroll_position_row as u32;
 598                        // if double click is made without alt, open the corresponding excerp
 599                        editor.open_excerpts_common(
 600                            Some(JumpData::MultiBufferRow {
 601                                row: MultiBufferRow(multi_buffer_row),
 602                                line_offset_from_top,
 603                            }),
 604                            false,
 605                            window,
 606                            cx,
 607                        );
 608                        return;
 609                    }
 610                }
 611            }
 612        }
 613
 614        let point_for_position =
 615            position_map.point_for_position(text_hitbox.bounds, event.position);
 616        let position = point_for_position.previous_valid;
 617        if modifiers.shift && modifiers.alt {
 618            editor.select(
 619                SelectPhase::BeginColumnar {
 620                    position,
 621                    reset: false,
 622                    goal_column: point_for_position.exact_unclipped.column(),
 623                },
 624                window,
 625                cx,
 626            );
 627        } else if modifiers.shift && !modifiers.control && !modifiers.alt && !modifiers.secondary()
 628        {
 629            editor.select(
 630                SelectPhase::Extend {
 631                    position,
 632                    click_count,
 633                },
 634                window,
 635                cx,
 636            );
 637        } else {
 638            let multi_cursor_setting = EditorSettings::get_global(cx).multi_cursor_modifier;
 639            let multi_cursor_modifier = match multi_cursor_setting {
 640                MultiCursorModifier::Alt => modifiers.alt,
 641                MultiCursorModifier::CmdOrCtrl => modifiers.secondary(),
 642            };
 643            editor.select(
 644                SelectPhase::Begin {
 645                    position,
 646                    add: multi_cursor_modifier,
 647                    click_count,
 648                },
 649                window,
 650                cx,
 651            );
 652        }
 653        cx.stop_propagation();
 654
 655        if !is_singleton {
 656            let display_row = (((event.position - gutter_hitbox.bounds.origin).y
 657                + position_map.scroll_pixel_position.y)
 658                / position_map.line_height) as u32;
 659            let multi_buffer_row = position_map
 660                .snapshot
 661                .display_point_to_point(DisplayPoint::new(DisplayRow(display_row), 0), Bias::Right)
 662                .row;
 663            if line_numbers
 664                .get(&MultiBufferRow(multi_buffer_row))
 665                .and_then(|line_number| line_number.hitbox.as_ref())
 666                .is_some_and(|hitbox| hitbox.contains(&event.position))
 667            {
 668                let scroll_position_row =
 669                    position_map.scroll_pixel_position.y / position_map.line_height;
 670                let line_offset_from_top = display_row - scroll_position_row as u32;
 671
 672                editor.open_excerpts_common(
 673                    Some(JumpData::MultiBufferRow {
 674                        row: MultiBufferRow(multi_buffer_row),
 675                        line_offset_from_top,
 676                    }),
 677                    modifiers.alt,
 678                    window,
 679                    cx,
 680                );
 681                cx.stop_propagation();
 682            }
 683        }
 684    }
 685
 686    fn mouse_right_down(
 687        editor: &mut Editor,
 688        event: &MouseDownEvent,
 689        position_map: &PositionMap,
 690        text_hitbox: &Hitbox,
 691        window: &mut Window,
 692        cx: &mut Context<Editor>,
 693    ) {
 694        if !text_hitbox.is_hovered(window) {
 695            return;
 696        }
 697        let point_for_position =
 698            position_map.point_for_position(text_hitbox.bounds, event.position);
 699        mouse_context_menu::deploy_context_menu(
 700            editor,
 701            Some(event.position),
 702            point_for_position.previous_valid,
 703            window,
 704            cx,
 705        );
 706        cx.stop_propagation();
 707    }
 708
 709    fn mouse_middle_down(
 710        editor: &mut Editor,
 711        event: &MouseDownEvent,
 712        position_map: &PositionMap,
 713        text_hitbox: &Hitbox,
 714        window: &mut Window,
 715        cx: &mut Context<Editor>,
 716    ) {
 717        if !text_hitbox.is_hovered(window) || window.default_prevented() {
 718            return;
 719        }
 720
 721        let point_for_position =
 722            position_map.point_for_position(text_hitbox.bounds, event.position);
 723        let position = point_for_position.previous_valid;
 724
 725        editor.select(
 726            SelectPhase::BeginColumnar {
 727                position,
 728                reset: true,
 729                goal_column: point_for_position.exact_unclipped.column(),
 730            },
 731            window,
 732            cx,
 733        );
 734    }
 735
 736    fn mouse_up(
 737        editor: &mut Editor,
 738        event: &MouseUpEvent,
 739        position_map: &PositionMap,
 740        text_hitbox: &Hitbox,
 741        window: &mut Window,
 742        cx: &mut Context<Editor>,
 743    ) {
 744        let end_selection = editor.has_pending_selection();
 745        let pending_nonempty_selections = editor.has_pending_nonempty_selection();
 746
 747        if end_selection {
 748            editor.select(SelectPhase::End, window, cx);
 749        }
 750
 751        let multi_cursor_setting = EditorSettings::get_global(cx).multi_cursor_modifier;
 752        let multi_cursor_modifier = match multi_cursor_setting {
 753            MultiCursorModifier::Alt => event.modifiers.secondary(),
 754            MultiCursorModifier::CmdOrCtrl => event.modifiers.alt,
 755        };
 756
 757        if !pending_nonempty_selections && multi_cursor_modifier && text_hitbox.is_hovered(window) {
 758            let point = position_map.point_for_position(text_hitbox.bounds, event.position);
 759            editor.handle_click_hovered_link(point, event.modifiers, window, cx);
 760
 761            cx.stop_propagation();
 762        } else if end_selection && pending_nonempty_selections {
 763            cx.stop_propagation();
 764        } else if cfg!(any(target_os = "linux", target_os = "freebsd"))
 765            && event.button == MouseButton::Middle
 766        {
 767            if !text_hitbox.is_hovered(window) || editor.read_only(cx) {
 768                return;
 769            }
 770
 771            #[cfg(any(target_os = "linux", target_os = "freebsd"))]
 772            if EditorSettings::get_global(cx).middle_click_paste {
 773                if let Some(text) = cx.read_from_primary().and_then(|item| item.text()) {
 774                    let point_for_position =
 775                        position_map.point_for_position(text_hitbox.bounds, event.position);
 776                    let position = point_for_position.previous_valid;
 777
 778                    editor.select(
 779                        SelectPhase::Begin {
 780                            position,
 781                            add: false,
 782                            click_count: 1,
 783                        },
 784                        window,
 785                        cx,
 786                    );
 787                    editor.insert(&text, window, cx);
 788                }
 789                cx.stop_propagation()
 790            }
 791        }
 792    }
 793
 794    fn mouse_dragged(
 795        editor: &mut Editor,
 796        event: &MouseMoveEvent,
 797        position_map: &PositionMap,
 798        text_bounds: Bounds<Pixels>,
 799        window: &mut Window,
 800        cx: &mut Context<Editor>,
 801    ) {
 802        if !editor.has_pending_selection() {
 803            return;
 804        }
 805
 806        let point_for_position = position_map.point_for_position(text_bounds, event.position);
 807        let mut scroll_delta = gpui::Point::<f32>::default();
 808        let vertical_margin = position_map.line_height.min(text_bounds.size.height / 3.0);
 809        let top = text_bounds.origin.y + vertical_margin;
 810        let bottom = text_bounds.bottom_left().y - vertical_margin;
 811        if event.position.y < top {
 812            scroll_delta.y = -scale_vertical_mouse_autoscroll_delta(top - event.position.y);
 813        }
 814        if event.position.y > bottom {
 815            scroll_delta.y = scale_vertical_mouse_autoscroll_delta(event.position.y - bottom);
 816        }
 817
 818        // We need horizontal width of text
 819        let style = editor.style.clone().unwrap_or_default();
 820        let font_id = window.text_system().resolve_font(&style.text.font());
 821        let font_size = style.text.font_size.to_pixels(window.rem_size());
 822        let em_width = window
 823            .text_system()
 824            .typographic_bounds(font_id, font_size, 'm')
 825            .unwrap()
 826            .size
 827            .width;
 828
 829        let scroll_margin_x = EditorSettings::get_global(cx).horizontal_scroll_margin;
 830
 831        let scroll_space: Pixels = scroll_margin_x * em_width;
 832
 833        let left = text_bounds.origin.x + scroll_space;
 834        let right = text_bounds.top_right().x - scroll_space;
 835
 836        if event.position.x < left {
 837            scroll_delta.x = -scale_horizontal_mouse_autoscroll_delta(left - event.position.x);
 838        }
 839        if event.position.x > right {
 840            scroll_delta.x = scale_horizontal_mouse_autoscroll_delta(event.position.x - right);
 841        }
 842
 843        editor.select(
 844            SelectPhase::Update {
 845                position: point_for_position.previous_valid,
 846                goal_column: point_for_position.exact_unclipped.column(),
 847                scroll_delta,
 848            },
 849            window,
 850            cx,
 851        );
 852    }
 853
 854    fn mouse_moved(
 855        editor: &mut Editor,
 856        event: &MouseMoveEvent,
 857        position_map: &PositionMap,
 858        text_hitbox: &Hitbox,
 859        gutter_hitbox: &Hitbox,
 860        window: &mut Window,
 861        cx: &mut Context<Editor>,
 862    ) {
 863        let modifiers = event.modifiers;
 864        let gutter_hovered = gutter_hitbox.is_hovered(window);
 865        editor.set_gutter_hovered(gutter_hovered, cx);
 866
 867        // Don't trigger hover popover if mouse is hovering over context menu
 868        if text_hitbox.is_hovered(window) {
 869            let point_for_position =
 870                position_map.point_for_position(text_hitbox.bounds, event.position);
 871
 872            editor.update_hovered_link(
 873                point_for_position,
 874                &position_map.snapshot,
 875                modifiers,
 876                window,
 877                cx,
 878            );
 879
 880            if let Some(point) = point_for_position.as_valid() {
 881                let anchor = position_map
 882                    .snapshot
 883                    .buffer_snapshot
 884                    .anchor_before(point.to_offset(&position_map.snapshot, Bias::Left));
 885                hover_at(editor, Some(anchor), window, cx);
 886                Self::update_visible_cursor(editor, point, position_map, window, cx);
 887            } else {
 888                hover_at(editor, None, window, cx);
 889            }
 890        } else {
 891            editor.hide_hovered_link(cx);
 892            hover_at(editor, None, window, cx);
 893            if gutter_hovered {
 894                cx.stop_propagation();
 895            }
 896        }
 897    }
 898
 899    fn update_visible_cursor(
 900        editor: &mut Editor,
 901        point: DisplayPoint,
 902        position_map: &PositionMap,
 903        window: &mut Window,
 904        cx: &mut Context<Editor>,
 905    ) {
 906        let snapshot = &position_map.snapshot;
 907        let Some(hub) = editor.collaboration_hub() else {
 908            return;
 909        };
 910        let start = snapshot.display_snapshot.clip_point(
 911            DisplayPoint::new(point.row(), point.column().saturating_sub(1)),
 912            Bias::Left,
 913        );
 914        let end = snapshot.display_snapshot.clip_point(
 915            DisplayPoint::new(
 916                point.row(),
 917                (point.column() + 1).min(snapshot.line_len(point.row())),
 918            ),
 919            Bias::Right,
 920        );
 921
 922        let range = snapshot
 923            .buffer_snapshot
 924            .anchor_at(start.to_point(&snapshot.display_snapshot), Bias::Left)
 925            ..snapshot
 926                .buffer_snapshot
 927                .anchor_at(end.to_point(&snapshot.display_snapshot), Bias::Right);
 928
 929        let Some(selection) = snapshot.remote_selections_in_range(&range, hub, cx).next() else {
 930            return;
 931        };
 932        let key = crate::HoveredCursor {
 933            replica_id: selection.replica_id,
 934            selection_id: selection.selection.id,
 935        };
 936        editor.hovered_cursors.insert(
 937            key.clone(),
 938            cx.spawn_in(window, |editor, mut cx| async move {
 939                cx.background_executor().timer(CURSORS_VISIBLE_FOR).await;
 940                editor
 941                    .update(&mut cx, |editor, cx| {
 942                        editor.hovered_cursors.remove(&key);
 943                        cx.notify();
 944                    })
 945                    .ok();
 946            }),
 947        );
 948        cx.notify()
 949    }
 950
 951    #[allow(clippy::too_many_arguments)]
 952    fn layout_selections(
 953        &self,
 954        start_anchor: Anchor,
 955        end_anchor: Anchor,
 956        local_selections: &[Selection<Point>],
 957        snapshot: &EditorSnapshot,
 958        start_row: DisplayRow,
 959        end_row: DisplayRow,
 960        window: &mut Window,
 961        cx: &mut App,
 962    ) -> (
 963        Vec<(PlayerColor, Vec<SelectionLayout>)>,
 964        BTreeMap<DisplayRow, bool>,
 965        Option<DisplayPoint>,
 966    ) {
 967        let mut selections: Vec<(PlayerColor, Vec<SelectionLayout>)> = Vec::new();
 968        let mut active_rows = BTreeMap::new();
 969        let mut newest_selection_head = None;
 970        self.editor.update(cx, |editor, cx| {
 971            if editor.show_local_selections {
 972                let mut layouts = Vec::new();
 973                let newest = editor.selections.newest(cx);
 974                for selection in local_selections.iter().cloned() {
 975                    let is_empty = selection.start == selection.end;
 976                    let is_newest = selection == newest;
 977
 978                    let layout = SelectionLayout::new(
 979                        selection,
 980                        editor.selections.line_mode,
 981                        editor.cursor_shape,
 982                        &snapshot.display_snapshot,
 983                        is_newest,
 984                        editor.leader_peer_id.is_none(),
 985                        None,
 986                    );
 987                    if is_newest {
 988                        newest_selection_head = Some(layout.head);
 989                    }
 990
 991                    for row in cmp::max(layout.active_rows.start.0, start_row.0)
 992                        ..=cmp::min(layout.active_rows.end.0, end_row.0)
 993                    {
 994                        let contains_non_empty_selection =
 995                            active_rows.entry(DisplayRow(row)).or_insert(!is_empty);
 996                        *contains_non_empty_selection |= !is_empty;
 997                    }
 998                    layouts.push(layout);
 999                }
1000
1001                let player = if editor.read_only(cx) {
1002                    cx.theme().players().read_only()
1003                } else {
1004                    self.style.local_player
1005                };
1006
1007                selections.push((player, layouts));
1008            }
1009
1010            if let Some(collaboration_hub) = &editor.collaboration_hub {
1011                // When following someone, render the local selections in their color.
1012                if let Some(leader_id) = editor.leader_peer_id {
1013                    if let Some(collaborator) = collaboration_hub.collaborators(cx).get(&leader_id)
1014                    {
1015                        if let Some(participant_index) = collaboration_hub
1016                            .user_participant_indices(cx)
1017                            .get(&collaborator.user_id)
1018                        {
1019                            if let Some((local_selection_style, _)) = selections.first_mut() {
1020                                *local_selection_style = cx
1021                                    .theme()
1022                                    .players()
1023                                    .color_for_participant(participant_index.0);
1024                            }
1025                        }
1026                    }
1027                }
1028
1029                let mut remote_selections = HashMap::default();
1030                for selection in snapshot.remote_selections_in_range(
1031                    &(start_anchor..end_anchor),
1032                    collaboration_hub.as_ref(),
1033                    cx,
1034                ) {
1035                    let selection_style =
1036                        Self::get_participant_color(selection.participant_index, cx);
1037
1038                    // Don't re-render the leader's selections, since the local selections
1039                    // match theirs.
1040                    if Some(selection.peer_id) == editor.leader_peer_id {
1041                        continue;
1042                    }
1043                    let key = HoveredCursor {
1044                        replica_id: selection.replica_id,
1045                        selection_id: selection.selection.id,
1046                    };
1047
1048                    let is_shown =
1049                        editor.show_cursor_names || editor.hovered_cursors.contains_key(&key);
1050
1051                    remote_selections
1052                        .entry(selection.replica_id)
1053                        .or_insert((selection_style, Vec::new()))
1054                        .1
1055                        .push(SelectionLayout::new(
1056                            selection.selection,
1057                            selection.line_mode,
1058                            selection.cursor_shape,
1059                            &snapshot.display_snapshot,
1060                            false,
1061                            false,
1062                            if is_shown { selection.user_name } else { None },
1063                        ));
1064                }
1065
1066                selections.extend(remote_selections.into_values());
1067            } else if !editor.is_focused(window) && editor.show_cursor_when_unfocused {
1068                let player = if editor.read_only(cx) {
1069                    cx.theme().players().read_only()
1070                } else {
1071                    self.style.local_player
1072                };
1073                let layouts = snapshot
1074                    .buffer_snapshot
1075                    .selections_in_range(&(start_anchor..end_anchor), true)
1076                    .map(move |(_, line_mode, cursor_shape, selection)| {
1077                        SelectionLayout::new(
1078                            selection,
1079                            line_mode,
1080                            cursor_shape,
1081                            &snapshot.display_snapshot,
1082                            false,
1083                            false,
1084                            None,
1085                        )
1086                    })
1087                    .collect::<Vec<_>>();
1088                selections.push((player, layouts));
1089            }
1090        });
1091        (selections, active_rows, newest_selection_head)
1092    }
1093
1094    fn collect_cursors(
1095        &self,
1096        snapshot: &EditorSnapshot,
1097        cx: &mut App,
1098    ) -> Vec<(DisplayPoint, Hsla)> {
1099        let editor = self.editor.read(cx);
1100        let mut cursors = Vec::new();
1101        let mut skip_local = false;
1102        let mut add_cursor = |anchor: Anchor, color| {
1103            cursors.push((anchor.to_display_point(&snapshot.display_snapshot), color));
1104        };
1105        // Remote cursors
1106        if let Some(collaboration_hub) = &editor.collaboration_hub {
1107            for remote_selection in snapshot.remote_selections_in_range(
1108                &(Anchor::min()..Anchor::max()),
1109                collaboration_hub.deref(),
1110                cx,
1111            ) {
1112                let color = Self::get_participant_color(remote_selection.participant_index, cx);
1113                add_cursor(remote_selection.selection.head(), color.cursor);
1114                if Some(remote_selection.peer_id) == editor.leader_peer_id {
1115                    skip_local = true;
1116                }
1117            }
1118        }
1119        // Local cursors
1120        if !skip_local {
1121            let color = cx.theme().players().local().cursor;
1122            editor.selections.disjoint.iter().for_each(|selection| {
1123                add_cursor(selection.head(), color);
1124            });
1125            if let Some(ref selection) = editor.selections.pending_anchor() {
1126                add_cursor(selection.head(), color);
1127            }
1128        }
1129        cursors
1130    }
1131
1132    #[allow(clippy::too_many_arguments)]
1133    fn layout_visible_cursors(
1134        &self,
1135        snapshot: &EditorSnapshot,
1136        selections: &[(PlayerColor, Vec<SelectionLayout>)],
1137        block_start_rows: &HashSet<DisplayRow>,
1138        visible_display_row_range: Range<DisplayRow>,
1139        line_layouts: &[LineWithInvisibles],
1140        text_hitbox: &Hitbox,
1141        content_origin: gpui::Point<Pixels>,
1142        scroll_position: gpui::Point<f32>,
1143        scroll_pixel_position: gpui::Point<Pixels>,
1144        line_height: Pixels,
1145        em_width: Pixels,
1146        em_advance: Pixels,
1147        autoscroll_containing_element: bool,
1148        window: &mut Window,
1149        cx: &mut App,
1150    ) -> Vec<CursorLayout> {
1151        let mut autoscroll_bounds = None;
1152        let cursor_layouts = self.editor.update(cx, |editor, cx| {
1153            let mut cursors = Vec::new();
1154            for (player_color, selections) in selections {
1155                for selection in selections {
1156                    let cursor_position = selection.head;
1157
1158                    let in_range = visible_display_row_range.contains(&cursor_position.row());
1159                    if (selection.is_local && !editor.show_local_cursors(window, cx))
1160                        || !in_range
1161                        || block_start_rows.contains(&cursor_position.row())
1162                    {
1163                        continue;
1164                    }
1165
1166                    let cursor_row_layout = &line_layouts
1167                        [cursor_position.row().minus(visible_display_row_range.start) as usize];
1168                    let cursor_column = cursor_position.column() as usize;
1169
1170                    let cursor_character_x = cursor_row_layout.x_for_index(cursor_column);
1171                    let mut block_width =
1172                        cursor_row_layout.x_for_index(cursor_column + 1) - cursor_character_x;
1173                    if block_width == Pixels::ZERO {
1174                        block_width = em_advance;
1175                    }
1176                    let block_text = if let CursorShape::Block = selection.cursor_shape {
1177                        snapshot
1178                            .grapheme_at(cursor_position)
1179                            .or_else(|| {
1180                                if cursor_column == 0 {
1181                                    snapshot.placeholder_text().and_then(|s| {
1182                                        s.graphemes(true).next().map(|s| s.to_string().into())
1183                                    })
1184                                } else {
1185                                    None
1186                                }
1187                            })
1188                            .and_then(|text| {
1189                                let len = text.len();
1190
1191                                let font = cursor_row_layout
1192                                    .font_id_for_index(cursor_column)
1193                                    .and_then(|cursor_font_id| {
1194                                        window.text_system().get_font_for_id(cursor_font_id)
1195                                    })
1196                                    .unwrap_or(self.style.text.font());
1197
1198                                // Invert the text color for the block cursor. Ensure that the text
1199                                // color is opaque enough to be visible against the background color.
1200                                //
1201                                // 0.75 is an arbitrary threshold to determine if the background color is
1202                                // opaque enough to use as a text color.
1203                                //
1204                                // TODO: In the future we should ensure themes have a `text_inverse` color.
1205                                let color = if cx.theme().colors().editor_background.a < 0.75 {
1206                                    match cx.theme().appearance {
1207                                        Appearance::Dark => Hsla::black(),
1208                                        Appearance::Light => Hsla::white(),
1209                                    }
1210                                } else {
1211                                    cx.theme().colors().editor_background
1212                                };
1213
1214                                window
1215                                    .text_system()
1216                                    .shape_line(
1217                                        text,
1218                                        cursor_row_layout.font_size,
1219                                        &[TextRun {
1220                                            len,
1221                                            font,
1222                                            color,
1223                                            background_color: None,
1224                                            strikethrough: None,
1225                                            underline: None,
1226                                        }],
1227                                    )
1228                                    .log_err()
1229                            })
1230                    } else {
1231                        None
1232                    };
1233
1234                    let x = cursor_character_x - scroll_pixel_position.x;
1235                    let y = (cursor_position.row().as_f32()
1236                        - scroll_pixel_position.y / line_height)
1237                        * line_height;
1238                    if selection.is_newest {
1239                        editor.pixel_position_of_newest_cursor = Some(point(
1240                            text_hitbox.origin.x + x + block_width / 2.,
1241                            text_hitbox.origin.y + y + line_height / 2.,
1242                        ));
1243
1244                        if autoscroll_containing_element {
1245                            let top = text_hitbox.origin.y
1246                                + (cursor_position.row().as_f32() - scroll_position.y - 3.).max(0.)
1247                                    * line_height;
1248                            let left = text_hitbox.origin.x
1249                                + (cursor_position.column() as f32 - scroll_position.x - 3.)
1250                                    .max(0.)
1251                                    * em_width;
1252
1253                            let bottom = text_hitbox.origin.y
1254                                + (cursor_position.row().as_f32() - scroll_position.y + 4.)
1255                                    * line_height;
1256                            let right = text_hitbox.origin.x
1257                                + (cursor_position.column() as f32 - scroll_position.x + 4.)
1258                                    * em_width;
1259
1260                            autoscroll_bounds =
1261                                Some(Bounds::from_corners(point(left, top), point(right, bottom)))
1262                        }
1263                    }
1264
1265                    let mut cursor = CursorLayout {
1266                        color: player_color.cursor,
1267                        block_width,
1268                        origin: point(x, y),
1269                        line_height,
1270                        shape: selection.cursor_shape,
1271                        block_text,
1272                        cursor_name: None,
1273                    };
1274                    let cursor_name = selection.user_name.clone().map(|name| CursorName {
1275                        string: name,
1276                        color: self.style.background,
1277                        is_top_row: cursor_position.row().0 == 0,
1278                    });
1279                    cursor.layout(content_origin, cursor_name, window, cx);
1280                    cursors.push(cursor);
1281                }
1282            }
1283            cursors
1284        });
1285
1286        if let Some(bounds) = autoscroll_bounds {
1287            window.request_autoscroll(bounds);
1288        }
1289
1290        cursor_layouts
1291    }
1292
1293    fn layout_scrollbars(
1294        &self,
1295        snapshot: &EditorSnapshot,
1296        scrollbar_range_data: ScrollbarRangeData,
1297        scroll_position: gpui::Point<f32>,
1298        non_visible_cursors: bool,
1299        window: &mut Window,
1300        cx: &mut App,
1301    ) -> AxisPair<Option<ScrollbarLayout>> {
1302        let letter_size = scrollbar_range_data.letter_size;
1303        let text_units_per_page = axis_pair(
1304            scrollbar_range_data.scrollbar_bounds.size.width / letter_size.width,
1305            scrollbar_range_data.scrollbar_bounds.size.height / letter_size.height,
1306        );
1307
1308        let scrollbar_settings = EditorSettings::get_global(cx).scrollbar;
1309        let show_scrollbars = self.editor.read(cx).show_scrollbars
1310            && match scrollbar_settings.show {
1311                ShowScrollbar::Auto => {
1312                    let editor = self.editor.read(cx);
1313                    let is_singleton = editor.is_singleton(cx);
1314                    // Git
1315                    (is_singleton && scrollbar_settings.git_diff && snapshot.buffer_snapshot.has_diff_hunks())
1316                    ||
1317                    // Buffer Search Results
1318                    (is_singleton && scrollbar_settings.search_results && editor.has_background_highlights::<BufferSearchHighlights>())
1319                    ||
1320                    // Selected Symbol Occurrences
1321                    (is_singleton && scrollbar_settings.selected_symbol && (editor.has_background_highlights::<DocumentHighlightRead>() || editor.has_background_highlights::<DocumentHighlightWrite>()))
1322                    ||
1323                    // Diagnostics
1324                    (is_singleton && scrollbar_settings.diagnostics != ScrollbarDiagnostics::None && snapshot.buffer_snapshot.has_diagnostics())
1325                    ||
1326                    // Cursors out of sight
1327                    non_visible_cursors
1328                    ||
1329                    // Scrollmanager
1330                    editor.scroll_manager.scrollbars_visible()
1331                }
1332                ShowScrollbar::System => self.editor.read(cx).scroll_manager.scrollbars_visible(),
1333                ShowScrollbar::Always => true,
1334                ShowScrollbar::Never => false,
1335            };
1336
1337        let axes: AxisPair<bool> = scrollbar_settings.axes.into();
1338
1339        if snapshot.mode != EditorMode::Full {
1340            return axis_pair(None, None);
1341        }
1342
1343        let visible_range = axis_pair(
1344            axes.horizontal
1345                .then(|| scroll_position.x..scroll_position.x + text_units_per_page.horizontal),
1346            axes.vertical
1347                .then(|| scroll_position.y..scroll_position.y + text_units_per_page.vertical),
1348        );
1349
1350        // If a drag took place after we started dragging the scrollbar,
1351        // cancel the scrollbar drag.
1352        if cx.has_active_drag() {
1353            self.editor.update(cx, |editor, cx| {
1354                editor
1355                    .scroll_manager
1356                    .set_is_dragging_scrollbar(Axis::Horizontal, false, cx);
1357                editor
1358                    .scroll_manager
1359                    .set_is_dragging_scrollbar(Axis::Vertical, false, cx);
1360            });
1361        }
1362
1363        let text_bounds = scrollbar_range_data.scrollbar_bounds;
1364
1365        let track_bounds = axis_pair(
1366            axes.horizontal.then(|| {
1367                Bounds::from_corners(
1368                    point(
1369                        text_bounds.bottom_left().x,
1370                        text_bounds.bottom_left().y - self.style.scrollbar_width,
1371                    ),
1372                    point(
1373                        text_bounds.bottom_right().x
1374                            - if axes.vertical {
1375                                self.style.scrollbar_width
1376                            } else {
1377                                px(0.)
1378                            },
1379                        text_bounds.bottom_right().y,
1380                    ),
1381                )
1382            }),
1383            axes.vertical.then(|| {
1384                Bounds::from_corners(
1385                    point(self.scrollbar_left(&text_bounds), text_bounds.origin.y),
1386                    text_bounds.bottom_right(),
1387                )
1388            }),
1389        );
1390
1391        let scroll_range_size = scrollbar_range_data.scroll_range.size;
1392        let total_text_units = axis_pair(
1393            Some(scroll_range_size.width / letter_size.width),
1394            Some(scroll_range_size.height / letter_size.height),
1395        );
1396
1397        let thumb_size = axis_pair(
1398            total_text_units
1399                .horizontal
1400                .zip(track_bounds.horizontal)
1401                .and_then(|(total_text_units_x, track_bounds_x)| {
1402                    if text_units_per_page.horizontal >= total_text_units_x {
1403                        return None;
1404                    }
1405
1406                    let thumb_percent =
1407                        (text_units_per_page.horizontal / total_text_units_x).min(1.);
1408
1409                    Some(track_bounds_x.size.width * thumb_percent)
1410                }),
1411            total_text_units.vertical.zip(track_bounds.vertical).map(
1412                |(total_text_units_y, track_bounds_y)| {
1413                    let thumb_percent = (text_units_per_page.vertical / total_text_units_y).min(1.);
1414
1415                    track_bounds_y.size.height * thumb_percent
1416                },
1417            ),
1418        );
1419
1420        // NOTE: Space not taken by track bounds divided by text units not on screen
1421        let text_unit_size = axis_pair(
1422            thumb_size
1423                .horizontal
1424                .zip(track_bounds.horizontal)
1425                .zip(total_text_units.horizontal)
1426                .map(|((thumb_size, track_bounds), total_text_units)| {
1427                    (track_bounds.size.width - thumb_size)
1428                        / (total_text_units - text_units_per_page.horizontal).max(0.)
1429                }),
1430            thumb_size
1431                .vertical
1432                .zip(track_bounds.vertical)
1433                .zip(total_text_units.vertical)
1434                .map(|((thumb_size, track_bounds), total_text_units)| {
1435                    (track_bounds.size.height - thumb_size)
1436                        / (total_text_units - text_units_per_page.vertical).max(0.)
1437                }),
1438        );
1439
1440        let horizontal_scrollbar = track_bounds
1441            .horizontal
1442            .zip(visible_range.horizontal)
1443            .zip(text_unit_size.horizontal)
1444            .zip(thumb_size.horizontal)
1445            .map(
1446                |(((track_bounds, visible_range), text_unit_size), thumb_size)| ScrollbarLayout {
1447                    hitbox: window.insert_hitbox(track_bounds, false),
1448                    visible_range,
1449                    text_unit_size,
1450                    visible: show_scrollbars,
1451                    thumb_size,
1452                    axis: Axis::Horizontal,
1453                },
1454            );
1455
1456        let vertical_scrollbar = track_bounds
1457            .vertical
1458            .zip(visible_range.vertical)
1459            .zip(text_unit_size.vertical)
1460            .zip(thumb_size.vertical)
1461            .map(
1462                |(((track_bounds, visible_range), text_unit_size), thumb_size)| ScrollbarLayout {
1463                    hitbox: window.insert_hitbox(track_bounds, false),
1464                    visible_range,
1465                    text_unit_size,
1466                    visible: show_scrollbars,
1467                    thumb_size,
1468                    axis: Axis::Vertical,
1469                },
1470            );
1471
1472        axis_pair(horizontal_scrollbar, vertical_scrollbar)
1473    }
1474
1475    #[allow(clippy::too_many_arguments)]
1476    fn prepaint_crease_toggles(
1477        &self,
1478        crease_toggles: &mut [Option<AnyElement>],
1479        line_height: Pixels,
1480        gutter_dimensions: &GutterDimensions,
1481        gutter_settings: crate::editor_settings::Gutter,
1482        scroll_pixel_position: gpui::Point<Pixels>,
1483        gutter_hitbox: &Hitbox,
1484        window: &mut Window,
1485        cx: &mut App,
1486    ) {
1487        for (ix, crease_toggle) in crease_toggles.iter_mut().enumerate() {
1488            if let Some(crease_toggle) = crease_toggle {
1489                debug_assert!(gutter_settings.folds);
1490                let available_space = size(
1491                    AvailableSpace::MinContent,
1492                    AvailableSpace::Definite(line_height * 0.55),
1493                );
1494                let crease_toggle_size = crease_toggle.layout_as_root(available_space, window, cx);
1495
1496                let position = point(
1497                    gutter_dimensions.width - gutter_dimensions.right_padding,
1498                    ix as f32 * line_height - (scroll_pixel_position.y % line_height),
1499                );
1500                let centering_offset = point(
1501                    (gutter_dimensions.fold_area_width() - crease_toggle_size.width) / 2.,
1502                    (line_height - crease_toggle_size.height) / 2.,
1503                );
1504                let origin = gutter_hitbox.origin + position + centering_offset;
1505                crease_toggle.prepaint_as_root(origin, available_space, window, cx);
1506            }
1507        }
1508    }
1509
1510    #[allow(clippy::too_many_arguments)]
1511    fn prepaint_crease_trailers(
1512        &self,
1513        trailers: Vec<Option<AnyElement>>,
1514        lines: &[LineWithInvisibles],
1515        line_height: Pixels,
1516        content_origin: gpui::Point<Pixels>,
1517        scroll_pixel_position: gpui::Point<Pixels>,
1518        em_width: Pixels,
1519        window: &mut Window,
1520        cx: &mut App,
1521    ) -> Vec<Option<CreaseTrailerLayout>> {
1522        trailers
1523            .into_iter()
1524            .enumerate()
1525            .map(|(ix, element)| {
1526                let mut element = element?;
1527                let available_space = size(
1528                    AvailableSpace::MinContent,
1529                    AvailableSpace::Definite(line_height),
1530                );
1531                let size = element.layout_as_root(available_space, window, cx);
1532
1533                let line = &lines[ix];
1534                let padding = if line.width == Pixels::ZERO {
1535                    Pixels::ZERO
1536                } else {
1537                    4. * em_width
1538                };
1539                let position = point(
1540                    scroll_pixel_position.x + line.width + padding,
1541                    ix as f32 * line_height - (scroll_pixel_position.y % line_height),
1542                );
1543                let centering_offset = point(px(0.), (line_height - size.height) / 2.);
1544                let origin = content_origin + position + centering_offset;
1545                element.prepaint_as_root(origin, available_space, window, cx);
1546                Some(CreaseTrailerLayout {
1547                    element,
1548                    bounds: Bounds::new(origin, size),
1549                })
1550            })
1551            .collect()
1552    }
1553
1554    // Folds contained in a hunk are ignored apart from shrinking visual size
1555    // If a fold contains any hunks then that fold line is marked as modified
1556    fn layout_gutter_diff_hunks(
1557        &self,
1558        line_height: Pixels,
1559        gutter_hitbox: &Hitbox,
1560        display_rows: Range<DisplayRow>,
1561        snapshot: &EditorSnapshot,
1562        window: &mut Window,
1563        cx: &mut App,
1564    ) -> Vec<(DisplayDiffHunk, Option<Hitbox>)> {
1565        let buffer_start = DisplayPoint::new(display_rows.start, 0).to_point(snapshot);
1566        let buffer_end = DisplayPoint::new(display_rows.end, 0).to_point(snapshot);
1567
1568        let mut display_hunks = Vec::<(DisplayDiffHunk, Option<Hitbox>)>::new();
1569        let folded_buffers = self.editor.read(cx).folded_buffers(cx);
1570
1571        for hunk in snapshot
1572            .buffer_snapshot
1573            .diff_hunks_in_range(buffer_start..buffer_end)
1574        {
1575            if folded_buffers.contains(&hunk.buffer_id) {
1576                continue;
1577            }
1578
1579            let hunk_start_point = Point::new(hunk.row_range.start.0, 0);
1580            let hunk_end_point = Point::new(hunk.row_range.end.0, 0);
1581
1582            let hunk_display_start = snapshot.point_to_display_point(hunk_start_point, Bias::Left);
1583            let hunk_display_end = snapshot.point_to_display_point(hunk_end_point, Bias::Right);
1584
1585            let display_hunk = if hunk_display_start.column() != 0 {
1586                DisplayDiffHunk::Folded {
1587                    display_row: hunk_display_start.row(),
1588                }
1589            } else {
1590                let mut end_row = hunk_display_end.row();
1591                if hunk_display_end.column() > 0 {
1592                    end_row.0 += 1;
1593                }
1594                DisplayDiffHunk::Unfolded {
1595                    status: hunk.status(),
1596                    diff_base_byte_range: hunk.diff_base_byte_range,
1597                    display_row_range: hunk_display_start.row()..end_row,
1598                    multi_buffer_range: Anchor::range_in_buffer(
1599                        hunk.excerpt_id,
1600                        hunk.buffer_id,
1601                        hunk.buffer_range,
1602                    ),
1603                }
1604            };
1605
1606            display_hunks.push((display_hunk, None));
1607        }
1608
1609        let git_gutter_setting = ProjectSettings::get_global(cx)
1610            .git
1611            .git_gutter
1612            .unwrap_or_default();
1613        if let GitGutterSetting::TrackedFiles = git_gutter_setting {
1614            for (hunk, hitbox) in &mut display_hunks {
1615                if matches!(hunk, DisplayDiffHunk::Unfolded { .. }) {
1616                    let hunk_bounds =
1617                        Self::diff_hunk_bounds(snapshot, line_height, gutter_hitbox.bounds, hunk);
1618                    *hitbox = Some(window.insert_hitbox(hunk_bounds, true));
1619                }
1620            }
1621        }
1622
1623        display_hunks
1624    }
1625
1626    #[allow(clippy::too_many_arguments)]
1627    fn layout_inline_blame(
1628        &self,
1629        display_row: DisplayRow,
1630        row_info: &RowInfo,
1631        line_layout: &LineWithInvisibles,
1632        crease_trailer: Option<&CreaseTrailerLayout>,
1633        em_width: Pixels,
1634        content_origin: gpui::Point<Pixels>,
1635        scroll_pixel_position: gpui::Point<Pixels>,
1636        line_height: Pixels,
1637        window: &mut Window,
1638        cx: &mut App,
1639    ) -> Option<AnyElement> {
1640        if !self
1641            .editor
1642            .update(cx, |editor, cx| editor.render_git_blame_inline(window, cx))
1643        {
1644            return None;
1645        }
1646
1647        let workspace = self
1648            .editor
1649            .read(cx)
1650            .workspace
1651            .as_ref()
1652            .map(|(w, _)| w.clone());
1653
1654        let editor = self.editor.read(cx);
1655        let blame = editor.blame.clone()?;
1656        let padding = {
1657            const INLINE_BLAME_PADDING_EM_WIDTHS: f32 = 6.;
1658            const INLINE_ACCEPT_SUGGESTION_EM_WIDTHS: f32 = 14.;
1659
1660            let mut padding = INLINE_BLAME_PADDING_EM_WIDTHS;
1661
1662            if let Some(inline_completion) = editor.active_inline_completion.as_ref() {
1663                match &inline_completion.completion {
1664                    InlineCompletion::Edit {
1665                        display_mode: EditDisplayMode::TabAccept,
1666                        ..
1667                    } => padding += INLINE_ACCEPT_SUGGESTION_EM_WIDTHS,
1668                    _ => {}
1669                }
1670            }
1671
1672            padding * em_width
1673        };
1674
1675        let blame_entry = blame
1676            .update(cx, |blame, cx| {
1677                blame.blame_for_rows(&[*row_info], cx).next()
1678            })
1679            .flatten()?;
1680
1681        let mut element =
1682            render_inline_blame_entry(&blame, blame_entry, &self.style, workspace, cx);
1683
1684        let start_y = content_origin.y
1685            + line_height * (display_row.as_f32() - scroll_pixel_position.y / line_height);
1686
1687        let start_x = {
1688            let line_end = if let Some(crease_trailer) = crease_trailer {
1689                crease_trailer.bounds.right()
1690            } else {
1691                content_origin.x - scroll_pixel_position.x + line_layout.width
1692            };
1693
1694            let padded_line_end = line_end + padding;
1695
1696            let min_column_in_pixels = ProjectSettings::get_global(cx)
1697                .git
1698                .inline_blame
1699                .and_then(|settings| settings.min_column)
1700                .map(|col| self.column_pixels(col as usize, window, cx))
1701                .unwrap_or(px(0.));
1702            let min_start = content_origin.x - scroll_pixel_position.x + min_column_in_pixels;
1703
1704            cmp::max(padded_line_end, min_start)
1705        };
1706
1707        let absolute_offset = point(start_x, start_y);
1708        element.prepaint_as_root(absolute_offset, AvailableSpace::min_size(), window, cx);
1709
1710        Some(element)
1711    }
1712
1713    #[allow(clippy::too_many_arguments)]
1714    fn layout_blame_entries(
1715        &self,
1716        buffer_rows: &[RowInfo],
1717        em_width: Pixels,
1718        scroll_position: gpui::Point<f32>,
1719        line_height: Pixels,
1720        gutter_hitbox: &Hitbox,
1721        max_width: Option<Pixels>,
1722        window: &mut Window,
1723        cx: &mut App,
1724    ) -> Option<Vec<AnyElement>> {
1725        if !self
1726            .editor
1727            .update(cx, |editor, cx| editor.render_git_blame_gutter(cx))
1728        {
1729            return None;
1730        }
1731
1732        let blame = self.editor.read(cx).blame.clone()?;
1733        let blamed_rows: Vec<_> = blame.update(cx, |blame, cx| {
1734            blame.blame_for_rows(buffer_rows, cx).collect()
1735        });
1736
1737        let width = if let Some(max_width) = max_width {
1738            AvailableSpace::Definite(max_width)
1739        } else {
1740            AvailableSpace::MaxContent
1741        };
1742        let scroll_top = scroll_position.y * line_height;
1743        let start_x = em_width;
1744
1745        let mut last_used_color: Option<(PlayerColor, Oid)> = None;
1746
1747        let shaped_lines = blamed_rows
1748            .into_iter()
1749            .enumerate()
1750            .flat_map(|(ix, blame_entry)| {
1751                if let Some(blame_entry) = blame_entry {
1752                    let mut element = render_blame_entry(
1753                        ix,
1754                        &blame,
1755                        blame_entry,
1756                        &self.style,
1757                        &mut last_used_color,
1758                        self.editor.clone(),
1759                        cx,
1760                    );
1761
1762                    let start_y = ix as f32 * line_height - (scroll_top % line_height);
1763                    let absolute_offset = gutter_hitbox.origin + point(start_x, start_y);
1764
1765                    element.prepaint_as_root(
1766                        absolute_offset,
1767                        size(width, AvailableSpace::MinContent),
1768                        window,
1769                        cx,
1770                    );
1771
1772                    Some(element)
1773                } else {
1774                    None
1775                }
1776            })
1777            .collect();
1778
1779        Some(shaped_lines)
1780    }
1781
1782    #[allow(clippy::too_many_arguments)]
1783    fn layout_indent_guides(
1784        &self,
1785        content_origin: gpui::Point<Pixels>,
1786        text_origin: gpui::Point<Pixels>,
1787        visible_buffer_range: Range<MultiBufferRow>,
1788        scroll_pixel_position: gpui::Point<Pixels>,
1789        line_height: Pixels,
1790        snapshot: &DisplaySnapshot,
1791        window: &mut Window,
1792        cx: &mut App,
1793    ) -> Option<Vec<IndentGuideLayout>> {
1794        let indent_guides = self.editor.update(cx, |editor, cx| {
1795            editor.indent_guides(visible_buffer_range, snapshot, cx)
1796        })?;
1797
1798        let active_indent_guide_indices = self.editor.update(cx, |editor, cx| {
1799            editor
1800                .find_active_indent_guide_indices(&indent_guides, snapshot, window, cx)
1801                .unwrap_or_default()
1802        });
1803
1804        Some(
1805            indent_guides
1806                .into_iter()
1807                .enumerate()
1808                .filter_map(|(i, indent_guide)| {
1809                    let single_indent_width =
1810                        self.column_pixels(indent_guide.tab_size as usize, window, cx);
1811                    let total_width = single_indent_width * indent_guide.depth as f32;
1812                    let start_x = content_origin.x + total_width - scroll_pixel_position.x;
1813                    if start_x >= text_origin.x {
1814                        let (offset_y, length) = Self::calculate_indent_guide_bounds(
1815                            indent_guide.start_row..indent_guide.end_row,
1816                            line_height,
1817                            snapshot,
1818                        );
1819
1820                        let start_y = content_origin.y + offset_y - scroll_pixel_position.y;
1821
1822                        Some(IndentGuideLayout {
1823                            origin: point(start_x, start_y),
1824                            length,
1825                            single_indent_width,
1826                            depth: indent_guide.depth,
1827                            active: active_indent_guide_indices.contains(&i),
1828                            settings: indent_guide.settings,
1829                        })
1830                    } else {
1831                        None
1832                    }
1833                })
1834                .collect(),
1835        )
1836    }
1837
1838    fn calculate_indent_guide_bounds(
1839        row_range: Range<MultiBufferRow>,
1840        line_height: Pixels,
1841        snapshot: &DisplaySnapshot,
1842    ) -> (gpui::Pixels, gpui::Pixels) {
1843        let start_point = Point::new(row_range.start.0, 0);
1844        let end_point = Point::new(row_range.end.0, 0);
1845
1846        let row_range = start_point.to_display_point(snapshot).row()
1847            ..end_point.to_display_point(snapshot).row();
1848
1849        let mut prev_line = start_point;
1850        prev_line.row = prev_line.row.saturating_sub(1);
1851        let prev_line = prev_line.to_display_point(snapshot).row();
1852
1853        let mut cons_line = end_point;
1854        cons_line.row += 1;
1855        let cons_line = cons_line.to_display_point(snapshot).row();
1856
1857        let mut offset_y = row_range.start.0 as f32 * line_height;
1858        let mut length = (cons_line.0.saturating_sub(row_range.start.0)) as f32 * line_height;
1859
1860        // If we are at the end of the buffer, ensure that the indent guide extends to the end of the line.
1861        if row_range.end == cons_line {
1862            length += line_height;
1863        }
1864
1865        // If there is a block (e.g. diagnostic) in between the start of the indent guide and the line above,
1866        // we want to extend the indent guide to the start of the block.
1867        let mut block_height = 0;
1868        let mut block_offset = 0;
1869        let mut found_excerpt_header = false;
1870        for (_, block) in snapshot.blocks_in_range(prev_line..row_range.start) {
1871            if matches!(block, Block::ExcerptBoundary { .. }) {
1872                found_excerpt_header = true;
1873                break;
1874            }
1875            block_offset += block.height();
1876            block_height += block.height();
1877        }
1878        if !found_excerpt_header {
1879            offset_y -= block_offset as f32 * line_height;
1880            length += block_height as f32 * line_height;
1881        }
1882
1883        // If there is a block (e.g. diagnostic) at the end of an multibuffer excerpt,
1884        // we want to ensure that the indent guide stops before the excerpt header.
1885        let mut block_height = 0;
1886        let mut found_excerpt_header = false;
1887        for (_, block) in snapshot.blocks_in_range(row_range.end..cons_line) {
1888            if matches!(block, Block::ExcerptBoundary { .. }) {
1889                found_excerpt_header = true;
1890            }
1891            block_height += block.height();
1892        }
1893        if found_excerpt_header {
1894            length -= block_height as f32 * line_height;
1895        }
1896
1897        (offset_y, length)
1898    }
1899
1900    #[allow(clippy::too_many_arguments)]
1901    fn layout_run_indicators(
1902        &self,
1903        line_height: Pixels,
1904        range: Range<DisplayRow>,
1905        scroll_pixel_position: gpui::Point<Pixels>,
1906        gutter_dimensions: &GutterDimensions,
1907        gutter_hitbox: &Hitbox,
1908        rows_with_hunk_bounds: &HashMap<DisplayRow, Bounds<Pixels>>,
1909        snapshot: &EditorSnapshot,
1910        window: &mut Window,
1911        cx: &mut App,
1912    ) -> Vec<AnyElement> {
1913        self.editor.update(cx, |editor, cx| {
1914            let active_task_indicator_row =
1915                if let Some(crate::CodeContextMenu::CodeActions(CodeActionsMenu {
1916                    deployed_from_indicator,
1917                    actions,
1918                    ..
1919                })) = editor.context_menu.borrow().as_ref()
1920                {
1921                    actions
1922                        .tasks
1923                        .as_ref()
1924                        .map(|tasks| tasks.position.to_display_point(snapshot).row())
1925                        .or(*deployed_from_indicator)
1926                } else {
1927                    None
1928                };
1929
1930            let offset_range_start = snapshot
1931                .display_point_to_anchor(DisplayPoint::new(range.start, 0), Bias::Left)
1932                .to_offset(&snapshot.buffer_snapshot);
1933            let offset_range_end = snapshot
1934                .display_point_to_anchor(DisplayPoint::new(range.end, 0), Bias::Right)
1935                .to_offset(&snapshot.buffer_snapshot);
1936
1937            editor
1938                .tasks
1939                .iter()
1940                .filter_map(|(_, tasks)| {
1941                    if tasks.offset.0 < offset_range_start || tasks.offset.0 >= offset_range_end {
1942                        return None;
1943                    }
1944                    let multibuffer_point = tasks.offset.0.to_point(&snapshot.buffer_snapshot);
1945                    let multibuffer_row = MultiBufferRow(multibuffer_point.row);
1946                    let buffer_folded = snapshot
1947                        .buffer_snapshot
1948                        .buffer_line_for_row(multibuffer_row)
1949                        .map(|(buffer_snapshot, _)| buffer_snapshot.remote_id())
1950                        .map(|buffer_id| editor.is_buffer_folded(buffer_id, cx))
1951                        .unwrap_or(false);
1952                    if buffer_folded {
1953                        return None;
1954                    }
1955
1956                    if snapshot.is_line_folded(multibuffer_row) {
1957                        // Skip folded indicators, unless it's the starting line of a fold.
1958                        if multibuffer_row
1959                            .0
1960                            .checked_sub(1)
1961                            .map_or(false, |previous_row| {
1962                                snapshot.is_line_folded(MultiBufferRow(previous_row))
1963                            })
1964                        {
1965                            return None;
1966                        }
1967                    }
1968                    let display_row = multibuffer_point.to_display_point(snapshot).row();
1969                    let button = editor.render_run_indicator(
1970                        &self.style,
1971                        Some(display_row) == active_task_indicator_row,
1972                        display_row,
1973                        cx,
1974                    );
1975
1976                    let button = prepaint_gutter_button(
1977                        button,
1978                        display_row,
1979                        line_height,
1980                        gutter_dimensions,
1981                        scroll_pixel_position,
1982                        gutter_hitbox,
1983                        rows_with_hunk_bounds,
1984                        window,
1985                        cx,
1986                    );
1987                    Some(button)
1988                })
1989                .collect_vec()
1990        })
1991    }
1992
1993    #[allow(clippy::too_many_arguments)]
1994    fn layout_code_actions_indicator(
1995        &self,
1996        line_height: Pixels,
1997        newest_selection_head: DisplayPoint,
1998        scroll_pixel_position: gpui::Point<Pixels>,
1999        gutter_dimensions: &GutterDimensions,
2000        gutter_hitbox: &Hitbox,
2001        rows_with_hunk_bounds: &HashMap<DisplayRow, Bounds<Pixels>>,
2002        window: &mut Window,
2003        cx: &mut App,
2004    ) -> Option<AnyElement> {
2005        let mut active = false;
2006        let mut button = None;
2007        let row = newest_selection_head.row();
2008        self.editor.update(cx, |editor, cx| {
2009            if let Some(crate::CodeContextMenu::CodeActions(CodeActionsMenu {
2010                deployed_from_indicator,
2011                ..
2012            })) = editor.context_menu.borrow().as_ref()
2013            {
2014                active = deployed_from_indicator.map_or(true, |indicator_row| indicator_row == row);
2015            };
2016            button = editor.render_code_actions_indicator(&self.style, row, active, cx);
2017        });
2018
2019        let button = prepaint_gutter_button(
2020            button?,
2021            row,
2022            line_height,
2023            gutter_dimensions,
2024            scroll_pixel_position,
2025            gutter_hitbox,
2026            rows_with_hunk_bounds,
2027            window,
2028            cx,
2029        );
2030
2031        Some(button)
2032    }
2033
2034    fn get_participant_color(participant_index: Option<ParticipantIndex>, cx: &App) -> PlayerColor {
2035        if let Some(index) = participant_index {
2036            cx.theme().players().color_for_participant(index.0)
2037        } else {
2038            cx.theme().players().absent()
2039        }
2040    }
2041
2042    fn calculate_relative_line_numbers(
2043        &self,
2044        snapshot: &EditorSnapshot,
2045        rows: &Range<DisplayRow>,
2046        relative_to: Option<DisplayRow>,
2047    ) -> HashMap<DisplayRow, DisplayRowDelta> {
2048        let mut relative_rows: HashMap<DisplayRow, DisplayRowDelta> = Default::default();
2049        let Some(relative_to) = relative_to else {
2050            return relative_rows;
2051        };
2052
2053        let start = rows.start.min(relative_to);
2054        let end = rows.end.max(relative_to);
2055
2056        let buffer_rows = snapshot
2057            .row_infos(start)
2058            .take(1 + end.minus(start) as usize)
2059            .collect::<Vec<_>>();
2060
2061        let head_idx = relative_to.minus(start);
2062        let mut delta = 1;
2063        let mut i = head_idx + 1;
2064        while i < buffer_rows.len() as u32 {
2065            if buffer_rows[i as usize].buffer_row.is_some() {
2066                if rows.contains(&DisplayRow(i + start.0)) {
2067                    relative_rows.insert(DisplayRow(i + start.0), delta);
2068                }
2069                delta += 1;
2070            }
2071            i += 1;
2072        }
2073        delta = 1;
2074        i = head_idx.min(buffer_rows.len() as u32 - 1);
2075        while i > 0 && buffer_rows[i as usize].buffer_row.is_none() {
2076            i -= 1;
2077        }
2078
2079        while i > 0 {
2080            i -= 1;
2081            if buffer_rows[i as usize].buffer_row.is_some() {
2082                if rows.contains(&DisplayRow(i + start.0)) {
2083                    relative_rows.insert(DisplayRow(i + start.0), delta);
2084                }
2085                delta += 1;
2086            }
2087        }
2088
2089        relative_rows
2090    }
2091
2092    #[allow(clippy::too_many_arguments)]
2093    fn layout_line_numbers(
2094        &self,
2095        gutter_hitbox: Option<&Hitbox>,
2096        gutter_dimensions: GutterDimensions,
2097        line_height: Pixels,
2098        scroll_position: gpui::Point<f32>,
2099        rows: Range<DisplayRow>,
2100        buffer_rows: &[RowInfo],
2101        newest_selection_head: Option<DisplayPoint>,
2102        snapshot: &EditorSnapshot,
2103        window: &mut Window,
2104        cx: &mut App,
2105    ) -> Arc<HashMap<MultiBufferRow, LineNumberLayout>> {
2106        let include_line_numbers = snapshot.show_line_numbers.unwrap_or_else(|| {
2107            EditorSettings::get_global(cx).gutter.line_numbers && snapshot.mode == EditorMode::Full
2108        });
2109        if !include_line_numbers {
2110            return Arc::default();
2111        }
2112
2113        let (newest_selection_head, is_relative) = self.editor.update(cx, |editor, cx| {
2114            let newest_selection_head = newest_selection_head.unwrap_or_else(|| {
2115                let newest = editor.selections.newest::<Point>(cx);
2116                SelectionLayout::new(
2117                    newest,
2118                    editor.selections.line_mode,
2119                    editor.cursor_shape,
2120                    &snapshot.display_snapshot,
2121                    true,
2122                    true,
2123                    None,
2124                )
2125                .head
2126            });
2127            let is_relative = editor.should_use_relative_line_numbers(cx);
2128            (newest_selection_head, is_relative)
2129        });
2130
2131        let relative_to = if is_relative {
2132            Some(newest_selection_head.row())
2133        } else {
2134            None
2135        };
2136        let relative_rows = self.calculate_relative_line_numbers(snapshot, &rows, relative_to);
2137        let mut line_number = String::new();
2138        let line_numbers = buffer_rows
2139            .into_iter()
2140            .enumerate()
2141            .flat_map(|(ix, row_info)| {
2142                let display_row = DisplayRow(rows.start.0 + ix as u32);
2143                line_number.clear();
2144                let non_relative_number = row_info.buffer_row? + 1;
2145                let number = relative_rows
2146                    .get(&display_row)
2147                    .unwrap_or(&non_relative_number);
2148                write!(&mut line_number, "{number}").unwrap();
2149                if row_info.diff_status == Some(DiffHunkStatus::Removed) {
2150                    return None;
2151                }
2152
2153                let color = cx.theme().colors().editor_line_number;
2154                let shaped_line = self
2155                    .shape_line_number(SharedString::from(&line_number), color, window)
2156                    .log_err()?;
2157                let scroll_top = scroll_position.y * line_height;
2158                let line_origin = gutter_hitbox.map(|hitbox| {
2159                    hitbox.origin
2160                        + point(
2161                            hitbox.size.width - shaped_line.width - gutter_dimensions.right_padding,
2162                            ix as f32 * line_height - (scroll_top % line_height),
2163                        )
2164                });
2165
2166                #[cfg(not(test))]
2167                let hitbox = line_origin.map(|line_origin| {
2168                    window.insert_hitbox(
2169                        Bounds::new(line_origin, size(shaped_line.width, line_height)),
2170                        false,
2171                    )
2172                });
2173                #[cfg(test)]
2174                let hitbox = {
2175                    let _ = line_origin;
2176                    None
2177                };
2178
2179                let multi_buffer_row = DisplayPoint::new(display_row, 0).to_point(snapshot).row;
2180                let multi_buffer_row = MultiBufferRow(multi_buffer_row);
2181                let line_number = LineNumberLayout {
2182                    shaped_line,
2183                    hitbox,
2184                    display_row,
2185                };
2186                Some((multi_buffer_row, line_number))
2187            })
2188            .collect();
2189        Arc::new(line_numbers)
2190    }
2191
2192    fn layout_crease_toggles(
2193        &self,
2194        rows: Range<DisplayRow>,
2195        row_infos: &[RowInfo],
2196        active_rows: &BTreeMap<DisplayRow, bool>,
2197        snapshot: &EditorSnapshot,
2198        window: &mut Window,
2199        cx: &mut App,
2200    ) -> Vec<Option<AnyElement>> {
2201        let include_fold_statuses = EditorSettings::get_global(cx).gutter.folds
2202            && snapshot.mode == EditorMode::Full
2203            && self.editor.read(cx).is_singleton(cx);
2204        if include_fold_statuses {
2205            row_infos
2206                .into_iter()
2207                .enumerate()
2208                .map(|(ix, info)| {
2209                    let row = info.multibuffer_row?;
2210                    let display_row = DisplayRow(rows.start.0 + ix as u32);
2211                    let active = active_rows.contains_key(&display_row);
2212
2213                    snapshot.render_crease_toggle(row, active, self.editor.clone(), window, cx)
2214                })
2215                .collect()
2216        } else {
2217            Vec::new()
2218        }
2219    }
2220
2221    fn layout_crease_trailers(
2222        &self,
2223        buffer_rows: impl IntoIterator<Item = RowInfo>,
2224        snapshot: &EditorSnapshot,
2225        window: &mut Window,
2226        cx: &mut App,
2227    ) -> Vec<Option<AnyElement>> {
2228        buffer_rows
2229            .into_iter()
2230            .map(|row_info| {
2231                if let Some(row) = row_info.multibuffer_row {
2232                    snapshot.render_crease_trailer(row, window, cx)
2233                } else {
2234                    None
2235                }
2236            })
2237            .collect()
2238    }
2239
2240    fn layout_lines(
2241        rows: Range<DisplayRow>,
2242        snapshot: &EditorSnapshot,
2243        style: &EditorStyle,
2244        editor_width: Pixels,
2245        is_row_soft_wrapped: impl Copy + Fn(usize) -> bool,
2246        window: &mut Window,
2247        cx: &mut App,
2248    ) -> Vec<LineWithInvisibles> {
2249        if rows.start >= rows.end {
2250            return Vec::new();
2251        }
2252
2253        // Show the placeholder when the editor is empty
2254        if snapshot.is_empty() {
2255            let font_size = style.text.font_size.to_pixels(window.rem_size());
2256            let placeholder_color = cx.theme().colors().text_placeholder;
2257            let placeholder_text = snapshot.placeholder_text();
2258
2259            let placeholder_lines = placeholder_text
2260                .as_ref()
2261                .map_or("", AsRef::as_ref)
2262                .split('\n')
2263                .skip(rows.start.0 as usize)
2264                .chain(iter::repeat(""))
2265                .take(rows.len());
2266            placeholder_lines
2267                .filter_map(move |line| {
2268                    let run = TextRun {
2269                        len: line.len(),
2270                        font: style.text.font(),
2271                        color: placeholder_color,
2272                        background_color: None,
2273                        underline: Default::default(),
2274                        strikethrough: None,
2275                    };
2276                    window
2277                        .text_system()
2278                        .shape_line(line.to_string().into(), font_size, &[run])
2279                        .log_err()
2280                })
2281                .map(|line| LineWithInvisibles {
2282                    width: line.width,
2283                    len: line.len,
2284                    fragments: smallvec![LineFragment::Text(line)],
2285                    invisibles: Vec::new(),
2286                    font_size,
2287                })
2288                .collect()
2289        } else {
2290            let chunks = snapshot.highlighted_chunks(rows.clone(), true, style);
2291            LineWithInvisibles::from_chunks(
2292                chunks,
2293                &style,
2294                MAX_LINE_LEN,
2295                rows.len(),
2296                snapshot.mode,
2297                editor_width,
2298                is_row_soft_wrapped,
2299                window,
2300                cx,
2301            )
2302        }
2303    }
2304
2305    #[allow(clippy::too_many_arguments)]
2306    fn prepaint_lines(
2307        &self,
2308        start_row: DisplayRow,
2309        line_layouts: &mut [LineWithInvisibles],
2310        line_height: Pixels,
2311        scroll_pixel_position: gpui::Point<Pixels>,
2312        content_origin: gpui::Point<Pixels>,
2313        window: &mut Window,
2314        cx: &mut App,
2315    ) -> SmallVec<[AnyElement; 1]> {
2316        let mut line_elements = SmallVec::new();
2317        for (ix, line) in line_layouts.iter_mut().enumerate() {
2318            let row = start_row + DisplayRow(ix as u32);
2319            line.prepaint(
2320                line_height,
2321                scroll_pixel_position,
2322                row,
2323                content_origin,
2324                &mut line_elements,
2325                window,
2326                cx,
2327            );
2328        }
2329        line_elements
2330    }
2331
2332    #[allow(clippy::too_many_arguments)]
2333    fn render_block(
2334        &self,
2335        block: &Block,
2336        available_width: AvailableSpace,
2337        block_id: BlockId,
2338        block_row_start: DisplayRow,
2339        snapshot: &EditorSnapshot,
2340        text_x: Pixels,
2341        rows: &Range<DisplayRow>,
2342        line_layouts: &[LineWithInvisibles],
2343        gutter_dimensions: &GutterDimensions,
2344        line_height: Pixels,
2345        em_width: Pixels,
2346        text_hitbox: &Hitbox,
2347        editor_width: Pixels,
2348        scroll_width: &mut Pixels,
2349        resized_blocks: &mut HashMap<CustomBlockId, u32>,
2350        selections: &[Selection<Point>],
2351        selected_buffer_ids: &Vec<BufferId>,
2352        is_row_soft_wrapped: impl Copy + Fn(usize) -> bool,
2353        sticky_header_excerpt_id: Option<ExcerptId>,
2354        window: &mut Window,
2355        cx: &mut App,
2356    ) -> (AnyElement, Size<Pixels>) {
2357        let mut element = match block {
2358            Block::Custom(block) => {
2359                let block_start = block.start().to_point(&snapshot.buffer_snapshot);
2360                let block_end = block.end().to_point(&snapshot.buffer_snapshot);
2361                let align_to = block_start.to_display_point(snapshot);
2362                let anchor_x = text_x
2363                    + if rows.contains(&align_to.row()) {
2364                        line_layouts[align_to.row().minus(rows.start) as usize]
2365                            .x_for_index(align_to.column() as usize)
2366                    } else {
2367                        layout_line(
2368                            align_to.row(),
2369                            snapshot,
2370                            &self.style,
2371                            editor_width,
2372                            is_row_soft_wrapped,
2373                            window,
2374                            cx,
2375                        )
2376                        .x_for_index(align_to.column() as usize)
2377                    };
2378
2379                let selected = selections
2380                    .binary_search_by(|selection| {
2381                        if selection.end <= block_start {
2382                            Ordering::Less
2383                        } else if selection.start >= block_end {
2384                            Ordering::Greater
2385                        } else {
2386                            Ordering::Equal
2387                        }
2388                    })
2389                    .is_ok();
2390
2391                div()
2392                    .size_full()
2393                    .child(block.render(&mut BlockContext {
2394                        window,
2395                        app: cx,
2396                        anchor_x,
2397                        gutter_dimensions,
2398                        line_height,
2399                        em_width,
2400                        block_id,
2401                        selected,
2402                        max_width: text_hitbox.size.width.max(*scroll_width),
2403                        editor_style: &self.style,
2404                    }))
2405                    .into_any()
2406            }
2407
2408            Block::FoldedBuffer {
2409                first_excerpt,
2410                prev_excerpt,
2411                show_excerpt_controls,
2412                height,
2413            } => {
2414                let selected = selected_buffer_ids.contains(&first_excerpt.buffer_id);
2415                let icon_offset = gutter_dimensions.width
2416                    - (gutter_dimensions.left_padding + gutter_dimensions.margin);
2417                let mut result = v_flex().id(block_id).w_full();
2418
2419                if let Some(prev_excerpt) = prev_excerpt {
2420                    if *show_excerpt_controls {
2421                        result =
2422                            result.child(
2423                                h_flex()
2424                                    .id("expand_down_hit_area")
2425                                    .w(icon_offset)
2426                                    .h(MULTI_BUFFER_EXCERPT_HEADER_HEIGHT as f32
2427                                        * window.line_height())
2428                                    .flex_none()
2429                                    .justify_end()
2430                                    .child(self.render_expand_excerpt_button(
2431                                        IconName::ArrowDownFromLine,
2432                                        None,
2433                                        cx,
2434                                    ))
2435                                    .on_click(window.listener_for(&self.editor, {
2436                                        let excerpt_id = prev_excerpt.id;
2437                                        let direction = ExpandExcerptDirection::Down;
2438                                        move |editor, _, _, cx| {
2439                                            editor.expand_excerpt(excerpt_id, direction, cx);
2440                                            cx.stop_propagation();
2441                                        }
2442                                    })),
2443                            );
2444                    }
2445                }
2446
2447                let jump_data = header_jump_data(snapshot, block_row_start, *height, first_excerpt);
2448                result
2449                    .child(self.render_buffer_header(
2450                        first_excerpt,
2451                        true,
2452                        selected,
2453                        jump_data,
2454                        window,
2455                        cx,
2456                    ))
2457                    .into_any_element()
2458            }
2459
2460            Block::ExcerptBoundary {
2461                prev_excerpt,
2462                next_excerpt,
2463                show_excerpt_controls,
2464                height,
2465                starts_new_buffer,
2466            } => {
2467                let icon_offset = gutter_dimensions.width
2468                    - (gutter_dimensions.left_padding + gutter_dimensions.margin);
2469                let header_height =
2470                    MULTI_BUFFER_EXCERPT_HEADER_HEIGHT as f32 * window.line_height();
2471                let color = cx.theme().colors().clone();
2472                let hover_color = color.border_variant.opacity(0.5);
2473                let focus_handle = self.editor.focus_handle(cx).clone();
2474
2475                let mut result = v_flex().id(block_id).w_full();
2476                let expand_area = |id: SharedString| {
2477                    h_flex()
2478                        .id(id)
2479                        .w_full()
2480                        .cursor_pointer()
2481                        .block_mouse_down()
2482                        .on_mouse_move(|_, _, cx| cx.stop_propagation())
2483                        .hover(|style| style.bg(hover_color))
2484                        .tooltip({
2485                            let focus_handle = focus_handle.clone();
2486                            move |window, cx| {
2487                                Tooltip::for_action_in(
2488                                    "Expand Excerpt",
2489                                    &ExpandExcerpts { lines: 0 },
2490                                    &focus_handle,
2491                                    window,
2492                                    cx,
2493                                )
2494                            }
2495                        })
2496                };
2497
2498                if let Some(prev_excerpt) = prev_excerpt {
2499                    if *show_excerpt_controls {
2500                        let group_name = "expand-down";
2501
2502                        result = result.child(
2503                            expand_area(format!("block-{}-down", block_id).into())
2504                                .group(group_name)
2505                                .child(
2506                                    h_flex()
2507                                        .w(icon_offset)
2508                                        .h(header_height)
2509                                        .flex_none()
2510                                        .justify_end()
2511                                        .child(self.render_expand_excerpt_button(
2512                                            IconName::ArrowDownFromLine,
2513                                            Some(group_name.to_string()),
2514                                            cx,
2515                                        )),
2516                                )
2517                                .on_click(window.listener_for(&self.editor, {
2518                                    let excerpt_id = prev_excerpt.id;
2519                                    let direction = ExpandExcerptDirection::Down;
2520                                    move |editor, _, _, cx| {
2521                                        editor.expand_excerpt(excerpt_id, direction, cx);
2522                                        cx.stop_propagation();
2523                                    }
2524                                })),
2525                        );
2526                    }
2527                }
2528
2529                if let Some(next_excerpt) = next_excerpt {
2530                    let jump_data =
2531                        header_jump_data(snapshot, block_row_start, *height, next_excerpt);
2532
2533                    if *starts_new_buffer {
2534                        if sticky_header_excerpt_id != Some(next_excerpt.id) {
2535                            let selected = selected_buffer_ids.contains(&next_excerpt.buffer_id);
2536
2537                            result = result.child(self.render_buffer_header(
2538                                next_excerpt,
2539                                false,
2540                                selected,
2541                                jump_data,
2542                                window,
2543                                cx,
2544                            ));
2545                        } else {
2546                            result = result
2547                                .child(div().h(FILE_HEADER_HEIGHT as f32 * window.line_height()));
2548                        }
2549
2550                        if *show_excerpt_controls {
2551                            let group_name = "expand-up-first";
2552
2553                            result = result.child(
2554                                h_flex().group(group_name).child(
2555                                    expand_area(format!("block-{}-up-first", block_id).into())
2556                                        .h(header_height)
2557                                        .child(
2558                                            h_flex()
2559                                                .w(icon_offset)
2560                                                .h(header_height)
2561                                                .flex_none()
2562                                                .justify_end()
2563                                                .child(self.render_expand_excerpt_button(
2564                                                    IconName::ArrowUpFromLine,
2565                                                    Some(group_name.to_string()),
2566                                                    cx,
2567                                                )),
2568                                        )
2569                                        .on_click(window.listener_for(&self.editor, {
2570                                            let excerpt_id = next_excerpt.id;
2571                                            let direction = ExpandExcerptDirection::Up;
2572                                            move |editor, _, _, cx| {
2573                                                editor.expand_excerpt(excerpt_id, direction, cx);
2574                                                cx.stop_propagation();
2575                                            }
2576                                        })),
2577                                ),
2578                            );
2579                        }
2580                    } else {
2581                        let group_name = "expand-up-subsequent";
2582
2583                        if *show_excerpt_controls {
2584                            result = result.child(
2585                                h_flex()
2586                                    .relative()
2587                                    .group(group_name)
2588                                    .child(
2589                                        div()
2590                                            .top(px(0.))
2591                                            .absolute()
2592                                            .w_full()
2593                                            .h_px()
2594                                            .bg(color.border_variant),
2595                                    )
2596                                    .child(
2597                                        expand_area(format!("block-{}-up", block_id).into())
2598                                            .h(header_height)
2599                                            .child(
2600                                                h_flex()
2601                                                    .w(icon_offset)
2602                                                    .h(header_height)
2603                                                    .flex_none()
2604                                                    .justify_end()
2605                                                    .child(if *show_excerpt_controls {
2606                                                        self.render_expand_excerpt_button(
2607                                                            IconName::ArrowUpFromLine,
2608                                                            Some(group_name.to_string()),
2609                                                            cx,
2610                                                        )
2611                                                    } else {
2612                                                        ButtonLike::new("jump-icon")
2613                                                            .style(ButtonStyle::Transparent)
2614                                                            .child(
2615                                                                svg()
2616                                                                    .path(
2617                                                                        IconName::ArrowUpRight
2618                                                                            .path(),
2619                                                                    )
2620                                                                    .size(IconSize::XSmall.rems())
2621                                                                    .text_color(
2622                                                                        color.border_variant,
2623                                                                    )
2624                                                                    .group_hover(
2625                                                                        group_name,
2626                                                                        |style| {
2627                                                                            style.text_color(
2628                                                                                color.border,
2629                                                                            )
2630                                                                        },
2631                                                                    ),
2632                                                            )
2633                                                    }),
2634                                            )
2635                                            .on_click(window.listener_for(&self.editor, {
2636                                                let excerpt_id = next_excerpt.id;
2637                                                let direction = ExpandExcerptDirection::Up;
2638                                                move |editor, _, _, cx| {
2639                                                    editor
2640                                                        .expand_excerpt(excerpt_id, direction, cx);
2641                                                    cx.stop_propagation();
2642                                                }
2643                                            })),
2644                                    ),
2645                            );
2646                        }
2647                    };
2648                }
2649
2650                result.into_any()
2651            }
2652        };
2653
2654        // Discover the element's content height, then round up to the nearest multiple of line height.
2655        let preliminary_size = element.layout_as_root(
2656            size(available_width, AvailableSpace::MinContent),
2657            window,
2658            cx,
2659        );
2660        let quantized_height = (preliminary_size.height / line_height).ceil() * line_height;
2661        let final_size = if preliminary_size.height == quantized_height {
2662            preliminary_size
2663        } else {
2664            element.layout_as_root(size(available_width, quantized_height.into()), window, cx)
2665        };
2666
2667        if let BlockId::Custom(custom_block_id) = block_id {
2668            if block.height() > 0 {
2669                let element_height_in_lines =
2670                    ((final_size.height / line_height).ceil() as u32).max(1);
2671                if element_height_in_lines != block.height() {
2672                    resized_blocks.insert(custom_block_id, element_height_in_lines);
2673                }
2674            }
2675        }
2676
2677        (element, final_size)
2678    }
2679
2680    fn render_buffer_header(
2681        &self,
2682        for_excerpt: &ExcerptInfo,
2683        is_folded: bool,
2684        is_selected: bool,
2685        jump_data: JumpData,
2686        window: &mut Window,
2687        cx: &mut App,
2688    ) -> Div {
2689        let include_root = self
2690            .editor
2691            .read(cx)
2692            .project
2693            .as_ref()
2694            .map(|project| project.read(cx).visible_worktrees(cx).count() > 1)
2695            .unwrap_or_default();
2696        let path = for_excerpt.buffer.resolve_file_path(cx, include_root);
2697        let filename = path
2698            .as_ref()
2699            .and_then(|path| Some(path.file_name()?.to_string_lossy().to_string()));
2700        let parent_path = path.as_ref().and_then(|path| {
2701            Some(path.parent()?.to_string_lossy().to_string() + std::path::MAIN_SEPARATOR_STR)
2702        });
2703        let focus_handle = self.editor.focus_handle(cx);
2704        let colors = cx.theme().colors();
2705
2706        div()
2707            .px_2()
2708            .pt_2()
2709            .w_full()
2710            .h(FILE_HEADER_HEIGHT as f32 * window.line_height())
2711            .child(
2712                h_flex()
2713                    .size_full()
2714                    .gap_2()
2715                    .flex_basis(Length::Definite(DefiniteLength::Fraction(0.667)))
2716                    .pl_0p5()
2717                    .pr_5()
2718                    .rounded_md()
2719                    .shadow_md()
2720                    .border_1()
2721                    .map(|div| {
2722                        let border_color = if is_selected && is_folded {
2723                            colors.border_focused
2724                        } else {
2725                            colors.border
2726                        };
2727                        div.border_color(border_color)
2728                    })
2729                    .bg(colors.editor_subheader_background)
2730                    .hover(|style| style.bg(colors.element_hover))
2731                    .map(|header| {
2732                        let editor = self.editor.clone();
2733                        let buffer_id = for_excerpt.buffer_id;
2734                        let toggle_chevron_icon =
2735                            FileIcons::get_chevron_icon(!is_folded, cx).map(Icon::from_path);
2736                        header.child(
2737                            div()
2738                                .hover(|style| style.bg(colors.element_selected))
2739                                .rounded_sm()
2740                                .child(
2741                                    ButtonLike::new("toggle-buffer-fold")
2742                                        .style(ui::ButtonStyle::Transparent)
2743                                        .size(ButtonSize::Large)
2744                                        .width(px(30.).into())
2745                                        .children(toggle_chevron_icon)
2746                                        .tooltip({
2747                                            let focus_handle = focus_handle.clone();
2748                                            move |window, cx| {
2749                                                Tooltip::for_action_in(
2750                                                    "Toggle Excerpt Fold",
2751                                                    &ToggleFold,
2752                                                    &focus_handle,
2753                                                    window,
2754                                                    cx,
2755                                                )
2756                                            }
2757                                        })
2758                                        .on_click(move |_, _, cx| {
2759                                            if is_folded {
2760                                                editor.update(cx, |editor, cx| {
2761                                                    editor.unfold_buffer(buffer_id, cx);
2762                                                });
2763                                            } else {
2764                                                editor.update(cx, |editor, cx| {
2765                                                    editor.fold_buffer(buffer_id, cx);
2766                                                });
2767                                            }
2768                                        }),
2769                                ),
2770                        )
2771                    })
2772                    .child(
2773                        h_flex()
2774                            .cursor_pointer()
2775                            .id("path header block")
2776                            .size_full()
2777                            .justify_between()
2778                            .child(
2779                                h_flex()
2780                                    .gap_2()
2781                                    .child(
2782                                        filename
2783                                            .map(SharedString::from)
2784                                            .unwrap_or_else(|| "untitled".into()),
2785                                    )
2786                                    .when_some(parent_path, |then, path| {
2787                                        then.child(div().child(path).text_color(colors.text_muted))
2788                                    }),
2789                            )
2790                            .when(is_selected, |el| {
2791                                el.child(
2792                                    h_flex()
2793                                        .id("jump-to-file-button")
2794                                        .gap_2p5()
2795                                        .child(Label::new("Jump To File"))
2796                                        .children(
2797                                            KeyBinding::for_action_in(
2798                                                &OpenExcerpts,
2799                                                &focus_handle,
2800                                                window,
2801                                            )
2802                                            .map(|binding| binding.into_any_element()),
2803                                        ),
2804                                )
2805                            })
2806                            .on_mouse_down(MouseButton::Left, |_, _, cx| cx.stop_propagation())
2807                            .on_click(window.listener_for(&self.editor, {
2808                                move |editor, e: &ClickEvent, window, cx| {
2809                                    editor.open_excerpts_common(
2810                                        Some(jump_data.clone()),
2811                                        e.down.modifiers.secondary(),
2812                                        window,
2813                                        cx,
2814                                    );
2815                                }
2816                            })),
2817                    ),
2818            )
2819    }
2820
2821    fn render_expand_excerpt_button(
2822        &self,
2823        icon: IconName,
2824        group_name: impl Into<Option<String>>,
2825        cx: &mut App,
2826    ) -> ButtonLike {
2827        let group_name = group_name.into();
2828        ButtonLike::new("expand-icon")
2829            .style(ButtonStyle::Transparent)
2830            .child(
2831                svg()
2832                    .path(icon.path())
2833                    .size(IconSize::XSmall.rems())
2834                    .text_color(cx.theme().colors().editor_line_number)
2835                    .when_some(group_name, |svg, group_name| {
2836                        svg.group_hover(group_name, |style| {
2837                            style.text_color(cx.theme().colors().editor_active_line_number)
2838                        })
2839                    }),
2840            )
2841    }
2842
2843    #[allow(clippy::too_many_arguments)]
2844    fn render_blocks(
2845        &self,
2846        rows: Range<DisplayRow>,
2847        snapshot: &EditorSnapshot,
2848        hitbox: &Hitbox,
2849        text_hitbox: &Hitbox,
2850        editor_width: Pixels,
2851        scroll_width: &mut Pixels,
2852        gutter_dimensions: &GutterDimensions,
2853        em_width: Pixels,
2854        text_x: Pixels,
2855        line_height: Pixels,
2856        line_layouts: &[LineWithInvisibles],
2857        selections: &[Selection<Point>],
2858        selected_buffer_ids: &Vec<BufferId>,
2859        is_row_soft_wrapped: impl Copy + Fn(usize) -> bool,
2860        sticky_header_excerpt_id: Option<ExcerptId>,
2861        window: &mut Window,
2862        cx: &mut App,
2863    ) -> Result<Vec<BlockLayout>, HashMap<CustomBlockId, u32>> {
2864        let (fixed_blocks, non_fixed_blocks) = snapshot
2865            .blocks_in_range(rows.clone())
2866            .partition::<Vec<_>, _>(|(_, block)| block.style() == BlockStyle::Fixed);
2867
2868        let mut focused_block = self
2869            .editor
2870            .update(cx, |editor, _| editor.take_focused_block());
2871        let mut fixed_block_max_width = Pixels::ZERO;
2872        let mut blocks = Vec::new();
2873        let mut resized_blocks = HashMap::default();
2874
2875        for (row, block) in fixed_blocks {
2876            let block_id = block.id();
2877
2878            if focused_block.as_ref().map_or(false, |b| b.id == block_id) {
2879                focused_block = None;
2880            }
2881
2882            let (element, element_size) = self.render_block(
2883                block,
2884                AvailableSpace::MinContent,
2885                block_id,
2886                row,
2887                snapshot,
2888                text_x,
2889                &rows,
2890                line_layouts,
2891                gutter_dimensions,
2892                line_height,
2893                em_width,
2894                text_hitbox,
2895                editor_width,
2896                scroll_width,
2897                &mut resized_blocks,
2898                selections,
2899                selected_buffer_ids,
2900                is_row_soft_wrapped,
2901                sticky_header_excerpt_id,
2902                window,
2903                cx,
2904            );
2905            fixed_block_max_width = fixed_block_max_width.max(element_size.width + em_width);
2906            blocks.push(BlockLayout {
2907                id: block_id,
2908                row: Some(row),
2909                element,
2910                available_space: size(AvailableSpace::MinContent, element_size.height.into()),
2911                style: BlockStyle::Fixed,
2912            });
2913        }
2914
2915        for (row, block) in non_fixed_blocks {
2916            let style = block.style();
2917            let width = match style {
2918                BlockStyle::Sticky => hitbox.size.width,
2919                BlockStyle::Flex => hitbox
2920                    .size
2921                    .width
2922                    .max(fixed_block_max_width)
2923                    .max(gutter_dimensions.width + *scroll_width),
2924                BlockStyle::Fixed => unreachable!(),
2925            };
2926            let block_id = block.id();
2927
2928            if focused_block.as_ref().map_or(false, |b| b.id == block_id) {
2929                focused_block = None;
2930            }
2931
2932            let (element, element_size) = self.render_block(
2933                block,
2934                width.into(),
2935                block_id,
2936                row,
2937                snapshot,
2938                text_x,
2939                &rows,
2940                line_layouts,
2941                gutter_dimensions,
2942                line_height,
2943                em_width,
2944                text_hitbox,
2945                editor_width,
2946                scroll_width,
2947                &mut resized_blocks,
2948                selections,
2949                selected_buffer_ids,
2950                is_row_soft_wrapped,
2951                sticky_header_excerpt_id,
2952                window,
2953                cx,
2954            );
2955
2956            blocks.push(BlockLayout {
2957                id: block_id,
2958                row: Some(row),
2959                element,
2960                available_space: size(width.into(), element_size.height.into()),
2961                style,
2962            });
2963        }
2964
2965        if let Some(focused_block) = focused_block {
2966            if let Some(focus_handle) = focused_block.focus_handle.upgrade() {
2967                if focus_handle.is_focused(window) {
2968                    if let Some(block) = snapshot.block_for_id(focused_block.id) {
2969                        let style = block.style();
2970                        let width = match style {
2971                            BlockStyle::Fixed => AvailableSpace::MinContent,
2972                            BlockStyle::Flex => AvailableSpace::Definite(
2973                                hitbox
2974                                    .size
2975                                    .width
2976                                    .max(fixed_block_max_width)
2977                                    .max(gutter_dimensions.width + *scroll_width),
2978                            ),
2979                            BlockStyle::Sticky => AvailableSpace::Definite(hitbox.size.width),
2980                        };
2981
2982                        let (element, element_size) = self.render_block(
2983                            &block,
2984                            width,
2985                            focused_block.id,
2986                            rows.end,
2987                            snapshot,
2988                            text_x,
2989                            &rows,
2990                            line_layouts,
2991                            gutter_dimensions,
2992                            line_height,
2993                            em_width,
2994                            text_hitbox,
2995                            editor_width,
2996                            scroll_width,
2997                            &mut resized_blocks,
2998                            selections,
2999                            selected_buffer_ids,
3000                            is_row_soft_wrapped,
3001                            sticky_header_excerpt_id,
3002                            window,
3003                            cx,
3004                        );
3005
3006                        blocks.push(BlockLayout {
3007                            id: block.id(),
3008                            row: None,
3009                            element,
3010                            available_space: size(width, element_size.height.into()),
3011                            style,
3012                        });
3013                    }
3014                }
3015            }
3016        }
3017
3018        if resized_blocks.is_empty() {
3019            *scroll_width = (*scroll_width).max(fixed_block_max_width - gutter_dimensions.width);
3020            Ok(blocks)
3021        } else {
3022            Err(resized_blocks)
3023        }
3024    }
3025
3026    /// Returns true if any of the blocks changed size since the previous frame. This will trigger
3027    /// a restart of rendering for the editor based on the new sizes.
3028    #[allow(clippy::too_many_arguments)]
3029    fn layout_blocks(
3030        &self,
3031        blocks: &mut Vec<BlockLayout>,
3032        block_starts: &mut HashSet<DisplayRow>,
3033        hitbox: &Hitbox,
3034        line_height: Pixels,
3035        scroll_pixel_position: gpui::Point<Pixels>,
3036        window: &mut Window,
3037        cx: &mut App,
3038    ) {
3039        for block in blocks {
3040            let mut origin = if let Some(row) = block.row {
3041                block_starts.insert(row);
3042                hitbox.origin
3043                    + point(
3044                        Pixels::ZERO,
3045                        row.as_f32() * line_height - scroll_pixel_position.y,
3046                    )
3047            } else {
3048                // Position the block outside the visible area
3049                hitbox.origin + point(Pixels::ZERO, hitbox.size.height)
3050            };
3051
3052            if !matches!(block.style, BlockStyle::Sticky) {
3053                origin += point(-scroll_pixel_position.x, Pixels::ZERO);
3054            }
3055
3056            let focus_handle =
3057                block
3058                    .element
3059                    .prepaint_as_root(origin, block.available_space, window, cx);
3060
3061            if let Some(focus_handle) = focus_handle {
3062                self.editor.update(cx, |editor, _cx| {
3063                    editor.set_focused_block(FocusedBlock {
3064                        id: block.id,
3065                        focus_handle: focus_handle.downgrade(),
3066                    });
3067                });
3068            }
3069        }
3070    }
3071
3072    #[allow(clippy::too_many_arguments)]
3073    fn layout_sticky_buffer_header(
3074        &self,
3075        StickyHeaderExcerpt {
3076            excerpt,
3077            next_excerpt_controls_present,
3078            next_buffer_row,
3079        }: StickyHeaderExcerpt<'_>,
3080        scroll_position: f32,
3081        line_height: Pixels,
3082        snapshot: &EditorSnapshot,
3083        hitbox: &Hitbox,
3084        selected_buffer_ids: &Vec<BufferId>,
3085        window: &mut Window,
3086        cx: &mut App,
3087    ) -> AnyElement {
3088        let jump_data = header_jump_data(
3089            snapshot,
3090            DisplayRow(scroll_position as u32),
3091            FILE_HEADER_HEIGHT + MULTI_BUFFER_EXCERPT_HEADER_HEIGHT,
3092            excerpt,
3093        );
3094
3095        let editor_bg_color = cx.theme().colors().editor_background;
3096
3097        let selected = selected_buffer_ids.contains(&excerpt.buffer_id);
3098
3099        let mut header = v_flex()
3100            .relative()
3101            .child(
3102                div()
3103                    .w(hitbox.bounds.size.width)
3104                    .h(FILE_HEADER_HEIGHT as f32 * line_height)
3105                    .bg(linear_gradient(
3106                        0.,
3107                        linear_color_stop(editor_bg_color.opacity(0.), 0.),
3108                        linear_color_stop(editor_bg_color, 0.6),
3109                    ))
3110                    .absolute()
3111                    .top_0(),
3112            )
3113            .child(
3114                self.render_buffer_header(excerpt, false, selected, jump_data, window, cx)
3115                    .into_any_element(),
3116            )
3117            .into_any_element();
3118
3119        let mut origin = hitbox.origin;
3120
3121        if let Some(next_buffer_row) = next_buffer_row {
3122            // Push up the sticky header when the excerpt is getting close to the top of the viewport
3123
3124            let mut max_row = next_buffer_row - FILE_HEADER_HEIGHT * 2;
3125
3126            if next_excerpt_controls_present {
3127                max_row -= MULTI_BUFFER_EXCERPT_HEADER_HEIGHT;
3128            }
3129
3130            let offset = scroll_position - max_row as f32;
3131
3132            if offset > 0.0 {
3133                origin.y -= Pixels(offset) * line_height;
3134            }
3135        }
3136
3137        let size = size(
3138            AvailableSpace::Definite(hitbox.size.width),
3139            AvailableSpace::MinContent,
3140        );
3141
3142        header.prepaint_as_root(origin, size, window, cx);
3143
3144        header
3145    }
3146
3147    #[allow(clippy::too_many_arguments)]
3148    fn layout_context_menu(
3149        &self,
3150        line_height: Pixels,
3151        text_hitbox: &Hitbox,
3152        content_origin: gpui::Point<Pixels>,
3153        start_row: DisplayRow,
3154        scroll_pixel_position: gpui::Point<Pixels>,
3155        line_layouts: &[LineWithInvisibles],
3156        newest_selection_head: DisplayPoint,
3157        gutter_overshoot: Pixels,
3158        window: &mut Window,
3159        cx: &mut App,
3160    ) {
3161        let Some(context_menu_origin) = self
3162            .editor
3163            .read(cx)
3164            .context_menu_origin(newest_selection_head)
3165        else {
3166            return;
3167        };
3168        let target_position = content_origin
3169            + match context_menu_origin {
3170                crate::ContextMenuOrigin::EditorPoint(display_point) => {
3171                    let cursor_row_layout =
3172                        &line_layouts[display_point.row().minus(start_row) as usize];
3173                    gpui::Point {
3174                        x: cmp::max(
3175                            px(0.),
3176                            cursor_row_layout.x_for_index(display_point.column() as usize)
3177                                - scroll_pixel_position.x,
3178                        ),
3179                        y: cmp::max(
3180                            px(0.),
3181                            display_point.row().next_row().as_f32() * line_height
3182                                - scroll_pixel_position.y,
3183                        ),
3184                    }
3185                }
3186                crate::ContextMenuOrigin::GutterIndicator(row) => {
3187                    // Context menu was spawned via a click on a gutter. Ensure it's a bit closer to the indicator than just a plain first column of the
3188                    // text field.
3189                    gpui::Point {
3190                        x: -gutter_overshoot,
3191                        y: row.next_row().as_f32() * line_height - scroll_pixel_position.y,
3192                    }
3193                }
3194            };
3195
3196        let viewport_bounds =
3197            Bounds::new(Default::default(), window.viewport_size()).extend(Edges {
3198                right: -Self::SCROLLBAR_WIDTH - MENU_GAP,
3199                ..Default::default()
3200            });
3201
3202        // If the context menu's max height won't fit below, then flip it above the line and display
3203        // it in reverse order. If the available space above is less than below.
3204        let unconstrained_max_height = line_height * 12. + POPOVER_Y_PADDING;
3205        let min_height = line_height * 3. + POPOVER_Y_PADDING;
3206        let bottom_y_when_flipped = target_position.y - line_height;
3207        let available_above = bottom_y_when_flipped - text_hitbox.top();
3208        let available_below = text_hitbox.bottom() - target_position.y;
3209        let y_overflows_below = unconstrained_max_height > available_below;
3210        let mut y_flipped = y_overflows_below && available_above > available_below;
3211        let mut height = cmp::min(
3212            unconstrained_max_height,
3213            if y_flipped {
3214                available_above
3215            } else {
3216                available_below
3217            },
3218        );
3219
3220        // If less than 3 lines fit within the text bounds, instead fit within the window.
3221        if height < min_height {
3222            let available_above = bottom_y_when_flipped;
3223            let available_below = viewport_bounds.bottom() - target_position.y;
3224            if available_below > 3. * line_height {
3225                y_flipped = false;
3226                height = min_height;
3227            } else if available_above > 3. * line_height {
3228                y_flipped = true;
3229                height = min_height;
3230            } else if available_above > available_below {
3231                y_flipped = true;
3232                height = available_above;
3233            } else {
3234                y_flipped = false;
3235                height = available_below;
3236            }
3237        }
3238
3239        let max_height_in_lines = ((height - POPOVER_Y_PADDING) / line_height).floor() as u32;
3240
3241        // TODO(mgsloan): use viewport_bounds.width as a max width when rendering menu.
3242        let Some(mut menu_element) = self.editor.update(cx, |editor, cx| {
3243            editor.render_context_menu(&self.style, max_height_in_lines, y_flipped, window, cx)
3244        }) else {
3245            return;
3246        };
3247
3248        let menu_size = menu_element.layout_as_root(AvailableSpace::min_size(), window, cx);
3249        let menu_position = gpui::Point {
3250            // Snap the right edge of the list to the right edge of the window if its horizontal bounds
3251            // overflow. Include space for the scrollbar.
3252            x: target_position
3253                .x
3254                .min((viewport_bounds.right() - menu_size.width).max(Pixels::ZERO)),
3255            y: if y_flipped {
3256                bottom_y_when_flipped - menu_size.height
3257            } else {
3258                target_position.y
3259            },
3260        };
3261        window.defer_draw(menu_element, menu_position, 1);
3262
3263        // Layout documentation aside
3264        let menu_bounds = Bounds::new(menu_position, menu_size);
3265        let max_menu_size = size(menu_size.width, unconstrained_max_height);
3266        let max_menu_bounds = if y_flipped {
3267            Bounds::new(
3268                point(
3269                    menu_position.x,
3270                    bottom_y_when_flipped - max_menu_size.height,
3271                ),
3272                max_menu_size,
3273            )
3274        } else {
3275            Bounds::new(target_position, max_menu_size)
3276        };
3277        self.layout_context_menu_aside(
3278            text_hitbox,
3279            y_flipped,
3280            menu_position,
3281            menu_bounds,
3282            max_menu_bounds,
3283            unconstrained_max_height,
3284            line_height,
3285            viewport_bounds,
3286            window,
3287            cx,
3288        );
3289    }
3290
3291    #[allow(clippy::too_many_arguments)]
3292    fn layout_context_menu_aside(
3293        &self,
3294        text_hitbox: &Hitbox,
3295        y_flipped: bool,
3296        menu_position: gpui::Point<Pixels>,
3297        menu_bounds: Bounds<Pixels>,
3298        max_menu_bounds: Bounds<Pixels>,
3299        max_height: Pixels,
3300        line_height: Pixels,
3301        viewport_bounds: Bounds<Pixels>,
3302        window: &mut Window,
3303        cx: &mut App,
3304    ) {
3305        let mut extend_amount = Edges::all(MENU_GAP);
3306        // Extend to include the cursored line to avoid overlapping it.
3307        if y_flipped {
3308            extend_amount.bottom = line_height;
3309        } else {
3310            extend_amount.top = line_height;
3311        }
3312        let target_bounds = menu_bounds.extend(extend_amount);
3313        let max_target_bounds = max_menu_bounds.extend(extend_amount);
3314
3315        let available_within_viewport = target_bounds.space_within(&viewport_bounds);
3316        let positioned_aside = if available_within_viewport.right >= MENU_ASIDE_MIN_WIDTH {
3317            let max_width = cmp::min(
3318                available_within_viewport.right - px(1.),
3319                MENU_ASIDE_MAX_WIDTH,
3320            );
3321            let Some(mut aside) =
3322                self.render_context_menu_aside(size(max_width, max_height - POPOVER_Y_PADDING), cx)
3323            else {
3324                return;
3325            };
3326            aside.layout_as_root(AvailableSpace::min_size(), window, cx);
3327            let right_position = point(target_bounds.right(), menu_position.y);
3328            Some((aside, right_position))
3329        } else {
3330            let max_size = size(
3331                // TODO(mgsloan): Once the menu is bounded by viewport width the bound on viewport
3332                // won't be needed here.
3333                cmp::min(
3334                    cmp::max(menu_bounds.size.width - px(2.), MENU_ASIDE_MIN_WIDTH),
3335                    viewport_bounds.right(),
3336                ),
3337                cmp::min(
3338                    max_height,
3339                    cmp::max(
3340                        available_within_viewport.top,
3341                        available_within_viewport.bottom,
3342                    ),
3343                ) - POPOVER_Y_PADDING,
3344            );
3345            let Some(mut aside) = self.render_context_menu_aside(max_size, cx) else {
3346                return;
3347            };
3348            let actual_size = aside.layout_as_root(AvailableSpace::min_size(), window, cx);
3349
3350            let top_position = point(menu_position.x, target_bounds.top() - actual_size.height);
3351            let bottom_position = point(menu_position.x, target_bounds.bottom());
3352
3353            let fit_within = |available: Edges<Pixels>, wanted: Size<Pixels>| {
3354                // Prefer to fit on the same side of the line as the menu, then on the other side of
3355                // the line.
3356                if !y_flipped && wanted.height < available.bottom {
3357                    Some(bottom_position)
3358                } else if !y_flipped && wanted.height < available.top {
3359                    Some(top_position)
3360                } else if y_flipped && wanted.height < available.top {
3361                    Some(top_position)
3362                } else if y_flipped && wanted.height < available.bottom {
3363                    Some(bottom_position)
3364                } else {
3365                    None
3366                }
3367            };
3368
3369            // Prefer choosing a direction using max sizes rather than actual size for stability.
3370            let available_within_text = max_target_bounds.space_within(&text_hitbox.bounds);
3371            let wanted = size(MENU_ASIDE_MAX_WIDTH, max_height);
3372            let aside_position = fit_within(available_within_text, wanted)
3373                // Fallback: fit max size in window.
3374                .or_else(|| fit_within(max_target_bounds.space_within(&viewport_bounds), wanted))
3375                // Fallback: fit actual size in window.
3376                .or_else(|| fit_within(available_within_viewport, actual_size));
3377
3378            aside_position.map(|position| (aside, position))
3379        };
3380
3381        // Skip drawing if it doesn't fit anywhere.
3382        if let Some((aside, position)) = positioned_aside {
3383            window.defer_draw(aside, position, 1);
3384        }
3385    }
3386
3387    fn render_context_menu_aside(
3388        &self,
3389        max_size: Size<Pixels>,
3390
3391        cx: &mut App,
3392    ) -> Option<AnyElement> {
3393        if max_size.width < px(100.) || max_size.height < px(12.) {
3394            None
3395        } else {
3396            self.editor.update(cx, |editor, cx| {
3397                editor.render_context_menu_aside(&self.style, max_size, cx)
3398            })
3399        }
3400    }
3401
3402    #[allow(clippy::too_many_arguments)]
3403    fn layout_inline_completion_popover(
3404        &self,
3405        text_bounds: &Bounds<Pixels>,
3406        editor_snapshot: &EditorSnapshot,
3407        visible_row_range: Range<DisplayRow>,
3408        scroll_top: f32,
3409        scroll_bottom: f32,
3410        line_layouts: &[LineWithInvisibles],
3411        line_height: Pixels,
3412        scroll_pixel_position: gpui::Point<Pixels>,
3413        newest_selection_head: Option<DisplayPoint>,
3414        editor_width: Pixels,
3415        style: &EditorStyle,
3416        window: &mut Window,
3417        cx: &mut App,
3418    ) -> Option<AnyElement> {
3419        const PADDING_X: Pixels = Pixels(24.);
3420        const PADDING_Y: Pixels = Pixels(2.);
3421
3422        let active_inline_completion = self.editor.read(cx).active_inline_completion.as_ref()?;
3423
3424        match &active_inline_completion.completion {
3425            InlineCompletion::Move(target_position) => {
3426                let target_display_point = target_position.to_display_point(editor_snapshot);
3427                if target_display_point.row().as_f32() < scroll_top {
3428                    let mut element = inline_completion_tab_indicator(
3429                        "Jump to Edit",
3430                        Some(IconName::ArrowUp),
3431                        cx,
3432                    );
3433                    let size = element.layout_as_root(AvailableSpace::min_size(), window, cx);
3434                    let offset = point((text_bounds.size.width - size.width) / 2., PADDING_Y);
3435                    element.prepaint_at(text_bounds.origin + offset, window, cx);
3436                    Some(element)
3437                } else if (target_display_point.row().as_f32() + 1.) > scroll_bottom {
3438                    let mut element = inline_completion_tab_indicator(
3439                        "Jump to Edit",
3440                        Some(IconName::ArrowDown),
3441                        cx,
3442                    );
3443                    let size = element.layout_as_root(AvailableSpace::min_size(), window, cx);
3444                    let offset = point(
3445                        (text_bounds.size.width - size.width) / 2.,
3446                        text_bounds.size.height - size.height - PADDING_Y,
3447                    );
3448                    element.prepaint_at(text_bounds.origin + offset, window, cx);
3449                    Some(element)
3450                } else {
3451                    let mut element = inline_completion_tab_indicator("Jump to Edit", None, cx);
3452
3453                    let target_line_end = DisplayPoint::new(
3454                        target_display_point.row(),
3455                        editor_snapshot.line_len(target_display_point.row()),
3456                    );
3457                    let origin = self.editor.update(cx, |editor, _cx| {
3458                        editor.display_to_pixel_point(target_line_end, editor_snapshot, window)
3459                    })?;
3460                    element.prepaint_as_root(
3461                        text_bounds.origin + origin + point(PADDING_X, px(0.)),
3462                        AvailableSpace::min_size(),
3463                        window,
3464                        cx,
3465                    );
3466                    Some(element)
3467                }
3468            }
3469            InlineCompletion::Edit {
3470                edits,
3471                edit_preview,
3472                display_mode,
3473                snapshot,
3474            } => {
3475                if self.editor.read(cx).has_active_completions_menu() {
3476                    return None;
3477                }
3478
3479                let edit_start = edits
3480                    .first()
3481                    .unwrap()
3482                    .0
3483                    .start
3484                    .to_display_point(editor_snapshot);
3485                let edit_end = edits
3486                    .last()
3487                    .unwrap()
3488                    .0
3489                    .end
3490                    .to_display_point(editor_snapshot);
3491
3492                let is_visible = visible_row_range.contains(&edit_start.row())
3493                    || visible_row_range.contains(&edit_end.row());
3494                if !is_visible {
3495                    return None;
3496                }
3497
3498                match display_mode {
3499                    EditDisplayMode::TabAccept => {
3500                        let range = &edits.first()?.0;
3501                        let target_display_point = range.end.to_display_point(editor_snapshot);
3502
3503                        let target_line_end = DisplayPoint::new(
3504                            target_display_point.row(),
3505                            editor_snapshot.line_len(target_display_point.row()),
3506                        );
3507                        let origin = self.editor.update(cx, |editor, _cx| {
3508                            editor.display_to_pixel_point(target_line_end, editor_snapshot, window)
3509                        })?;
3510
3511                        let mut element = inline_completion_tab_indicator("Accept", None, cx);
3512
3513                        element.prepaint_as_root(
3514                            text_bounds.origin + origin + point(PADDING_X, px(0.)),
3515                            AvailableSpace::min_size(),
3516                            window,
3517                            cx,
3518                        );
3519
3520                        return Some(element);
3521                    }
3522                    EditDisplayMode::Inline => return None,
3523                    EditDisplayMode::DiffPopover => {}
3524                }
3525
3526                let highlighted_edits = edit_preview.as_ref().and_then(|edit_preview| {
3527                    crate::inline_completion_edit_text(&snapshot, edits, edit_preview, false, cx)
3528                })?;
3529
3530                let line_count = highlighted_edits.text.lines().count();
3531
3532                let longest_row =
3533                    editor_snapshot.longest_row_in_range(edit_start.row()..edit_end.row() + 1);
3534                let longest_line_width = if visible_row_range.contains(&longest_row) {
3535                    line_layouts[(longest_row.0 - visible_row_range.start.0) as usize].width
3536                } else {
3537                    layout_line(
3538                        longest_row,
3539                        editor_snapshot,
3540                        style,
3541                        editor_width,
3542                        |_| false,
3543                        window,
3544                        cx,
3545                    )
3546                    .width
3547                };
3548
3549                let styled_text = gpui::StyledText::new(highlighted_edits.text.clone())
3550                    .with_highlights(&style.text, highlighted_edits.highlights);
3551
3552                let mut element = div()
3553                    .bg(cx.theme().colors().editor_background)
3554                    .border_1()
3555                    .border_color(cx.theme().colors().border)
3556                    .rounded_md()
3557                    .child(styled_text)
3558                    .into_any();
3559
3560                let viewport_bounds = Bounds::new(Default::default(), window.viewport_size())
3561                    .extend(Edges {
3562                        right: -Self::SCROLLBAR_WIDTH,
3563                        ..Default::default()
3564                    });
3565
3566                let x_after_longest =
3567                    text_bounds.origin.x + longest_line_width + PADDING_X - scroll_pixel_position.x;
3568
3569                let element_bounds = element.layout_as_root(AvailableSpace::min_size(), window, cx);
3570
3571                // Fully visible if it can be displayed within the window (allow overlapping other
3572                // panes). However, this is only allowed if the popover starts within text_bounds.
3573                let is_fully_visible = x_after_longest < text_bounds.right()
3574                    && x_after_longest + element_bounds.width < viewport_bounds.right();
3575
3576                let origin = if is_fully_visible {
3577                    point(
3578                        x_after_longest,
3579                        text_bounds.origin.y + edit_start.row().as_f32() * line_height
3580                            - scroll_pixel_position.y,
3581                    )
3582                } else {
3583                    // Avoid overlapping both the edited rows and the user's cursor.
3584                    let target_above = DisplayRow(
3585                        edit_start
3586                            .row()
3587                            .0
3588                            .min(
3589                                newest_selection_head
3590                                    .map_or(u32::MAX, |cursor_row| cursor_row.row().0),
3591                            )
3592                            .saturating_sub(line_count as u32),
3593                    );
3594                    let mut row_target;
3595                    if visible_row_range.contains(&DisplayRow(target_above.0.saturating_sub(1))) {
3596                        row_target = target_above;
3597                    } else {
3598                        row_target = DisplayRow(
3599                            edit_end.row().0.max(
3600                                newest_selection_head.map_or(0, |cursor_row| cursor_row.row().0),
3601                            ) + 1,
3602                        );
3603                        if !visible_row_range.contains(&row_target) {
3604                            // Not visible, so fallback on displaying immediately below the cursor.
3605                            if let Some(cursor) = newest_selection_head {
3606                                row_target = DisplayRow(cursor.row().0 + 1);
3607                            } else {
3608                                // Not visible and no cursor visible, so fallback on displaying at the top of the editor.
3609                                row_target = DisplayRow(0);
3610                            }
3611                        }
3612                    };
3613
3614                    text_bounds.origin
3615                        + point(
3616                            -scroll_pixel_position.x,
3617                            row_target.as_f32() * line_height - scroll_pixel_position.y,
3618                        )
3619                };
3620
3621                window.defer_draw(element, origin, 1);
3622
3623                // Do not return an element, since it will already be drawn due to defer_draw.
3624                None
3625            }
3626        }
3627    }
3628
3629    fn layout_mouse_context_menu(
3630        &self,
3631        editor_snapshot: &EditorSnapshot,
3632        visible_range: Range<DisplayRow>,
3633        content_origin: gpui::Point<Pixels>,
3634        window: &mut Window,
3635        cx: &mut App,
3636    ) -> Option<AnyElement> {
3637        let position = self.editor.update(cx, |editor, _cx| {
3638            let visible_start_point = editor.display_to_pixel_point(
3639                DisplayPoint::new(visible_range.start, 0),
3640                editor_snapshot,
3641                window,
3642            )?;
3643            let visible_end_point = editor.display_to_pixel_point(
3644                DisplayPoint::new(visible_range.end, 0),
3645                editor_snapshot,
3646                window,
3647            )?;
3648
3649            let mouse_context_menu = editor.mouse_context_menu.as_ref()?;
3650            let (source_display_point, position) = match mouse_context_menu.position {
3651                MenuPosition::PinnedToScreen(point) => (None, point),
3652                MenuPosition::PinnedToEditor { source, offset } => {
3653                    let source_display_point = source.to_display_point(editor_snapshot);
3654                    let source_point = editor.to_pixel_point(source, editor_snapshot, window)?;
3655                    let position = content_origin + source_point + offset;
3656                    (Some(source_display_point), position)
3657                }
3658            };
3659
3660            let source_included = source_display_point.map_or(true, |source_display_point| {
3661                visible_range
3662                    .to_inclusive()
3663                    .contains(&source_display_point.row())
3664            });
3665            let position_included =
3666                visible_start_point.y <= position.y && position.y <= visible_end_point.y;
3667            if !source_included && !position_included {
3668                None
3669            } else {
3670                Some(position)
3671            }
3672        })?;
3673
3674        let mut element = self.editor.update(cx, |editor, _| {
3675            let mouse_context_menu = editor.mouse_context_menu.as_ref()?;
3676            let context_menu = mouse_context_menu.context_menu.clone();
3677
3678            Some(
3679                deferred(
3680                    anchored()
3681                        .position(position)
3682                        .child(context_menu)
3683                        .anchor(Corner::TopLeft)
3684                        .snap_to_window_with_margin(px(8.)),
3685                )
3686                .with_priority(1)
3687                .into_any(),
3688            )
3689        })?;
3690
3691        element.prepaint_as_root(position, AvailableSpace::min_size(), window, cx);
3692        Some(element)
3693    }
3694
3695    #[allow(clippy::too_many_arguments)]
3696    fn layout_hover_popovers(
3697        &self,
3698        snapshot: &EditorSnapshot,
3699        hitbox: &Hitbox,
3700        text_hitbox: &Hitbox,
3701        visible_display_row_range: Range<DisplayRow>,
3702        content_origin: gpui::Point<Pixels>,
3703        scroll_pixel_position: gpui::Point<Pixels>,
3704        line_layouts: &[LineWithInvisibles],
3705        line_height: Pixels,
3706        em_width: Pixels,
3707        window: &mut Window,
3708        cx: &mut App,
3709    ) {
3710        struct MeasuredHoverPopover {
3711            element: AnyElement,
3712            size: Size<Pixels>,
3713            horizontal_offset: Pixels,
3714        }
3715
3716        let max_size = size(
3717            (120. * em_width) // Default size
3718                .min(hitbox.size.width / 2.) // Shrink to half of the editor width
3719                .max(MIN_POPOVER_CHARACTER_WIDTH * em_width), // Apply minimum width of 20 characters
3720            (16. * line_height) // Default size
3721                .min(hitbox.size.height / 2.) // Shrink to half of the editor height
3722                .max(MIN_POPOVER_LINE_HEIGHT * line_height), // Apply minimum height of 4 lines
3723        );
3724
3725        let hover_popovers = self.editor.update(cx, |editor, cx| {
3726            editor
3727                .hover_state
3728                .render(snapshot, visible_display_row_range.clone(), max_size, cx)
3729        });
3730        let Some((position, hover_popovers)) = hover_popovers else {
3731            return;
3732        };
3733
3734        // This is safe because we check on layout whether the required row is available
3735        let hovered_row_layout =
3736            &line_layouts[position.row().minus(visible_display_row_range.start) as usize];
3737
3738        // Compute Hovered Point
3739        let x =
3740            hovered_row_layout.x_for_index(position.column() as usize) - scroll_pixel_position.x;
3741        let y = position.row().as_f32() * line_height - scroll_pixel_position.y;
3742        let hovered_point = content_origin + point(x, y);
3743
3744        let mut overall_height = Pixels::ZERO;
3745        let mut measured_hover_popovers = Vec::new();
3746        for mut hover_popover in hover_popovers {
3747            let size = hover_popover.layout_as_root(AvailableSpace::min_size(), window, cx);
3748            let horizontal_offset =
3749                (text_hitbox.top_right().x - (hovered_point.x + size.width)).min(Pixels::ZERO);
3750
3751            overall_height += HOVER_POPOVER_GAP + size.height;
3752
3753            measured_hover_popovers.push(MeasuredHoverPopover {
3754                element: hover_popover,
3755                size,
3756                horizontal_offset,
3757            });
3758        }
3759        overall_height += HOVER_POPOVER_GAP;
3760
3761        fn draw_occluder(
3762            width: Pixels,
3763            origin: gpui::Point<Pixels>,
3764            window: &mut Window,
3765            cx: &mut App,
3766        ) {
3767            let mut occlusion = div()
3768                .size_full()
3769                .occlude()
3770                .on_mouse_move(|_, _, cx| cx.stop_propagation())
3771                .into_any_element();
3772            occlusion.layout_as_root(size(width, HOVER_POPOVER_GAP).into(), window, cx);
3773            window.defer_draw(occlusion, origin, 2);
3774        }
3775
3776        if hovered_point.y > overall_height {
3777            // There is enough space above. Render popovers above the hovered point
3778            let mut current_y = hovered_point.y;
3779            for (position, popover) in measured_hover_popovers.into_iter().with_position() {
3780                let size = popover.size;
3781                let popover_origin = point(
3782                    hovered_point.x + popover.horizontal_offset,
3783                    current_y - size.height,
3784                );
3785
3786                window.defer_draw(popover.element, popover_origin, 2);
3787                if position != itertools::Position::Last {
3788                    let origin = point(popover_origin.x, popover_origin.y - HOVER_POPOVER_GAP);
3789                    draw_occluder(size.width, origin, window, cx);
3790                }
3791
3792                current_y = popover_origin.y - HOVER_POPOVER_GAP;
3793            }
3794        } else {
3795            // There is not enough space above. Render popovers below the hovered point
3796            let mut current_y = hovered_point.y + line_height;
3797            for (position, popover) in measured_hover_popovers.into_iter().with_position() {
3798                let size = popover.size;
3799                let popover_origin = point(hovered_point.x + popover.horizontal_offset, current_y);
3800
3801                window.defer_draw(popover.element, popover_origin, 2);
3802                if position != itertools::Position::Last {
3803                    let origin = point(popover_origin.x, popover_origin.y + size.height);
3804                    draw_occluder(size.width, origin, window, cx);
3805                }
3806
3807                current_y = popover_origin.y + size.height + HOVER_POPOVER_GAP;
3808            }
3809        }
3810    }
3811
3812    #[allow(clippy::too_many_arguments)]
3813    fn layout_diff_hunk_controls(
3814        &self,
3815        row_range: Range<DisplayRow>,
3816        row_infos: &[RowInfo],
3817        text_hitbox: &Hitbox,
3818        position_map: &PositionMap,
3819        newest_cursor_position: Option<DisplayPoint>,
3820        line_height: Pixels,
3821        scroll_pixel_position: gpui::Point<Pixels>,
3822        display_hunks: &[(DisplayDiffHunk, Option<Hitbox>)],
3823        editor: Entity<Editor>,
3824        window: &mut Window,
3825        cx: &mut App,
3826    ) -> Vec<AnyElement> {
3827        let point_for_position =
3828            position_map.point_for_position(text_hitbox.bounds, window.mouse_position());
3829
3830        let mut controls = vec![];
3831
3832        let active_positions = [
3833            Some(point_for_position.previous_valid),
3834            newest_cursor_position,
3835        ];
3836
3837        for (hunk, _) in display_hunks {
3838            if let DisplayDiffHunk::Unfolded {
3839                display_row_range,
3840                multi_buffer_range,
3841                status,
3842                ..
3843            } = &hunk
3844            {
3845                if display_row_range.start < row_range.start
3846                    || display_row_range.start >= row_range.end
3847                {
3848                    continue;
3849                }
3850                let row_ix = (display_row_range.start - row_range.start).0 as usize;
3851                if row_infos[row_ix].diff_status.is_none() {
3852                    continue;
3853                }
3854                if row_infos[row_ix].diff_status == Some(DiffHunkStatus::Added)
3855                    && *status != DiffHunkStatus::Added
3856                {
3857                    continue;
3858                }
3859                if active_positions
3860                    .iter()
3861                    .any(|p| p.map_or(false, |p| display_row_range.contains(&p.row())))
3862                {
3863                    let y = display_row_range.start.as_f32() * line_height
3864                        + text_hitbox.bounds.top()
3865                        - scroll_pixel_position.y;
3866                    let x = text_hitbox.bounds.right() - px(100.);
3867
3868                    let mut element = diff_hunk_controls(
3869                        display_row_range.start.0,
3870                        multi_buffer_range.clone(),
3871                        line_height,
3872                        &editor,
3873                        cx,
3874                    );
3875                    element.prepaint_as_root(
3876                        gpui::Point::new(x, y),
3877                        size(px(100.0), line_height).into(),
3878                        window,
3879                        cx,
3880                    );
3881                    controls.push(element);
3882                }
3883            }
3884        }
3885
3886        controls
3887    }
3888
3889    #[allow(clippy::too_many_arguments)]
3890    fn layout_signature_help(
3891        &self,
3892        hitbox: &Hitbox,
3893        content_origin: gpui::Point<Pixels>,
3894        scroll_pixel_position: gpui::Point<Pixels>,
3895        newest_selection_head: Option<DisplayPoint>,
3896        start_row: DisplayRow,
3897        line_layouts: &[LineWithInvisibles],
3898        line_height: Pixels,
3899        em_width: Pixels,
3900        window: &mut Window,
3901        cx: &mut App,
3902    ) {
3903        if !self.editor.focus_handle(cx).is_focused(window) {
3904            return;
3905        }
3906        let Some(newest_selection_head) = newest_selection_head else {
3907            return;
3908        };
3909        let selection_row = newest_selection_head.row();
3910        if selection_row < start_row {
3911            return;
3912        }
3913        let Some(cursor_row_layout) = line_layouts.get(selection_row.minus(start_row) as usize)
3914        else {
3915            return;
3916        };
3917
3918        let start_x = cursor_row_layout.x_for_index(newest_selection_head.column() as usize)
3919            - scroll_pixel_position.x
3920            + content_origin.x;
3921        let start_y =
3922            selection_row.as_f32() * line_height + content_origin.y - scroll_pixel_position.y;
3923
3924        let max_size = size(
3925            (120. * em_width) // Default size
3926                .min(hitbox.size.width / 2.) // Shrink to half of the editor width
3927                .max(MIN_POPOVER_CHARACTER_WIDTH * em_width), // Apply minimum width of 20 characters
3928            (16. * line_height) // Default size
3929                .min(hitbox.size.height / 2.) // Shrink to half of the editor height
3930                .max(MIN_POPOVER_LINE_HEIGHT * line_height), // Apply minimum height of 4 lines
3931        );
3932
3933        let maybe_element = self.editor.update(cx, |editor, cx| {
3934            if let Some(popover) = editor.signature_help_state.popover_mut() {
3935                let element = popover.render(
3936                    &self.style,
3937                    max_size,
3938                    editor.workspace.as_ref().map(|(w, _)| w.clone()),
3939                    cx,
3940                );
3941                Some(element)
3942            } else {
3943                None
3944            }
3945        });
3946        if let Some(mut element) = maybe_element {
3947            let window_size = window.viewport_size();
3948            let size = element.layout_as_root(Size::<AvailableSpace>::default(), window, cx);
3949            let mut point = point(start_x, start_y - size.height);
3950
3951            // Adjusting to ensure the popover does not overflow in the X-axis direction.
3952            if point.x + size.width >= window_size.width {
3953                point.x = window_size.width - size.width;
3954            }
3955
3956            window.defer_draw(element, point, 1)
3957        }
3958    }
3959
3960    fn paint_background(&self, layout: &EditorLayout, window: &mut Window, cx: &mut App) {
3961        window.paint_layer(layout.hitbox.bounds, |window| {
3962            let scroll_top = layout.position_map.snapshot.scroll_position().y;
3963            let gutter_bg = cx.theme().colors().editor_gutter_background;
3964            window.paint_quad(fill(layout.gutter_hitbox.bounds, gutter_bg));
3965            window.paint_quad(fill(layout.text_hitbox.bounds, self.style.background));
3966
3967            if let EditorMode::Full = layout.mode {
3968                let mut active_rows = layout.active_rows.iter().peekable();
3969                while let Some((start_row, contains_non_empty_selection)) = active_rows.next() {
3970                    let mut end_row = start_row.0;
3971                    while active_rows
3972                        .peek()
3973                        .map_or(false, |(active_row, has_selection)| {
3974                            active_row.0 == end_row + 1
3975                                && *has_selection == contains_non_empty_selection
3976                        })
3977                    {
3978                        active_rows.next().unwrap();
3979                        end_row += 1;
3980                    }
3981
3982                    if !contains_non_empty_selection {
3983                        let highlight_h_range =
3984                            match layout.position_map.snapshot.current_line_highlight {
3985                                CurrentLineHighlight::Gutter => Some(Range {
3986                                    start: layout.hitbox.left(),
3987                                    end: layout.gutter_hitbox.right(),
3988                                }),
3989                                CurrentLineHighlight::Line => Some(Range {
3990                                    start: layout.text_hitbox.bounds.left(),
3991                                    end: layout.text_hitbox.bounds.right(),
3992                                }),
3993                                CurrentLineHighlight::All => Some(Range {
3994                                    start: layout.hitbox.left(),
3995                                    end: layout.hitbox.right(),
3996                                }),
3997                                CurrentLineHighlight::None => None,
3998                            };
3999                        if let Some(range) = highlight_h_range {
4000                            let active_line_bg = cx.theme().colors().editor_active_line_background;
4001                            let bounds = Bounds {
4002                                origin: point(
4003                                    range.start,
4004                                    layout.hitbox.origin.y
4005                                        + (start_row.as_f32() - scroll_top)
4006                                            * layout.position_map.line_height,
4007                                ),
4008                                size: size(
4009                                    range.end - range.start,
4010                                    layout.position_map.line_height
4011                                        * (end_row - start_row.0 + 1) as f32,
4012                                ),
4013                            };
4014                            window.paint_quad(fill(bounds, active_line_bg));
4015                        }
4016                    }
4017                }
4018
4019                let mut paint_highlight =
4020                    |highlight_row_start: DisplayRow, highlight_row_end: DisplayRow, color| {
4021                        let origin = point(
4022                            layout.hitbox.origin.x,
4023                            layout.hitbox.origin.y
4024                                + (highlight_row_start.as_f32() - scroll_top)
4025                                    * layout.position_map.line_height,
4026                        );
4027                        let size = size(
4028                            layout.hitbox.size.width,
4029                            layout.position_map.line_height
4030                                * highlight_row_end.next_row().minus(highlight_row_start) as f32,
4031                        );
4032                        window.paint_quad(fill(Bounds { origin, size }, color));
4033                    };
4034
4035                let mut current_paint: Option<(Hsla, Range<DisplayRow>)> = None;
4036                for (&new_row, &new_color) in &layout.highlighted_rows {
4037                    match &mut current_paint {
4038                        Some((current_color, current_range)) => {
4039                            let current_color = *current_color;
4040                            let new_range_started = current_color != new_color
4041                                || current_range.end.next_row() != new_row;
4042                            if new_range_started {
4043                                paint_highlight(
4044                                    current_range.start,
4045                                    current_range.end,
4046                                    current_color,
4047                                );
4048                                current_paint = Some((new_color, new_row..new_row));
4049                                continue;
4050                            } else {
4051                                current_range.end = current_range.end.next_row();
4052                            }
4053                        }
4054                        None => current_paint = Some((new_color, new_row..new_row)),
4055                    };
4056                }
4057                if let Some((color, range)) = current_paint {
4058                    paint_highlight(range.start, range.end, color);
4059                }
4060
4061                let scroll_left =
4062                    layout.position_map.snapshot.scroll_position().x * layout.position_map.em_width;
4063
4064                for (wrap_position, active) in layout.wrap_guides.iter() {
4065                    let x = (layout.text_hitbox.origin.x
4066                        + *wrap_position
4067                        + layout.position_map.em_width / 2.)
4068                        - scroll_left;
4069
4070                    let show_scrollbars = {
4071                        let (scrollbar_x, scrollbar_y) = &layout.scrollbars_layout.as_xy();
4072
4073                        scrollbar_x.as_ref().map_or(false, |sx| sx.visible)
4074                            || scrollbar_y.as_ref().map_or(false, |sy| sy.visible)
4075                    };
4076
4077                    if x < layout.text_hitbox.origin.x
4078                        || (show_scrollbars && x > self.scrollbar_left(&layout.hitbox.bounds))
4079                    {
4080                        continue;
4081                    }
4082
4083                    let color = if *active {
4084                        cx.theme().colors().editor_active_wrap_guide
4085                    } else {
4086                        cx.theme().colors().editor_wrap_guide
4087                    };
4088                    window.paint_quad(fill(
4089                        Bounds {
4090                            origin: point(x, layout.text_hitbox.origin.y),
4091                            size: size(px(1.), layout.text_hitbox.size.height),
4092                        },
4093                        color,
4094                    ));
4095                }
4096            }
4097        })
4098    }
4099
4100    fn paint_indent_guides(
4101        &mut self,
4102        layout: &mut EditorLayout,
4103        window: &mut Window,
4104        cx: &mut App,
4105    ) {
4106        let Some(indent_guides) = &layout.indent_guides else {
4107            return;
4108        };
4109
4110        let faded_color = |color: Hsla, alpha: f32| {
4111            let mut faded = color;
4112            faded.a = alpha;
4113            faded
4114        };
4115
4116        for indent_guide in indent_guides {
4117            let indent_accent_colors = cx.theme().accents().color_for_index(indent_guide.depth);
4118            let settings = indent_guide.settings;
4119
4120            // TODO fixed for now, expose them through themes later
4121            const INDENT_AWARE_ALPHA: f32 = 0.2;
4122            const INDENT_AWARE_ACTIVE_ALPHA: f32 = 0.4;
4123            const INDENT_AWARE_BACKGROUND_ALPHA: f32 = 0.1;
4124            const INDENT_AWARE_BACKGROUND_ACTIVE_ALPHA: f32 = 0.2;
4125
4126            let line_color = match (settings.coloring, indent_guide.active) {
4127                (IndentGuideColoring::Disabled, _) => None,
4128                (IndentGuideColoring::Fixed, false) => {
4129                    Some(cx.theme().colors().editor_indent_guide)
4130                }
4131                (IndentGuideColoring::Fixed, true) => {
4132                    Some(cx.theme().colors().editor_indent_guide_active)
4133                }
4134                (IndentGuideColoring::IndentAware, false) => {
4135                    Some(faded_color(indent_accent_colors, INDENT_AWARE_ALPHA))
4136                }
4137                (IndentGuideColoring::IndentAware, true) => {
4138                    Some(faded_color(indent_accent_colors, INDENT_AWARE_ACTIVE_ALPHA))
4139                }
4140            };
4141
4142            let background_color = match (settings.background_coloring, indent_guide.active) {
4143                (IndentGuideBackgroundColoring::Disabled, _) => None,
4144                (IndentGuideBackgroundColoring::IndentAware, false) => Some(faded_color(
4145                    indent_accent_colors,
4146                    INDENT_AWARE_BACKGROUND_ALPHA,
4147                )),
4148                (IndentGuideBackgroundColoring::IndentAware, true) => Some(faded_color(
4149                    indent_accent_colors,
4150                    INDENT_AWARE_BACKGROUND_ACTIVE_ALPHA,
4151                )),
4152            };
4153
4154            let requested_line_width = if indent_guide.active {
4155                settings.active_line_width
4156            } else {
4157                settings.line_width
4158            }
4159            .clamp(1, 10);
4160            let mut line_indicator_width = 0.;
4161            if let Some(color) = line_color {
4162                window.paint_quad(fill(
4163                    Bounds {
4164                        origin: indent_guide.origin,
4165                        size: size(px(requested_line_width as f32), indent_guide.length),
4166                    },
4167                    color,
4168                ));
4169                line_indicator_width = requested_line_width as f32;
4170            }
4171
4172            if let Some(color) = background_color {
4173                let width = indent_guide.single_indent_width - px(line_indicator_width);
4174                window.paint_quad(fill(
4175                    Bounds {
4176                        origin: point(
4177                            indent_guide.origin.x + px(line_indicator_width),
4178                            indent_guide.origin.y,
4179                        ),
4180                        size: size(width, indent_guide.length),
4181                    },
4182                    color,
4183                ));
4184            }
4185        }
4186    }
4187
4188    fn paint_line_numbers(&mut self, layout: &mut EditorLayout, window: &mut Window, cx: &mut App) {
4189        let is_singleton = self.editor.read(cx).is_singleton(cx);
4190
4191        let line_height = layout.position_map.line_height;
4192        window.set_cursor_style(CursorStyle::Arrow, &layout.gutter_hitbox);
4193
4194        for LineNumberLayout {
4195            shaped_line,
4196            hitbox,
4197            display_row,
4198        } in layout.line_numbers.values()
4199        {
4200            let Some(hitbox) = hitbox else {
4201                continue;
4202            };
4203
4204            let is_active = layout.active_rows.contains_key(&display_row);
4205
4206            let color = if is_active {
4207                cx.theme().colors().editor_active_line_number
4208            } else if !is_singleton && hitbox.is_hovered(window) {
4209                cx.theme().colors().editor_hover_line_number
4210            } else {
4211                cx.theme().colors().editor_line_number
4212            };
4213
4214            let Some(line) = self
4215                .shape_line_number(shaped_line.text.clone(), color, window)
4216                .log_err()
4217            else {
4218                continue;
4219            };
4220            let Some(()) = line.paint(hitbox.origin, line_height, window, cx).log_err() else {
4221                continue;
4222            };
4223            // In singleton buffers, we select corresponding lines on the line number click, so use | -like cursor.
4224            // In multi buffers, we open file at the line number clicked, so use a pointing hand cursor.
4225            if is_singleton {
4226                window.set_cursor_style(CursorStyle::IBeam, &hitbox);
4227            } else {
4228                window.set_cursor_style(CursorStyle::PointingHand, &hitbox);
4229            }
4230        }
4231    }
4232
4233    fn paint_diff_hunks(layout: &mut EditorLayout, window: &mut Window, cx: &mut App) {
4234        if layout.display_hunks.is_empty() {
4235            return;
4236        }
4237
4238        let line_height = layout.position_map.line_height;
4239        window.paint_layer(layout.gutter_hitbox.bounds, |window| {
4240            for (hunk, hitbox) in &layout.display_hunks {
4241                let hunk_to_paint = match hunk {
4242                    DisplayDiffHunk::Folded { .. } => {
4243                        let hunk_bounds = Self::diff_hunk_bounds(
4244                            &layout.position_map.snapshot,
4245                            line_height,
4246                            layout.gutter_hitbox.bounds,
4247                            hunk,
4248                        );
4249                        Some((
4250                            hunk_bounds,
4251                            cx.theme().status().modified,
4252                            Corners::all(px(0.)),
4253                        ))
4254                    }
4255                    DisplayDiffHunk::Unfolded {
4256                        status,
4257                        display_row_range,
4258                        ..
4259                    } => hitbox.as_ref().map(|hunk_hitbox| match status {
4260                        DiffHunkStatus::Added => (
4261                            hunk_hitbox.bounds,
4262                            cx.theme().status().created,
4263                            Corners::all(px(0.)),
4264                        ),
4265                        DiffHunkStatus::Modified => (
4266                            hunk_hitbox.bounds,
4267                            cx.theme().status().modified,
4268                            Corners::all(px(0.)),
4269                        ),
4270                        DiffHunkStatus::Removed if !display_row_range.is_empty() => (
4271                            hunk_hitbox.bounds,
4272                            cx.theme().status().deleted,
4273                            Corners::all(px(0.)),
4274                        ),
4275                        DiffHunkStatus::Removed => (
4276                            Bounds::new(
4277                                point(
4278                                    hunk_hitbox.origin.x - hunk_hitbox.size.width,
4279                                    hunk_hitbox.origin.y,
4280                                ),
4281                                size(hunk_hitbox.size.width * px(2.), hunk_hitbox.size.height),
4282                            ),
4283                            cx.theme().status().deleted,
4284                            Corners::all(1. * line_height),
4285                        ),
4286                    }),
4287                };
4288
4289                if let Some((hunk_bounds, background_color, corner_radii)) = hunk_to_paint {
4290                    window.paint_quad(quad(
4291                        hunk_bounds,
4292                        corner_radii,
4293                        background_color,
4294                        Edges::default(),
4295                        transparent_black(),
4296                    ));
4297                }
4298            }
4299        });
4300    }
4301
4302    fn diff_hunk_bounds(
4303        snapshot: &EditorSnapshot,
4304        line_height: Pixels,
4305        gutter_bounds: Bounds<Pixels>,
4306        hunk: &DisplayDiffHunk,
4307    ) -> Bounds<Pixels> {
4308        let scroll_position = snapshot.scroll_position();
4309        let scroll_top = scroll_position.y * line_height;
4310        let gutter_strip_width = (0.275 * line_height).floor();
4311
4312        match hunk {
4313            DisplayDiffHunk::Folded { display_row, .. } => {
4314                let start_y = display_row.as_f32() * line_height - scroll_top;
4315                let end_y = start_y + line_height;
4316                let highlight_origin = gutter_bounds.origin + point(px(0.), start_y);
4317                let highlight_size = size(gutter_strip_width, end_y - start_y);
4318                Bounds::new(highlight_origin, highlight_size)
4319            }
4320            DisplayDiffHunk::Unfolded {
4321                display_row_range,
4322                status,
4323                ..
4324            } => {
4325                if *status == DiffHunkStatus::Removed && display_row_range.is_empty() {
4326                    let row = display_row_range.start;
4327
4328                    let offset = line_height / 2.;
4329                    let start_y = row.as_f32() * line_height - offset - scroll_top;
4330                    let end_y = start_y + line_height;
4331
4332                    let width = (0.35 * line_height).floor();
4333                    let highlight_origin = gutter_bounds.origin + point(px(0.), start_y);
4334                    let highlight_size = size(width, end_y - start_y);
4335                    Bounds::new(highlight_origin, highlight_size)
4336                } else {
4337                    let start_row = display_row_range.start;
4338                    let end_row = display_row_range.end;
4339                    // If we're in a multibuffer, row range span might include an
4340                    // excerpt header, so if we were to draw the marker straight away,
4341                    // the hunk might include the rows of that header.
4342                    // Making the range inclusive doesn't quite cut it, as we rely on the exclusivity for the soft wrap.
4343                    // Instead, we simply check whether the range we're dealing with includes
4344                    // any excerpt headers and if so, we stop painting the diff hunk on the first row of that header.
4345                    let end_row_in_current_excerpt = snapshot
4346                        .blocks_in_range(start_row..end_row)
4347                        .find_map(|(start_row, block)| {
4348                            if matches!(block, Block::ExcerptBoundary { .. }) {
4349                                Some(start_row)
4350                            } else {
4351                                None
4352                            }
4353                        })
4354                        .unwrap_or(end_row);
4355
4356                    let start_y = start_row.as_f32() * line_height - scroll_top;
4357                    let end_y = end_row_in_current_excerpt.as_f32() * line_height - scroll_top;
4358
4359                    let highlight_origin = gutter_bounds.origin + point(px(0.), start_y);
4360                    let highlight_size = size(gutter_strip_width, end_y - start_y);
4361                    Bounds::new(highlight_origin, highlight_size)
4362                }
4363            }
4364        }
4365    }
4366
4367    fn paint_gutter_indicators(
4368        &self,
4369        layout: &mut EditorLayout,
4370        window: &mut Window,
4371        cx: &mut App,
4372    ) {
4373        window.paint_layer(layout.gutter_hitbox.bounds, |window| {
4374            window.with_element_namespace("crease_toggles", |window| {
4375                for crease_toggle in layout.crease_toggles.iter_mut().flatten() {
4376                    crease_toggle.paint(window, cx);
4377                }
4378            });
4379
4380            for test_indicator in layout.test_indicators.iter_mut() {
4381                test_indicator.paint(window, cx);
4382            }
4383
4384            if let Some(indicator) = layout.code_actions_indicator.as_mut() {
4385                indicator.paint(window, cx);
4386            }
4387        });
4388    }
4389
4390    fn paint_gutter_highlights(
4391        &self,
4392        layout: &mut EditorLayout,
4393        window: &mut Window,
4394        cx: &mut App,
4395    ) {
4396        for (_, hunk_hitbox) in &layout.display_hunks {
4397            if let Some(hunk_hitbox) = hunk_hitbox {
4398                window.set_cursor_style(CursorStyle::PointingHand, hunk_hitbox);
4399            }
4400        }
4401
4402        let show_git_gutter = layout
4403            .position_map
4404            .snapshot
4405            .show_git_diff_gutter
4406            .unwrap_or_else(|| {
4407                matches!(
4408                    ProjectSettings::get_global(cx).git.git_gutter,
4409                    Some(GitGutterSetting::TrackedFiles)
4410                )
4411            });
4412        if show_git_gutter {
4413            Self::paint_diff_hunks(layout, window, cx)
4414        }
4415
4416        let highlight_width = 0.275 * layout.position_map.line_height;
4417        let highlight_corner_radii = Corners::all(0.05 * layout.position_map.line_height);
4418        window.paint_layer(layout.gutter_hitbox.bounds, |window| {
4419            for (range, color) in &layout.highlighted_gutter_ranges {
4420                let start_row = if range.start.row() < layout.visible_display_row_range.start {
4421                    layout.visible_display_row_range.start - DisplayRow(1)
4422                } else {
4423                    range.start.row()
4424                };
4425                let end_row = if range.end.row() > layout.visible_display_row_range.end {
4426                    layout.visible_display_row_range.end + DisplayRow(1)
4427                } else {
4428                    range.end.row()
4429                };
4430
4431                let start_y = layout.gutter_hitbox.top()
4432                    + start_row.0 as f32 * layout.position_map.line_height
4433                    - layout.position_map.scroll_pixel_position.y;
4434                let end_y = layout.gutter_hitbox.top()
4435                    + (end_row.0 + 1) as f32 * layout.position_map.line_height
4436                    - layout.position_map.scroll_pixel_position.y;
4437                let bounds = Bounds::from_corners(
4438                    point(layout.gutter_hitbox.left(), start_y),
4439                    point(layout.gutter_hitbox.left() + highlight_width, end_y),
4440                );
4441                window.paint_quad(fill(bounds, *color).corner_radii(highlight_corner_radii));
4442            }
4443        });
4444    }
4445
4446    fn paint_blamed_display_rows(
4447        &self,
4448        layout: &mut EditorLayout,
4449        window: &mut Window,
4450        cx: &mut App,
4451    ) {
4452        let Some(blamed_display_rows) = layout.blamed_display_rows.take() else {
4453            return;
4454        };
4455
4456        window.paint_layer(layout.gutter_hitbox.bounds, |window| {
4457            for mut blame_element in blamed_display_rows.into_iter() {
4458                blame_element.paint(window, cx);
4459            }
4460        })
4461    }
4462
4463    fn paint_text(&mut self, layout: &mut EditorLayout, window: &mut Window, cx: &mut App) {
4464        window.with_content_mask(
4465            Some(ContentMask {
4466                bounds: layout.text_hitbox.bounds,
4467            }),
4468            |window| {
4469                let cursor_style = if self
4470                    .editor
4471                    .read(cx)
4472                    .hovered_link_state
4473                    .as_ref()
4474                    .is_some_and(|hovered_link_state| !hovered_link_state.links.is_empty())
4475                {
4476                    CursorStyle::PointingHand
4477                } else {
4478                    CursorStyle::IBeam
4479                };
4480                window.set_cursor_style(cursor_style, &layout.text_hitbox);
4481
4482                let invisible_display_ranges = self.paint_highlights(layout, window);
4483                self.paint_lines(&invisible_display_ranges, layout, window, cx);
4484                self.paint_redactions(layout, window);
4485                self.paint_cursors(layout, window, cx);
4486                self.paint_inline_blame(layout, window, cx);
4487                self.paint_diff_hunk_controls(layout, window, cx);
4488                window.with_element_namespace("crease_trailers", |window| {
4489                    for trailer in layout.crease_trailers.iter_mut().flatten() {
4490                        trailer.element.paint(window, cx);
4491                    }
4492                });
4493            },
4494        )
4495    }
4496
4497    fn paint_highlights(
4498        &mut self,
4499        layout: &mut EditorLayout,
4500        window: &mut Window,
4501    ) -> SmallVec<[Range<DisplayPoint>; 32]> {
4502        window.paint_layer(layout.text_hitbox.bounds, |window| {
4503            let mut invisible_display_ranges = SmallVec::<[Range<DisplayPoint>; 32]>::new();
4504            let line_end_overshoot = 0.15 * layout.position_map.line_height;
4505            for (range, color) in &layout.highlighted_ranges {
4506                self.paint_highlighted_range(
4507                    range.clone(),
4508                    *color,
4509                    Pixels::ZERO,
4510                    line_end_overshoot,
4511                    layout,
4512                    window,
4513                );
4514            }
4515
4516            let corner_radius = 0.15 * layout.position_map.line_height;
4517
4518            for (player_color, selections) in &layout.selections {
4519                for selection in selections.iter() {
4520                    self.paint_highlighted_range(
4521                        selection.range.clone(),
4522                        player_color.selection,
4523                        corner_radius,
4524                        corner_radius * 2.,
4525                        layout,
4526                        window,
4527                    );
4528
4529                    if selection.is_local && !selection.range.is_empty() {
4530                        invisible_display_ranges.push(selection.range.clone());
4531                    }
4532                }
4533            }
4534            invisible_display_ranges
4535        })
4536    }
4537
4538    fn paint_lines(
4539        &mut self,
4540        invisible_display_ranges: &[Range<DisplayPoint>],
4541        layout: &mut EditorLayout,
4542        window: &mut Window,
4543        cx: &mut App,
4544    ) {
4545        let whitespace_setting = self
4546            .editor
4547            .read(cx)
4548            .buffer
4549            .read(cx)
4550            .settings_at(0, cx)
4551            .show_whitespaces;
4552
4553        for (ix, line_with_invisibles) in layout.position_map.line_layouts.iter().enumerate() {
4554            let row = DisplayRow(layout.visible_display_row_range.start.0 + ix as u32);
4555            line_with_invisibles.draw(
4556                layout,
4557                row,
4558                layout.content_origin,
4559                whitespace_setting,
4560                invisible_display_ranges,
4561                window,
4562                cx,
4563            )
4564        }
4565
4566        for line_element in &mut layout.line_elements {
4567            line_element.paint(window, cx);
4568        }
4569    }
4570
4571    fn paint_redactions(&mut self, layout: &EditorLayout, window: &mut Window) {
4572        if layout.redacted_ranges.is_empty() {
4573            return;
4574        }
4575
4576        let line_end_overshoot = layout.line_end_overshoot();
4577
4578        // A softer than perfect black
4579        let redaction_color = gpui::rgb(0x0e1111);
4580
4581        window.paint_layer(layout.text_hitbox.bounds, |window| {
4582            for range in layout.redacted_ranges.iter() {
4583                self.paint_highlighted_range(
4584                    range.clone(),
4585                    redaction_color.into(),
4586                    Pixels::ZERO,
4587                    line_end_overshoot,
4588                    layout,
4589                    window,
4590                );
4591            }
4592        });
4593    }
4594
4595    fn paint_cursors(&mut self, layout: &mut EditorLayout, window: &mut Window, cx: &mut App) {
4596        for cursor in &mut layout.visible_cursors {
4597            cursor.paint(layout.content_origin, window, cx);
4598        }
4599    }
4600
4601    fn paint_scrollbars(&mut self, layout: &mut EditorLayout, window: &mut Window, cx: &mut App) {
4602        let (scrollbar_x, scrollbar_y) = layout.scrollbars_layout.as_xy();
4603
4604        if let Some(scrollbar_layout) = scrollbar_x {
4605            let hitbox = scrollbar_layout.hitbox.clone();
4606            let text_unit_size = scrollbar_layout.text_unit_size;
4607            let visible_range = scrollbar_layout.visible_range.clone();
4608            let thumb_bounds = scrollbar_layout.thumb_bounds();
4609
4610            if scrollbar_layout.visible {
4611                window.paint_layer(hitbox.bounds, |window| {
4612                    window.paint_quad(quad(
4613                        hitbox.bounds,
4614                        Corners::default(),
4615                        cx.theme().colors().scrollbar_track_background,
4616                        Edges {
4617                            top: Pixels::ZERO,
4618                            right: Pixels::ZERO,
4619                            bottom: Pixels::ZERO,
4620                            left: Pixels::ZERO,
4621                        },
4622                        cx.theme().colors().scrollbar_track_border,
4623                    ));
4624
4625                    window.paint_quad(quad(
4626                        thumb_bounds,
4627                        Corners::default(),
4628                        cx.theme().colors().scrollbar_thumb_background,
4629                        Edges {
4630                            top: Pixels::ZERO,
4631                            right: Pixels::ZERO,
4632                            bottom: Pixels::ZERO,
4633                            left: ScrollbarLayout::BORDER_WIDTH,
4634                        },
4635                        cx.theme().colors().scrollbar_thumb_border,
4636                    ));
4637                })
4638            }
4639
4640            window.set_cursor_style(CursorStyle::Arrow, &hitbox);
4641
4642            window.on_mouse_event({
4643                let editor = self.editor.clone();
4644
4645                // there may be a way to avoid this clone
4646                let hitbox = hitbox.clone();
4647
4648                let mut mouse_position = window.mouse_position();
4649                move |event: &MouseMoveEvent, phase, window, cx| {
4650                    if phase == DispatchPhase::Capture {
4651                        return;
4652                    }
4653
4654                    editor.update(cx, |editor, cx| {
4655                        if event.pressed_button == Some(MouseButton::Left)
4656                            && editor
4657                                .scroll_manager
4658                                .is_dragging_scrollbar(Axis::Horizontal)
4659                        {
4660                            let x = mouse_position.x;
4661                            let new_x = event.position.x;
4662                            if (hitbox.left()..hitbox.right()).contains(&x) {
4663                                let mut position = editor.scroll_position(cx);
4664
4665                                position.x += (new_x - x) / text_unit_size;
4666                                if position.x < 0.0 {
4667                                    position.x = 0.0;
4668                                }
4669                                editor.set_scroll_position(position, window, cx);
4670                            }
4671
4672                            cx.stop_propagation();
4673                        } else {
4674                            editor.scroll_manager.set_is_dragging_scrollbar(
4675                                Axis::Horizontal,
4676                                false,
4677                                cx,
4678                            );
4679
4680                            if hitbox.is_hovered(window) {
4681                                editor.scroll_manager.show_scrollbar(window, cx);
4682                            }
4683                        }
4684                        mouse_position = event.position;
4685                    })
4686                }
4687            });
4688
4689            if self
4690                .editor
4691                .read(cx)
4692                .scroll_manager
4693                .is_dragging_scrollbar(Axis::Horizontal)
4694            {
4695                window.on_mouse_event({
4696                    let editor = self.editor.clone();
4697                    move |_: &MouseUpEvent, phase, _, cx| {
4698                        if phase == DispatchPhase::Capture {
4699                            return;
4700                        }
4701
4702                        editor.update(cx, |editor, cx| {
4703                            editor.scroll_manager.set_is_dragging_scrollbar(
4704                                Axis::Horizontal,
4705                                false,
4706                                cx,
4707                            );
4708                            cx.stop_propagation();
4709                        });
4710                    }
4711                });
4712            } else {
4713                window.on_mouse_event({
4714                    let editor = self.editor.clone();
4715
4716                    move |event: &MouseDownEvent, phase, window, cx| {
4717                        if phase == DispatchPhase::Capture || !hitbox.is_hovered(window) {
4718                            return;
4719                        }
4720
4721                        editor.update(cx, |editor, cx| {
4722                            editor.scroll_manager.set_is_dragging_scrollbar(
4723                                Axis::Horizontal,
4724                                true,
4725                                cx,
4726                            );
4727
4728                            let x = event.position.x;
4729
4730                            if x < thumb_bounds.left() || thumb_bounds.right() < x {
4731                                let center_row =
4732                                    ((x - hitbox.left()) / text_unit_size).round() as u32;
4733                                let top_row = center_row.saturating_sub(
4734                                    (visible_range.end - visible_range.start) as u32 / 2,
4735                                );
4736
4737                                let mut position = editor.scroll_position(cx);
4738                                position.x = top_row as f32;
4739
4740                                editor.set_scroll_position(position, window, cx);
4741                            } else {
4742                                editor.scroll_manager.show_scrollbar(window, cx);
4743                            }
4744
4745                            cx.stop_propagation();
4746                        });
4747                    }
4748                });
4749            }
4750        }
4751
4752        if let Some(scrollbar_layout) = scrollbar_y {
4753            let hitbox = scrollbar_layout.hitbox.clone();
4754            let text_unit_size = scrollbar_layout.text_unit_size;
4755            let visible_range = scrollbar_layout.visible_range.clone();
4756            let thumb_bounds = scrollbar_layout.thumb_bounds();
4757
4758            if scrollbar_layout.visible {
4759                window.paint_layer(hitbox.bounds, |window| {
4760                    window.paint_quad(quad(
4761                        hitbox.bounds,
4762                        Corners::default(),
4763                        cx.theme().colors().scrollbar_track_background,
4764                        Edges {
4765                            top: Pixels::ZERO,
4766                            right: Pixels::ZERO,
4767                            bottom: Pixels::ZERO,
4768                            left: ScrollbarLayout::BORDER_WIDTH,
4769                        },
4770                        cx.theme().colors().scrollbar_track_border,
4771                    ));
4772
4773                    let fast_markers =
4774                        self.collect_fast_scrollbar_markers(layout, &scrollbar_layout, cx);
4775                    // Refresh slow scrollbar markers in the background. Below, we paint whatever markers have already been computed.
4776                    self.refresh_slow_scrollbar_markers(layout, &scrollbar_layout, window, cx);
4777
4778                    let markers = self.editor.read(cx).scrollbar_marker_state.markers.clone();
4779                    for marker in markers.iter().chain(&fast_markers) {
4780                        let mut marker = marker.clone();
4781                        marker.bounds.origin += hitbox.origin;
4782                        window.paint_quad(marker);
4783                    }
4784
4785                    window.paint_quad(quad(
4786                        thumb_bounds,
4787                        Corners::default(),
4788                        cx.theme().colors().scrollbar_thumb_background,
4789                        Edges {
4790                            top: Pixels::ZERO,
4791                            right: Pixels::ZERO,
4792                            bottom: Pixels::ZERO,
4793                            left: ScrollbarLayout::BORDER_WIDTH,
4794                        },
4795                        cx.theme().colors().scrollbar_thumb_border,
4796                    ));
4797                });
4798            }
4799
4800            window.set_cursor_style(CursorStyle::Arrow, &hitbox);
4801
4802            window.on_mouse_event({
4803                let editor = self.editor.clone();
4804
4805                let hitbox = hitbox.clone();
4806
4807                let mut mouse_position = window.mouse_position();
4808                move |event: &MouseMoveEvent, phase, window, cx| {
4809                    if phase == DispatchPhase::Capture {
4810                        return;
4811                    }
4812
4813                    editor.update(cx, |editor, cx| {
4814                        if event.pressed_button == Some(MouseButton::Left)
4815                            && editor.scroll_manager.is_dragging_scrollbar(Axis::Vertical)
4816                        {
4817                            let y = mouse_position.y;
4818                            let new_y = event.position.y;
4819                            if (hitbox.top()..hitbox.bottom()).contains(&y) {
4820                                let mut position = editor.scroll_position(cx);
4821                                position.y += (new_y - y) / text_unit_size;
4822                                if position.y < 0.0 {
4823                                    position.y = 0.0;
4824                                }
4825                                editor.set_scroll_position(position, window, cx);
4826                            }
4827                        } else {
4828                            editor.scroll_manager.set_is_dragging_scrollbar(
4829                                Axis::Vertical,
4830                                false,
4831                                cx,
4832                            );
4833
4834                            if hitbox.is_hovered(window) {
4835                                editor.scroll_manager.show_scrollbar(window, cx);
4836                            }
4837                        }
4838                        mouse_position = event.position;
4839                    })
4840                }
4841            });
4842
4843            if self
4844                .editor
4845                .read(cx)
4846                .scroll_manager
4847                .is_dragging_scrollbar(Axis::Vertical)
4848            {
4849                window.on_mouse_event({
4850                    let editor = self.editor.clone();
4851                    move |_: &MouseUpEvent, phase, _, cx| {
4852                        if phase == DispatchPhase::Capture {
4853                            return;
4854                        }
4855
4856                        editor.update(cx, |editor, cx| {
4857                            editor.scroll_manager.set_is_dragging_scrollbar(
4858                                Axis::Vertical,
4859                                false,
4860                                cx,
4861                            );
4862                            cx.stop_propagation();
4863                        });
4864                    }
4865                });
4866            } else {
4867                window.on_mouse_event({
4868                    let editor = self.editor.clone();
4869
4870                    move |event: &MouseDownEvent, phase, window, cx| {
4871                        if phase == DispatchPhase::Capture || !hitbox.is_hovered(window) {
4872                            return;
4873                        }
4874
4875                        editor.update(cx, |editor, cx| {
4876                            editor.scroll_manager.set_is_dragging_scrollbar(
4877                                Axis::Vertical,
4878                                true,
4879                                cx,
4880                            );
4881
4882                            let y = event.position.y;
4883                            if y < thumb_bounds.top() || thumb_bounds.bottom() < y {
4884                                let center_row =
4885                                    ((y - hitbox.top()) / text_unit_size).round() as u32;
4886                                let top_row = center_row.saturating_sub(
4887                                    (visible_range.end - visible_range.start) as u32 / 2,
4888                                );
4889                                let mut position = editor.scroll_position(cx);
4890                                position.y = top_row as f32;
4891                                editor.set_scroll_position(position, window, cx);
4892                            } else {
4893                                editor.scroll_manager.show_scrollbar(window, cx);
4894                            }
4895
4896                            cx.stop_propagation();
4897                        });
4898                    }
4899                });
4900            }
4901        }
4902    }
4903
4904    fn collect_fast_scrollbar_markers(
4905        &self,
4906        layout: &EditorLayout,
4907        scrollbar_layout: &ScrollbarLayout,
4908        cx: &mut App,
4909    ) -> Vec<PaintQuad> {
4910        const LIMIT: usize = 100;
4911        if !EditorSettings::get_global(cx).scrollbar.cursors || layout.cursors.len() > LIMIT {
4912            return vec![];
4913        }
4914        let cursor_ranges = layout
4915            .cursors
4916            .iter()
4917            .map(|(point, color)| ColoredRange {
4918                start: point.row(),
4919                end: point.row(),
4920                color: *color,
4921            })
4922            .collect_vec();
4923        scrollbar_layout.marker_quads_for_ranges(cursor_ranges, None)
4924    }
4925
4926    fn refresh_slow_scrollbar_markers(
4927        &self,
4928        layout: &EditorLayout,
4929        scrollbar_layout: &ScrollbarLayout,
4930        window: &mut Window,
4931        cx: &mut App,
4932    ) {
4933        self.editor.update(cx, |editor, cx| {
4934            if !editor.is_singleton(cx)
4935                || !editor
4936                    .scrollbar_marker_state
4937                    .should_refresh(scrollbar_layout.hitbox.size)
4938            {
4939                return;
4940            }
4941
4942            let scrollbar_layout = scrollbar_layout.clone();
4943            let background_highlights = editor.background_highlights.clone();
4944            let snapshot = layout.position_map.snapshot.clone();
4945            let theme = cx.theme().clone();
4946            let scrollbar_settings = EditorSettings::get_global(cx).scrollbar;
4947
4948            editor.scrollbar_marker_state.dirty = false;
4949            editor.scrollbar_marker_state.pending_refresh =
4950                Some(cx.spawn_in(window, |editor, mut cx| async move {
4951                    let scrollbar_size = scrollbar_layout.hitbox.size;
4952                    let scrollbar_markers = cx
4953                        .background_executor()
4954                        .spawn(async move {
4955                            let max_point = snapshot.display_snapshot.buffer_snapshot.max_point();
4956                            let mut marker_quads = Vec::new();
4957                            if scrollbar_settings.git_diff {
4958                                let marker_row_ranges =
4959                                    snapshot.buffer_snapshot.diff_hunks().map(|hunk| {
4960                                        let start_display_row =
4961                                            MultiBufferPoint::new(hunk.row_range.start.0, 0)
4962                                                .to_display_point(&snapshot.display_snapshot)
4963                                                .row();
4964                                        let mut end_display_row =
4965                                            MultiBufferPoint::new(hunk.row_range.end.0, 0)
4966                                                .to_display_point(&snapshot.display_snapshot)
4967                                                .row();
4968                                        if end_display_row != start_display_row {
4969                                            end_display_row.0 -= 1;
4970                                        }
4971                                        let color = match &hunk.status() {
4972                                            DiffHunkStatus::Added => theme.status().created,
4973                                            DiffHunkStatus::Modified => theme.status().modified,
4974                                            DiffHunkStatus::Removed => theme.status().deleted,
4975                                        };
4976                                        ColoredRange {
4977                                            start: start_display_row,
4978                                            end: end_display_row,
4979                                            color,
4980                                        }
4981                                    });
4982
4983                                marker_quads.extend(
4984                                    scrollbar_layout
4985                                        .marker_quads_for_ranges(marker_row_ranges, Some(0)),
4986                                );
4987                            }
4988
4989                            for (background_highlight_id, (_, background_ranges)) in
4990                                background_highlights.iter()
4991                            {
4992                                let is_search_highlights = *background_highlight_id
4993                                    == TypeId::of::<BufferSearchHighlights>();
4994                                let is_symbol_occurrences = *background_highlight_id
4995                                    == TypeId::of::<DocumentHighlightRead>()
4996                                    || *background_highlight_id
4997                                        == TypeId::of::<DocumentHighlightWrite>();
4998                                if (is_search_highlights && scrollbar_settings.search_results)
4999                                    || (is_symbol_occurrences && scrollbar_settings.selected_symbol)
5000                                {
5001                                    let mut color = theme.status().info;
5002                                    if is_symbol_occurrences {
5003                                        color.fade_out(0.5);
5004                                    }
5005                                    let marker_row_ranges = background_ranges.iter().map(|range| {
5006                                        let display_start = range
5007                                            .start
5008                                            .to_display_point(&snapshot.display_snapshot);
5009                                        let display_end =
5010                                            range.end.to_display_point(&snapshot.display_snapshot);
5011                                        ColoredRange {
5012                                            start: display_start.row(),
5013                                            end: display_end.row(),
5014                                            color,
5015                                        }
5016                                    });
5017                                    marker_quads.extend(
5018                                        scrollbar_layout
5019                                            .marker_quads_for_ranges(marker_row_ranges, Some(1)),
5020                                    );
5021                                }
5022                            }
5023
5024                            if scrollbar_settings.diagnostics != ScrollbarDiagnostics::None {
5025                                let diagnostics = snapshot
5026                                    .buffer_snapshot
5027                                    .diagnostics_in_range::<_, Point>(Point::zero()..max_point)
5028                                    // Don't show diagnostics the user doesn't care about
5029                                    .filter(|diagnostic| {
5030                                        match (
5031                                            scrollbar_settings.diagnostics,
5032                                            diagnostic.diagnostic.severity,
5033                                        ) {
5034                                            (ScrollbarDiagnostics::All, _) => true,
5035                                            (
5036                                                ScrollbarDiagnostics::Error,
5037                                                DiagnosticSeverity::ERROR,
5038                                            ) => true,
5039                                            (
5040                                                ScrollbarDiagnostics::Warning,
5041                                                DiagnosticSeverity::ERROR
5042                                                | DiagnosticSeverity::WARNING,
5043                                            ) => true,
5044                                            (
5045                                                ScrollbarDiagnostics::Information,
5046                                                DiagnosticSeverity::ERROR
5047                                                | DiagnosticSeverity::WARNING
5048                                                | DiagnosticSeverity::INFORMATION,
5049                                            ) => true,
5050                                            (_, _) => false,
5051                                        }
5052                                    })
5053                                    // We want to sort by severity, in order to paint the most severe diagnostics last.
5054                                    .sorted_by_key(|diagnostic| {
5055                                        std::cmp::Reverse(diagnostic.diagnostic.severity)
5056                                    });
5057
5058                                let marker_row_ranges = diagnostics.into_iter().map(|diagnostic| {
5059                                    let start_display = diagnostic
5060                                        .range
5061                                        .start
5062                                        .to_display_point(&snapshot.display_snapshot);
5063                                    let end_display = diagnostic
5064                                        .range
5065                                        .end
5066                                        .to_display_point(&snapshot.display_snapshot);
5067                                    let color = match diagnostic.diagnostic.severity {
5068                                        DiagnosticSeverity::ERROR => theme.status().error,
5069                                        DiagnosticSeverity::WARNING => theme.status().warning,
5070                                        DiagnosticSeverity::INFORMATION => theme.status().info,
5071                                        _ => theme.status().hint,
5072                                    };
5073                                    ColoredRange {
5074                                        start: start_display.row(),
5075                                        end: end_display.row(),
5076                                        color,
5077                                    }
5078                                });
5079                                marker_quads.extend(
5080                                    scrollbar_layout
5081                                        .marker_quads_for_ranges(marker_row_ranges, Some(2)),
5082                                );
5083                            }
5084
5085                            Arc::from(marker_quads)
5086                        })
5087                        .await;
5088
5089                    editor.update(&mut cx, |editor, cx| {
5090                        editor.scrollbar_marker_state.markers = scrollbar_markers;
5091                        editor.scrollbar_marker_state.scrollbar_size = scrollbar_size;
5092                        editor.scrollbar_marker_state.pending_refresh = None;
5093                        cx.notify();
5094                    })?;
5095
5096                    Ok(())
5097                }));
5098        });
5099    }
5100
5101    #[allow(clippy::too_many_arguments)]
5102    fn paint_highlighted_range(
5103        &self,
5104        range: Range<DisplayPoint>,
5105        color: Hsla,
5106        corner_radius: Pixels,
5107        line_end_overshoot: Pixels,
5108        layout: &EditorLayout,
5109        window: &mut Window,
5110    ) {
5111        let start_row = layout.visible_display_row_range.start;
5112        let end_row = layout.visible_display_row_range.end;
5113        if range.start != range.end {
5114            let row_range = if range.end.column() == 0 {
5115                cmp::max(range.start.row(), start_row)..cmp::min(range.end.row(), end_row)
5116            } else {
5117                cmp::max(range.start.row(), start_row)
5118                    ..cmp::min(range.end.row().next_row(), end_row)
5119            };
5120
5121            let highlighted_range = HighlightedRange {
5122                color,
5123                line_height: layout.position_map.line_height,
5124                corner_radius,
5125                start_y: layout.content_origin.y
5126                    + row_range.start.as_f32() * layout.position_map.line_height
5127                    - layout.position_map.scroll_pixel_position.y,
5128                lines: row_range
5129                    .iter_rows()
5130                    .map(|row| {
5131                        let line_layout =
5132                            &layout.position_map.line_layouts[row.minus(start_row) as usize];
5133                        HighlightedRangeLine {
5134                            start_x: if row == range.start.row() {
5135                                layout.content_origin.x
5136                                    + line_layout.x_for_index(range.start.column() as usize)
5137                                    - layout.position_map.scroll_pixel_position.x
5138                            } else {
5139                                layout.content_origin.x
5140                                    - layout.position_map.scroll_pixel_position.x
5141                            },
5142                            end_x: if row == range.end.row() {
5143                                layout.content_origin.x
5144                                    + line_layout.x_for_index(range.end.column() as usize)
5145                                    - layout.position_map.scroll_pixel_position.x
5146                            } else {
5147                                layout.content_origin.x + line_layout.width + line_end_overshoot
5148                                    - layout.position_map.scroll_pixel_position.x
5149                            },
5150                        }
5151                    })
5152                    .collect(),
5153            };
5154
5155            highlighted_range.paint(layout.text_hitbox.bounds, window);
5156        }
5157    }
5158
5159    fn paint_inline_blame(&mut self, layout: &mut EditorLayout, window: &mut Window, cx: &mut App) {
5160        if let Some(mut inline_blame) = layout.inline_blame.take() {
5161            window.paint_layer(layout.text_hitbox.bounds, |window| {
5162                inline_blame.paint(window, cx);
5163            })
5164        }
5165    }
5166
5167    fn paint_diff_hunk_controls(
5168        &mut self,
5169        layout: &mut EditorLayout,
5170        window: &mut Window,
5171        cx: &mut App,
5172    ) {
5173        for mut diff_hunk_control in layout.diff_hunk_controls.drain(..) {
5174            diff_hunk_control.paint(window, cx);
5175        }
5176    }
5177
5178    fn paint_blocks(&mut self, layout: &mut EditorLayout, window: &mut Window, cx: &mut App) {
5179        for mut block in layout.blocks.drain(..) {
5180            block.element.paint(window, cx);
5181        }
5182    }
5183
5184    fn paint_inline_completion_popover(
5185        &mut self,
5186        layout: &mut EditorLayout,
5187        window: &mut Window,
5188        cx: &mut App,
5189    ) {
5190        if let Some(inline_completion_popover) = layout.inline_completion_popover.as_mut() {
5191            inline_completion_popover.paint(window, cx);
5192        }
5193    }
5194
5195    fn paint_mouse_context_menu(
5196        &mut self,
5197        layout: &mut EditorLayout,
5198        window: &mut Window,
5199        cx: &mut App,
5200    ) {
5201        if let Some(mouse_context_menu) = layout.mouse_context_menu.as_mut() {
5202            mouse_context_menu.paint(window, cx);
5203        }
5204    }
5205
5206    fn paint_scroll_wheel_listener(
5207        &mut self,
5208        layout: &EditorLayout,
5209        window: &mut Window,
5210        cx: &mut App,
5211    ) {
5212        window.on_mouse_event({
5213            let position_map = layout.position_map.clone();
5214            let editor = self.editor.clone();
5215            let hitbox = layout.hitbox.clone();
5216            let mut delta = ScrollDelta::default();
5217
5218            // Set a minimum scroll_sensitivity of 0.01 to make sure the user doesn't
5219            // accidentally turn off their scrolling.
5220            let scroll_sensitivity = EditorSettings::get_global(cx).scroll_sensitivity.max(0.01);
5221
5222            move |event: &ScrollWheelEvent, phase, window, cx| {
5223                if phase == DispatchPhase::Bubble && hitbox.is_hovered(window) {
5224                    delta = delta.coalesce(event.delta);
5225                    editor.update(cx, |editor, cx| {
5226                        let position_map: &PositionMap = &position_map;
5227
5228                        let line_height = position_map.line_height;
5229                        let max_glyph_width = position_map.em_width;
5230                        let (delta, axis) = match delta {
5231                            gpui::ScrollDelta::Pixels(mut pixels) => {
5232                                //Trackpad
5233                                let axis = position_map.snapshot.ongoing_scroll.filter(&mut pixels);
5234                                (pixels, axis)
5235                            }
5236
5237                            gpui::ScrollDelta::Lines(lines) => {
5238                                //Not trackpad
5239                                let pixels =
5240                                    point(lines.x * max_glyph_width, lines.y * line_height);
5241                                (pixels, None)
5242                            }
5243                        };
5244
5245                        let current_scroll_position = position_map.snapshot.scroll_position();
5246                        let x = (current_scroll_position.x * max_glyph_width
5247                            - (delta.x * scroll_sensitivity))
5248                            / max_glyph_width;
5249                        let y = (current_scroll_position.y * line_height
5250                            - (delta.y * scroll_sensitivity))
5251                            / line_height;
5252                        let mut scroll_position =
5253                            point(x, y).clamp(&point(0., 0.), &position_map.scroll_max);
5254                        let forbid_vertical_scroll = editor.scroll_manager.forbid_vertical_scroll();
5255                        if forbid_vertical_scroll {
5256                            scroll_position.y = current_scroll_position.y;
5257                        }
5258
5259                        if scroll_position != current_scroll_position {
5260                            editor.scroll(scroll_position, axis, window, cx);
5261                            cx.stop_propagation();
5262                        } else if y < 0. {
5263                            // Due to clamping, we may fail to detect cases of overscroll to the top;
5264                            // We want the scroll manager to get an update in such cases and detect the change of direction
5265                            // on the next frame.
5266                            cx.notify();
5267                        }
5268                    });
5269                }
5270            }
5271        });
5272    }
5273
5274    fn paint_mouse_listeners(&mut self, layout: &EditorLayout, window: &mut Window, cx: &mut App) {
5275        self.paint_scroll_wheel_listener(layout, window, cx);
5276
5277        window.on_mouse_event({
5278            let position_map = layout.position_map.clone();
5279            let editor = self.editor.clone();
5280            let text_hitbox = layout.text_hitbox.clone();
5281            let gutter_hitbox = layout.gutter_hitbox.clone();
5282            let multi_buffer_range =
5283                layout
5284                    .display_hunks
5285                    .iter()
5286                    .find_map(|(hunk, hunk_hitbox)| match hunk {
5287                        DisplayDiffHunk::Folded { .. } => None,
5288                        DisplayDiffHunk::Unfolded {
5289                            multi_buffer_range, ..
5290                        } => {
5291                            if hunk_hitbox
5292                                .as_ref()
5293                                .map(|hitbox| hitbox.is_hovered(window))
5294                                .unwrap_or(false)
5295                            {
5296                                Some(multi_buffer_range.clone())
5297                            } else {
5298                                None
5299                            }
5300                        }
5301                    });
5302            let line_numbers = layout.line_numbers.clone();
5303
5304            move |event: &MouseDownEvent, phase, window, cx| {
5305                if phase == DispatchPhase::Bubble {
5306                    match event.button {
5307                        MouseButton::Left => editor.update(cx, |editor, cx| {
5308                            Self::mouse_left_down(
5309                                editor,
5310                                event,
5311                                multi_buffer_range.clone(),
5312                                &position_map,
5313                                &text_hitbox,
5314                                &gutter_hitbox,
5315                                line_numbers.as_ref(),
5316                                window,
5317                                cx,
5318                            );
5319                        }),
5320                        MouseButton::Right => editor.update(cx, |editor, cx| {
5321                            Self::mouse_right_down(
5322                                editor,
5323                                event,
5324                                &position_map,
5325                                &text_hitbox,
5326                                window,
5327                                cx,
5328                            );
5329                        }),
5330                        MouseButton::Middle => editor.update(cx, |editor, cx| {
5331                            Self::mouse_middle_down(
5332                                editor,
5333                                event,
5334                                &position_map,
5335                                &text_hitbox,
5336                                window,
5337                                cx,
5338                            );
5339                        }),
5340                        _ => {}
5341                    };
5342                }
5343            }
5344        });
5345
5346        window.on_mouse_event({
5347            let editor = self.editor.clone();
5348            let position_map = layout.position_map.clone();
5349            let text_hitbox = layout.text_hitbox.clone();
5350
5351            move |event: &MouseUpEvent, phase, window, cx| {
5352                if phase == DispatchPhase::Bubble {
5353                    editor.update(cx, |editor, cx| {
5354                        Self::mouse_up(editor, event, &position_map, &text_hitbox, window, cx)
5355                    });
5356                }
5357            }
5358        });
5359        window.on_mouse_event({
5360            let position_map = layout.position_map.clone();
5361            let editor = self.editor.clone();
5362            let text_hitbox = layout.text_hitbox.clone();
5363            let gutter_hitbox = layout.gutter_hitbox.clone();
5364
5365            move |event: &MouseMoveEvent, phase, window, cx| {
5366                if phase == DispatchPhase::Bubble {
5367                    editor.update(cx, |editor, cx| {
5368                        if editor.hover_state.focused(window, cx) {
5369                            return;
5370                        }
5371                        if event.pressed_button == Some(MouseButton::Left)
5372                            || event.pressed_button == Some(MouseButton::Middle)
5373                        {
5374                            Self::mouse_dragged(
5375                                editor,
5376                                event,
5377                                &position_map,
5378                                text_hitbox.bounds,
5379                                window,
5380                                cx,
5381                            )
5382                        }
5383
5384                        Self::mouse_moved(
5385                            editor,
5386                            event,
5387                            &position_map,
5388                            &text_hitbox,
5389                            &gutter_hitbox,
5390                            window,
5391                            cx,
5392                        )
5393                    });
5394                }
5395            }
5396        });
5397    }
5398
5399    fn scrollbar_left(&self, bounds: &Bounds<Pixels>) -> Pixels {
5400        bounds.top_right().x - self.style.scrollbar_width
5401    }
5402
5403    fn column_pixels(&self, column: usize, window: &mut Window, _: &mut App) -> Pixels {
5404        let style = &self.style;
5405        let font_size = style.text.font_size.to_pixels(window.rem_size());
5406        let layout = window
5407            .text_system()
5408            .shape_line(
5409                SharedString::from(" ".repeat(column)),
5410                font_size,
5411                &[TextRun {
5412                    len: column,
5413                    font: style.text.font(),
5414                    color: Hsla::default(),
5415                    background_color: None,
5416                    underline: None,
5417                    strikethrough: None,
5418                }],
5419            )
5420            .unwrap();
5421
5422        layout.width
5423    }
5424
5425    fn max_line_number_width(
5426        &self,
5427        snapshot: &EditorSnapshot,
5428        window: &mut Window,
5429        cx: &mut App,
5430    ) -> Pixels {
5431        let digit_count = (snapshot.widest_line_number() as f32).log10().floor() as usize + 1;
5432        self.column_pixels(digit_count, window, cx)
5433    }
5434
5435    fn shape_line_number(
5436        &self,
5437        text: SharedString,
5438        color: Hsla,
5439        window: &mut Window,
5440    ) -> anyhow::Result<ShapedLine> {
5441        let run = TextRun {
5442            len: text.len(),
5443            font: self.style.text.font(),
5444            color,
5445            background_color: None,
5446            underline: None,
5447            strikethrough: None,
5448        };
5449        window.text_system().shape_line(
5450            text,
5451            self.style.text.font_size.to_pixels(window.rem_size()),
5452            &[run],
5453        )
5454    }
5455}
5456
5457fn header_jump_data(
5458    snapshot: &EditorSnapshot,
5459    block_row_start: DisplayRow,
5460    height: u32,
5461    for_excerpt: &ExcerptInfo,
5462) -> JumpData {
5463    let range = &for_excerpt.range;
5464    let buffer = &for_excerpt.buffer;
5465    let jump_anchor = range
5466        .primary
5467        .as_ref()
5468        .map_or(range.context.start, |primary| primary.start);
5469
5470    let excerpt_start = range.context.start;
5471    let jump_position = language::ToPoint::to_point(&jump_anchor, buffer);
5472    let offset_from_excerpt_start = if jump_anchor == excerpt_start {
5473        0
5474    } else {
5475        let excerpt_start_row = language::ToPoint::to_point(&excerpt_start, buffer).row;
5476        jump_position.row - excerpt_start_row
5477    };
5478
5479    let line_offset_from_top = (block_row_start.0 + height + offset_from_excerpt_start)
5480        .saturating_sub(
5481            snapshot
5482                .scroll_anchor
5483                .scroll_position(&snapshot.display_snapshot)
5484                .y as u32,
5485        );
5486
5487    JumpData::MultiBufferPoint {
5488        excerpt_id: for_excerpt.id,
5489        anchor: jump_anchor,
5490        position: language::ToPoint::to_point(&jump_anchor, buffer),
5491        line_offset_from_top,
5492    }
5493}
5494
5495fn inline_completion_tab_indicator(
5496    label: impl Into<SharedString>,
5497    icon: Option<IconName>,
5498    cx: &App,
5499) -> AnyElement {
5500    let tab_kbd = h_flex()
5501        .px_0p5()
5502        .font(theme::ThemeSettings::get_global(cx).buffer_font.clone())
5503        .text_size(TextSize::XSmall.rems(cx))
5504        .text_color(cx.theme().colors().text)
5505        .child("tab");
5506
5507    let padding_right = if icon.is_some() { px(4.) } else { px(8.) };
5508
5509    h_flex()
5510        .py_0p5()
5511        .pl_1()
5512        .pr(padding_right)
5513        .gap_1()
5514        .bg(cx.theme().colors().text_accent.opacity(0.15))
5515        .border_1()
5516        .border_color(cx.theme().colors().text_accent.opacity(0.8))
5517        .rounded_md()
5518        .shadow_sm()
5519        .child(tab_kbd)
5520        .child(Label::new(label).size(LabelSize::Small))
5521        .when_some(icon, |element, icon| {
5522            element.child(
5523                div()
5524                    .mt(px(1.5))
5525                    .child(Icon::new(icon).size(IconSize::Small)),
5526            )
5527        })
5528        .into_any()
5529}
5530
5531#[allow(clippy::too_many_arguments)]
5532fn prepaint_gutter_button(
5533    button: IconButton,
5534    row: DisplayRow,
5535    line_height: Pixels,
5536    gutter_dimensions: &GutterDimensions,
5537    scroll_pixel_position: gpui::Point<Pixels>,
5538    gutter_hitbox: &Hitbox,
5539    rows_with_hunk_bounds: &HashMap<DisplayRow, Bounds<Pixels>>,
5540    window: &mut Window,
5541    cx: &mut App,
5542) -> AnyElement {
5543    let mut button = button.into_any_element();
5544    let available_space = size(
5545        AvailableSpace::MinContent,
5546        AvailableSpace::Definite(line_height),
5547    );
5548    let indicator_size = button.layout_as_root(available_space, window, cx);
5549
5550    let blame_width = gutter_dimensions.git_blame_entries_width;
5551    let gutter_width = rows_with_hunk_bounds
5552        .get(&row)
5553        .map(|bounds| bounds.size.width);
5554    let left_offset = blame_width.max(gutter_width).unwrap_or_default();
5555
5556    let mut x = left_offset;
5557    let available_width = gutter_dimensions.margin + gutter_dimensions.left_padding
5558        - indicator_size.width
5559        - left_offset;
5560    x += available_width / 2.;
5561
5562    let mut y = row.as_f32() * line_height - scroll_pixel_position.y;
5563    y += (line_height - indicator_size.height) / 2.;
5564
5565    button.prepaint_as_root(
5566        gutter_hitbox.origin + point(x, y),
5567        available_space,
5568        window,
5569        cx,
5570    );
5571    button
5572}
5573
5574fn render_inline_blame_entry(
5575    blame: &gpui::Entity<GitBlame>,
5576    blame_entry: BlameEntry,
5577    style: &EditorStyle,
5578    workspace: Option<WeakEntity<Workspace>>,
5579    cx: &mut App,
5580) -> AnyElement {
5581    let relative_timestamp = blame_entry_relative_timestamp(&blame_entry);
5582
5583    let author = blame_entry.author.as_deref().unwrap_or_default();
5584    let summary_enabled = ProjectSettings::get_global(cx)
5585        .git
5586        .show_inline_commit_summary();
5587
5588    let text = match blame_entry.summary.as_ref() {
5589        Some(summary) if summary_enabled => {
5590            format!("{}, {} - {}", author, relative_timestamp, summary)
5591        }
5592        _ => format!("{}, {}", author, relative_timestamp),
5593    };
5594
5595    let details = blame.read(cx).details_for_entry(&blame_entry);
5596
5597    let tooltip = cx.new(|_| BlameEntryTooltip::new(blame_entry, details, style, workspace));
5598
5599    h_flex()
5600        .id("inline-blame")
5601        .w_full()
5602        .font_family(style.text.font().family)
5603        .text_color(cx.theme().status().hint)
5604        .line_height(style.text.line_height)
5605        .child(Icon::new(IconName::FileGit).color(Color::Hint))
5606        .child(text)
5607        .gap_2()
5608        .hoverable_tooltip(move |_, _| tooltip.clone().into())
5609        .into_any()
5610}
5611
5612fn render_blame_entry(
5613    ix: usize,
5614    blame: &gpui::Entity<GitBlame>,
5615    blame_entry: BlameEntry,
5616    style: &EditorStyle,
5617    last_used_color: &mut Option<(PlayerColor, Oid)>,
5618    editor: Entity<Editor>,
5619    cx: &mut App,
5620) -> AnyElement {
5621    let mut sha_color = cx
5622        .theme()
5623        .players()
5624        .color_for_participant(blame_entry.sha.into());
5625    // If the last color we used is the same as the one we get for this line, but
5626    // the commit SHAs are different, then we try again to get a different color.
5627    match *last_used_color {
5628        Some((color, sha)) if sha != blame_entry.sha && color.cursor == sha_color.cursor => {
5629            let index: u32 = blame_entry.sha.into();
5630            sha_color = cx.theme().players().color_for_participant(index + 1);
5631        }
5632        _ => {}
5633    };
5634    last_used_color.replace((sha_color, blame_entry.sha));
5635
5636    let relative_timestamp = blame_entry_relative_timestamp(&blame_entry);
5637
5638    let short_commit_id = blame_entry.sha.display_short();
5639
5640    let author_name = blame_entry.author.as_deref().unwrap_or("<no name>");
5641    let name = util::truncate_and_trailoff(author_name, GIT_BLAME_MAX_AUTHOR_CHARS_DISPLAYED);
5642
5643    let details = blame.read(cx).details_for_entry(&blame_entry);
5644
5645    let workspace = editor.read(cx).workspace.as_ref().map(|(w, _)| w.clone());
5646
5647    let tooltip =
5648        cx.new(|_| BlameEntryTooltip::new(blame_entry.clone(), details.clone(), style, workspace));
5649
5650    h_flex()
5651        .w_full()
5652        .justify_between()
5653        .font_family(style.text.font().family)
5654        .line_height(style.text.line_height)
5655        .id(("blame", ix))
5656        .text_color(cx.theme().status().hint)
5657        .pr_2()
5658        .gap_2()
5659        .child(
5660            h_flex()
5661                .items_center()
5662                .gap_2()
5663                .child(div().text_color(sha_color.cursor).child(short_commit_id))
5664                .child(name),
5665        )
5666        .child(relative_timestamp)
5667        .on_mouse_down(MouseButton::Right, {
5668            let blame_entry = blame_entry.clone();
5669            let details = details.clone();
5670            move |event, window, cx| {
5671                deploy_blame_entry_context_menu(
5672                    &blame_entry,
5673                    details.as_ref(),
5674                    editor.clone(),
5675                    event.position,
5676                    window,
5677                    cx,
5678                );
5679            }
5680        })
5681        .hover(|style| style.bg(cx.theme().colors().element_hover))
5682        .when_some(
5683            details.and_then(|details| details.permalink),
5684            |this, url| {
5685                let url = url.clone();
5686                this.cursor_pointer().on_click(move |_, _, cx| {
5687                    cx.stop_propagation();
5688                    cx.open_url(url.as_str())
5689                })
5690            },
5691        )
5692        .hoverable_tooltip(move |_, _| tooltip.clone().into())
5693        .into_any()
5694}
5695
5696fn deploy_blame_entry_context_menu(
5697    blame_entry: &BlameEntry,
5698    details: Option<&CommitDetails>,
5699    editor: Entity<Editor>,
5700    position: gpui::Point<Pixels>,
5701    window: &mut Window,
5702    cx: &mut App,
5703) {
5704    let context_menu = ContextMenu::build(window, cx, move |menu, _, _| {
5705        let sha = format!("{}", blame_entry.sha);
5706        menu.on_blur_subscription(Subscription::new(|| {}))
5707            .entry("Copy commit SHA", None, move |_, cx| {
5708                cx.write_to_clipboard(ClipboardItem::new_string(sha.clone()));
5709            })
5710            .when_some(
5711                details.and_then(|details| details.permalink.clone()),
5712                |this, url| {
5713                    this.entry("Open permalink", None, move |_, cx| {
5714                        cx.open_url(url.as_str())
5715                    })
5716                },
5717            )
5718    });
5719
5720    editor.update(cx, move |editor, cx| {
5721        editor.mouse_context_menu = Some(MouseContextMenu::new(
5722            MenuPosition::PinnedToScreen(position),
5723            context_menu,
5724            window,
5725            cx,
5726        ));
5727        cx.notify();
5728    });
5729}
5730
5731#[derive(Debug)]
5732pub(crate) struct LineWithInvisibles {
5733    fragments: SmallVec<[LineFragment; 1]>,
5734    invisibles: Vec<Invisible>,
5735    len: usize,
5736    width: Pixels,
5737    font_size: Pixels,
5738}
5739
5740#[allow(clippy::large_enum_variant)]
5741enum LineFragment {
5742    Text(ShapedLine),
5743    Element {
5744        element: Option<AnyElement>,
5745        size: Size<Pixels>,
5746        len: usize,
5747    },
5748}
5749
5750impl fmt::Debug for LineFragment {
5751    fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result {
5752        match self {
5753            LineFragment::Text(shaped_line) => f.debug_tuple("Text").field(shaped_line).finish(),
5754            LineFragment::Element { size, len, .. } => f
5755                .debug_struct("Element")
5756                .field("size", size)
5757                .field("len", len)
5758                .finish(),
5759        }
5760    }
5761}
5762
5763impl LineWithInvisibles {
5764    #[allow(clippy::too_many_arguments)]
5765    fn from_chunks<'a>(
5766        chunks: impl Iterator<Item = HighlightedChunk<'a>>,
5767        editor_style: &EditorStyle,
5768        max_line_len: usize,
5769        max_line_count: usize,
5770        editor_mode: EditorMode,
5771        text_width: Pixels,
5772        is_row_soft_wrapped: impl Copy + Fn(usize) -> bool,
5773        window: &mut Window,
5774        cx: &mut App,
5775    ) -> Vec<Self> {
5776        let text_style = &editor_style.text;
5777        let mut layouts = Vec::with_capacity(max_line_count);
5778        let mut fragments: SmallVec<[LineFragment; 1]> = SmallVec::new();
5779        let mut line = String::new();
5780        let mut invisibles = Vec::new();
5781        let mut width = Pixels::ZERO;
5782        let mut len = 0;
5783        let mut styles = Vec::new();
5784        let mut non_whitespace_added = false;
5785        let mut row = 0;
5786        let mut line_exceeded_max_len = false;
5787        let font_size = text_style.font_size.to_pixels(window.rem_size());
5788
5789        let ellipsis = SharedString::from("");
5790
5791        for highlighted_chunk in chunks.chain([HighlightedChunk {
5792            text: "\n",
5793            style: None,
5794            is_tab: false,
5795            replacement: None,
5796        }]) {
5797            if let Some(replacement) = highlighted_chunk.replacement {
5798                if !line.is_empty() {
5799                    let shaped_line = window
5800                        .text_system()
5801                        .shape_line(line.clone().into(), font_size, &styles)
5802                        .unwrap();
5803                    width += shaped_line.width;
5804                    len += shaped_line.len;
5805                    fragments.push(LineFragment::Text(shaped_line));
5806                    line.clear();
5807                    styles.clear();
5808                }
5809
5810                match replacement {
5811                    ChunkReplacement::Renderer(renderer) => {
5812                        let available_width = if renderer.constrain_width {
5813                            let chunk = if highlighted_chunk.text == ellipsis.as_ref() {
5814                                ellipsis.clone()
5815                            } else {
5816                                SharedString::from(Arc::from(highlighted_chunk.text))
5817                            };
5818                            let shaped_line = window
5819                                .text_system()
5820                                .shape_line(
5821                                    chunk,
5822                                    font_size,
5823                                    &[text_style.to_run(highlighted_chunk.text.len())],
5824                                )
5825                                .unwrap();
5826                            AvailableSpace::Definite(shaped_line.width)
5827                        } else {
5828                            AvailableSpace::MinContent
5829                        };
5830
5831                        let mut element = (renderer.render)(&mut ChunkRendererContext {
5832                            context: cx,
5833                            window,
5834                            max_width: text_width,
5835                        });
5836                        let line_height = text_style.line_height_in_pixels(window.rem_size());
5837                        let size = element.layout_as_root(
5838                            size(available_width, AvailableSpace::Definite(line_height)),
5839                            window,
5840                            cx,
5841                        );
5842
5843                        width += size.width;
5844                        len += highlighted_chunk.text.len();
5845                        fragments.push(LineFragment::Element {
5846                            element: Some(element),
5847                            size,
5848                            len: highlighted_chunk.text.len(),
5849                        });
5850                    }
5851                    ChunkReplacement::Str(x) => {
5852                        let text_style = if let Some(style) = highlighted_chunk.style {
5853                            Cow::Owned(text_style.clone().highlight(style))
5854                        } else {
5855                            Cow::Borrowed(text_style)
5856                        };
5857
5858                        let run = TextRun {
5859                            len: x.len(),
5860                            font: text_style.font(),
5861                            color: text_style.color,
5862                            background_color: text_style.background_color,
5863                            underline: text_style.underline,
5864                            strikethrough: text_style.strikethrough,
5865                        };
5866                        let line_layout = window
5867                            .text_system()
5868                            .shape_line(x, font_size, &[run])
5869                            .unwrap()
5870                            .with_len(highlighted_chunk.text.len());
5871
5872                        width += line_layout.width;
5873                        len += highlighted_chunk.text.len();
5874                        fragments.push(LineFragment::Text(line_layout))
5875                    }
5876                }
5877            } else {
5878                for (ix, mut line_chunk) in highlighted_chunk.text.split('\n').enumerate() {
5879                    if ix > 0 {
5880                        let shaped_line = window
5881                            .text_system()
5882                            .shape_line(line.clone().into(), font_size, &styles)
5883                            .unwrap();
5884                        width += shaped_line.width;
5885                        len += shaped_line.len;
5886                        fragments.push(LineFragment::Text(shaped_line));
5887                        layouts.push(Self {
5888                            width: mem::take(&mut width),
5889                            len: mem::take(&mut len),
5890                            fragments: mem::take(&mut fragments),
5891                            invisibles: std::mem::take(&mut invisibles),
5892                            font_size,
5893                        });
5894
5895                        line.clear();
5896                        styles.clear();
5897                        row += 1;
5898                        line_exceeded_max_len = false;
5899                        non_whitespace_added = false;
5900                        if row == max_line_count {
5901                            return layouts;
5902                        }
5903                    }
5904
5905                    if !line_chunk.is_empty() && !line_exceeded_max_len {
5906                        let text_style = if let Some(style) = highlighted_chunk.style {
5907                            Cow::Owned(text_style.clone().highlight(style))
5908                        } else {
5909                            Cow::Borrowed(text_style)
5910                        };
5911
5912                        if line.len() + line_chunk.len() > max_line_len {
5913                            let mut chunk_len = max_line_len - line.len();
5914                            while !line_chunk.is_char_boundary(chunk_len) {
5915                                chunk_len -= 1;
5916                            }
5917                            line_chunk = &line_chunk[..chunk_len];
5918                            line_exceeded_max_len = true;
5919                        }
5920
5921                        styles.push(TextRun {
5922                            len: line_chunk.len(),
5923                            font: text_style.font(),
5924                            color: text_style.color,
5925                            background_color: text_style.background_color,
5926                            underline: text_style.underline,
5927                            strikethrough: text_style.strikethrough,
5928                        });
5929
5930                        if editor_mode == EditorMode::Full {
5931                            // Line wrap pads its contents with fake whitespaces,
5932                            // avoid printing them
5933                            let is_soft_wrapped = is_row_soft_wrapped(row);
5934                            if highlighted_chunk.is_tab {
5935                                if non_whitespace_added || !is_soft_wrapped {
5936                                    invisibles.push(Invisible::Tab {
5937                                        line_start_offset: line.len(),
5938                                        line_end_offset: line.len() + line_chunk.len(),
5939                                    });
5940                                }
5941                            } else {
5942                                invisibles.extend(line_chunk.char_indices().filter_map(
5943                                    |(index, c)| {
5944                                        let is_whitespace = c.is_whitespace();
5945                                        non_whitespace_added |= !is_whitespace;
5946                                        if is_whitespace
5947                                            && (non_whitespace_added || !is_soft_wrapped)
5948                                        {
5949                                            Some(Invisible::Whitespace {
5950                                                line_offset: line.len() + index,
5951                                            })
5952                                        } else {
5953                                            None
5954                                        }
5955                                    },
5956                                ))
5957                            }
5958                        }
5959
5960                        line.push_str(line_chunk);
5961                    }
5962                }
5963            }
5964        }
5965
5966        layouts
5967    }
5968
5969    #[allow(clippy::too_many_arguments)]
5970    fn prepaint(
5971        &mut self,
5972        line_height: Pixels,
5973        scroll_pixel_position: gpui::Point<Pixels>,
5974        row: DisplayRow,
5975        content_origin: gpui::Point<Pixels>,
5976        line_elements: &mut SmallVec<[AnyElement; 1]>,
5977        window: &mut Window,
5978        cx: &mut App,
5979    ) {
5980        let line_y = line_height * (row.as_f32() - scroll_pixel_position.y / line_height);
5981        let mut fragment_origin = content_origin + gpui::point(-scroll_pixel_position.x, line_y);
5982        for fragment in &mut self.fragments {
5983            match fragment {
5984                LineFragment::Text(line) => {
5985                    fragment_origin.x += line.width;
5986                }
5987                LineFragment::Element { element, size, .. } => {
5988                    let mut element = element
5989                        .take()
5990                        .expect("you can't prepaint LineWithInvisibles twice");
5991
5992                    // Center the element vertically within the line.
5993                    let mut element_origin = fragment_origin;
5994                    element_origin.y += (line_height - size.height) / 2.;
5995                    element.prepaint_at(element_origin, window, cx);
5996                    line_elements.push(element);
5997
5998                    fragment_origin.x += size.width;
5999                }
6000            }
6001        }
6002    }
6003
6004    #[allow(clippy::too_many_arguments)]
6005    fn draw(
6006        &self,
6007        layout: &EditorLayout,
6008        row: DisplayRow,
6009        content_origin: gpui::Point<Pixels>,
6010        whitespace_setting: ShowWhitespaceSetting,
6011        selection_ranges: &[Range<DisplayPoint>],
6012        window: &mut Window,
6013        cx: &mut App,
6014    ) {
6015        let line_height = layout.position_map.line_height;
6016        let line_y = line_height
6017            * (row.as_f32() - layout.position_map.scroll_pixel_position.y / line_height);
6018
6019        let mut fragment_origin =
6020            content_origin + gpui::point(-layout.position_map.scroll_pixel_position.x, line_y);
6021
6022        for fragment in &self.fragments {
6023            match fragment {
6024                LineFragment::Text(line) => {
6025                    line.paint(fragment_origin, line_height, window, cx)
6026                        .log_err();
6027                    fragment_origin.x += line.width;
6028                }
6029                LineFragment::Element { size, .. } => {
6030                    fragment_origin.x += size.width;
6031                }
6032            }
6033        }
6034
6035        self.draw_invisibles(
6036            selection_ranges,
6037            layout,
6038            content_origin,
6039            line_y,
6040            row,
6041            line_height,
6042            whitespace_setting,
6043            window,
6044            cx,
6045        );
6046    }
6047
6048    #[allow(clippy::too_many_arguments)]
6049    fn draw_invisibles(
6050        &self,
6051        selection_ranges: &[Range<DisplayPoint>],
6052        layout: &EditorLayout,
6053        content_origin: gpui::Point<Pixels>,
6054        line_y: Pixels,
6055        row: DisplayRow,
6056        line_height: Pixels,
6057        whitespace_setting: ShowWhitespaceSetting,
6058        window: &mut Window,
6059        cx: &mut App,
6060    ) {
6061        let extract_whitespace_info = |invisible: &Invisible| {
6062            let (token_offset, token_end_offset, invisible_symbol) = match invisible {
6063                Invisible::Tab {
6064                    line_start_offset,
6065                    line_end_offset,
6066                } => (*line_start_offset, *line_end_offset, &layout.tab_invisible),
6067                Invisible::Whitespace { line_offset } => {
6068                    (*line_offset, line_offset + 1, &layout.space_invisible)
6069                }
6070            };
6071
6072            let x_offset = self.x_for_index(token_offset);
6073            let invisible_offset =
6074                (layout.position_map.em_width - invisible_symbol.width).max(Pixels::ZERO) / 2.0;
6075            let origin = content_origin
6076                + gpui::point(
6077                    x_offset + invisible_offset - layout.position_map.scroll_pixel_position.x,
6078                    line_y,
6079                );
6080
6081            (
6082                [token_offset, token_end_offset],
6083                Box::new(move |window: &mut Window, cx: &mut App| {
6084                    invisible_symbol
6085                        .paint(origin, line_height, window, cx)
6086                        .log_err();
6087                }),
6088            )
6089        };
6090
6091        let invisible_iter = self.invisibles.iter().map(extract_whitespace_info);
6092        match whitespace_setting {
6093            ShowWhitespaceSetting::None => (),
6094            ShowWhitespaceSetting::All => invisible_iter.for_each(|(_, paint)| paint(window, cx)),
6095            ShowWhitespaceSetting::Selection => invisible_iter.for_each(|([start, _], paint)| {
6096                let invisible_point = DisplayPoint::new(row, start as u32);
6097                if !selection_ranges
6098                    .iter()
6099                    .any(|region| region.start <= invisible_point && invisible_point < region.end)
6100                {
6101                    return;
6102                }
6103
6104                paint(window, cx);
6105            }),
6106
6107            // For a whitespace to be on a boundary, any of the following conditions need to be met:
6108            // - It is a tab
6109            // - It is adjacent to an edge (start or end)
6110            // - It is adjacent to a whitespace (left or right)
6111            ShowWhitespaceSetting::Boundary => {
6112                // We'll need to keep track of the last invisible we've seen and then check if we are adjacent to it for some of
6113                // the above cases.
6114                // Note: We zip in the original `invisibles` to check for tab equality
6115                let mut last_seen: Option<(bool, usize, Box<dyn Fn(&mut Window, &mut App)>)> = None;
6116                for (([start, end], paint), invisible) in
6117                    invisible_iter.zip_eq(self.invisibles.iter())
6118                {
6119                    let should_render = match (&last_seen, invisible) {
6120                        (_, Invisible::Tab { .. }) => true,
6121                        (Some((_, last_end, _)), _) => *last_end == start,
6122                        _ => false,
6123                    };
6124
6125                    if should_render || start == 0 || end == self.len {
6126                        paint(window, cx);
6127
6128                        // Since we are scanning from the left, we will skip over the first available whitespace that is part
6129                        // of a boundary between non-whitespace segments, so we correct by manually redrawing it if needed.
6130                        if let Some((should_render_last, last_end, paint_last)) = last_seen {
6131                            // Note that we need to make sure that the last one is actually adjacent
6132                            if !should_render_last && last_end == start {
6133                                paint_last(window, cx);
6134                            }
6135                        }
6136                    }
6137
6138                    // Manually render anything within a selection
6139                    let invisible_point = DisplayPoint::new(row, start as u32);
6140                    if selection_ranges.iter().any(|region| {
6141                        region.start <= invisible_point && invisible_point < region.end
6142                    }) {
6143                        paint(window, cx);
6144                    }
6145
6146                    last_seen = Some((should_render, end, paint));
6147                }
6148            }
6149        }
6150    }
6151
6152    pub fn x_for_index(&self, index: usize) -> Pixels {
6153        let mut fragment_start_x = Pixels::ZERO;
6154        let mut fragment_start_index = 0;
6155
6156        for fragment in &self.fragments {
6157            match fragment {
6158                LineFragment::Text(shaped_line) => {
6159                    let fragment_end_index = fragment_start_index + shaped_line.len;
6160                    if index < fragment_end_index {
6161                        return fragment_start_x
6162                            + shaped_line.x_for_index(index - fragment_start_index);
6163                    }
6164                    fragment_start_x += shaped_line.width;
6165                    fragment_start_index = fragment_end_index;
6166                }
6167                LineFragment::Element { len, size, .. } => {
6168                    let fragment_end_index = fragment_start_index + len;
6169                    if index < fragment_end_index {
6170                        return fragment_start_x;
6171                    }
6172                    fragment_start_x += size.width;
6173                    fragment_start_index = fragment_end_index;
6174                }
6175            }
6176        }
6177
6178        fragment_start_x
6179    }
6180
6181    pub fn index_for_x(&self, x: Pixels) -> Option<usize> {
6182        let mut fragment_start_x = Pixels::ZERO;
6183        let mut fragment_start_index = 0;
6184
6185        for fragment in &self.fragments {
6186            match fragment {
6187                LineFragment::Text(shaped_line) => {
6188                    let fragment_end_x = fragment_start_x + shaped_line.width;
6189                    if x < fragment_end_x {
6190                        return Some(
6191                            fragment_start_index + shaped_line.index_for_x(x - fragment_start_x)?,
6192                        );
6193                    }
6194                    fragment_start_x = fragment_end_x;
6195                    fragment_start_index += shaped_line.len;
6196                }
6197                LineFragment::Element { len, size, .. } => {
6198                    let fragment_end_x = fragment_start_x + size.width;
6199                    if x < fragment_end_x {
6200                        return Some(fragment_start_index);
6201                    }
6202                    fragment_start_index += len;
6203                    fragment_start_x = fragment_end_x;
6204                }
6205            }
6206        }
6207
6208        None
6209    }
6210
6211    pub fn font_id_for_index(&self, index: usize) -> Option<FontId> {
6212        let mut fragment_start_index = 0;
6213
6214        for fragment in &self.fragments {
6215            match fragment {
6216                LineFragment::Text(shaped_line) => {
6217                    let fragment_end_index = fragment_start_index + shaped_line.len;
6218                    if index < fragment_end_index {
6219                        return shaped_line.font_id_for_index(index - fragment_start_index);
6220                    }
6221                    fragment_start_index = fragment_end_index;
6222                }
6223                LineFragment::Element { len, .. } => {
6224                    let fragment_end_index = fragment_start_index + len;
6225                    if index < fragment_end_index {
6226                        return None;
6227                    }
6228                    fragment_start_index = fragment_end_index;
6229                }
6230            }
6231        }
6232
6233        None
6234    }
6235}
6236
6237#[derive(Debug, Clone, Copy, PartialEq, Eq)]
6238enum Invisible {
6239    /// A tab character
6240    ///
6241    /// A tab character is internally represented by spaces (configured by the user's tab width)
6242    /// aligned to the nearest column, so it's necessary to store the start and end offset for
6243    /// adjacency checks.
6244    Tab {
6245        line_start_offset: usize,
6246        line_end_offset: usize,
6247    },
6248    Whitespace {
6249        line_offset: usize,
6250    },
6251}
6252
6253impl EditorElement {
6254    /// Returns the rem size to use when rendering the [`EditorElement`].
6255    ///
6256    /// This allows UI elements to scale based on the `buffer_font_size`.
6257    fn rem_size(&self, cx: &mut App) -> Option<Pixels> {
6258        match self.editor.read(cx).mode {
6259            EditorMode::Full => {
6260                let buffer_font_size = self.style.text.font_size;
6261                match buffer_font_size {
6262                    AbsoluteLength::Pixels(pixels) => {
6263                        let rem_size_scale = {
6264                            // Our default UI font size is 14px on a 16px base scale.
6265                            // This means the default UI font size is 0.875rems.
6266                            let default_font_size_scale = 14. / ui::BASE_REM_SIZE_IN_PX;
6267
6268                            // We then determine the delta between a single rem and the default font
6269                            // size scale.
6270                            let default_font_size_delta = 1. - default_font_size_scale;
6271
6272                            // Finally, we add this delta to 1rem to get the scale factor that
6273                            // should be used to scale up the UI.
6274                            1. + default_font_size_delta
6275                        };
6276
6277                        Some(pixels * rem_size_scale)
6278                    }
6279                    AbsoluteLength::Rems(rems) => {
6280                        Some(rems.to_pixels(ui::BASE_REM_SIZE_IN_PX.into()))
6281                    }
6282                }
6283            }
6284            // We currently use single-line and auto-height editors in UI contexts,
6285            // so we don't want to scale everything with the buffer font size, as it
6286            // ends up looking off.
6287            EditorMode::SingleLine { .. } | EditorMode::AutoHeight { .. } => None,
6288        }
6289    }
6290}
6291
6292impl Element for EditorElement {
6293    type RequestLayoutState = ();
6294    type PrepaintState = EditorLayout;
6295
6296    fn id(&self) -> Option<ElementId> {
6297        None
6298    }
6299
6300    fn request_layout(
6301        &mut self,
6302        _: Option<&GlobalElementId>,
6303        window: &mut Window,
6304        cx: &mut App,
6305    ) -> (gpui::LayoutId, ()) {
6306        let rem_size = self.rem_size(cx);
6307        window.with_rem_size(rem_size, |window| {
6308            self.editor.update(cx, |editor, cx| {
6309                editor.set_style(self.style.clone(), window, cx);
6310
6311                let layout_id = match editor.mode {
6312                    EditorMode::SingleLine { auto_width } => {
6313                        let rem_size = window.rem_size();
6314
6315                        let height = self.style.text.line_height_in_pixels(rem_size);
6316                        if auto_width {
6317                            let editor_handle = cx.entity().clone();
6318                            let style = self.style.clone();
6319                            window.request_measured_layout(
6320                                Style::default(),
6321                                move |_, _, window, cx| {
6322                                    let editor_snapshot = editor_handle
6323                                        .update(cx, |editor, cx| editor.snapshot(window, cx));
6324                                    let line = Self::layout_lines(
6325                                        DisplayRow(0)..DisplayRow(1),
6326                                        &editor_snapshot,
6327                                        &style,
6328                                        px(f32::MAX),
6329                                        |_| false, // Single lines never soft wrap
6330                                        window,
6331                                        cx,
6332                                    )
6333                                    .pop()
6334                                    .unwrap();
6335
6336                                    let font_id =
6337                                        window.text_system().resolve_font(&style.text.font());
6338                                    let font_size =
6339                                        style.text.font_size.to_pixels(window.rem_size());
6340                                    let em_width = window
6341                                        .text_system()
6342                                        .typographic_bounds(font_id, font_size, 'm')
6343                                        .unwrap()
6344                                        .size
6345                                        .width;
6346
6347                                    size(line.width + em_width, height)
6348                                },
6349                            )
6350                        } else {
6351                            let mut style = Style::default();
6352                            style.size.height = height.into();
6353                            style.size.width = relative(1.).into();
6354                            window.request_layout(style, None, cx)
6355                        }
6356                    }
6357                    EditorMode::AutoHeight { max_lines } => {
6358                        let editor_handle = cx.entity().clone();
6359                        let max_line_number_width =
6360                            self.max_line_number_width(&editor.snapshot(window, cx), window, cx);
6361                        window.request_measured_layout(
6362                            Style::default(),
6363                            move |known_dimensions, available_space, window, cx| {
6364                                editor_handle
6365                                    .update(cx, |editor, cx| {
6366                                        compute_auto_height_layout(
6367                                            editor,
6368                                            max_lines,
6369                                            max_line_number_width,
6370                                            known_dimensions,
6371                                            available_space.width,
6372                                            window,
6373                                            cx,
6374                                        )
6375                                    })
6376                                    .unwrap_or_default()
6377                            },
6378                        )
6379                    }
6380                    EditorMode::Full => {
6381                        let mut style = Style::default();
6382                        style.size.width = relative(1.).into();
6383                        style.size.height = relative(1.).into();
6384                        window.request_layout(style, None, cx)
6385                    }
6386                };
6387
6388                (layout_id, ())
6389            })
6390        })
6391    }
6392
6393    fn prepaint(
6394        &mut self,
6395        _: Option<&GlobalElementId>,
6396        bounds: Bounds<Pixels>,
6397        _: &mut Self::RequestLayoutState,
6398        window: &mut Window,
6399        cx: &mut App,
6400    ) -> Self::PrepaintState {
6401        let text_style = TextStyleRefinement {
6402            font_size: Some(self.style.text.font_size),
6403            line_height: Some(self.style.text.line_height),
6404            ..Default::default()
6405        };
6406        let focus_handle = self.editor.focus_handle(cx);
6407        window.set_view_id(self.editor.entity_id());
6408        window.set_focus_handle(&focus_handle, cx);
6409
6410        let rem_size = self.rem_size(cx);
6411        window.with_rem_size(rem_size, |window| {
6412            window.with_text_style(Some(text_style), |window| {
6413                window.with_content_mask(Some(ContentMask { bounds }), |window| {
6414                    let mut snapshot = self
6415                        .editor
6416                        .update(cx, |editor, cx| editor.snapshot(window, cx));
6417                    let style = self.style.clone();
6418
6419                    let font_id = window.text_system().resolve_font(&style.text.font());
6420                    let font_size = style.text.font_size.to_pixels(window.rem_size());
6421                    let line_height = style.text.line_height_in_pixels(window.rem_size());
6422                    let em_width = window
6423                        .text_system()
6424                        .typographic_bounds(font_id, font_size, 'm')
6425                        .unwrap()
6426                        .size
6427                        .width;
6428                    let em_advance = window
6429                        .text_system()
6430                        .advance(font_id, font_size, 'm')
6431                        .unwrap()
6432                        .width;
6433
6434                    let letter_size = size(em_width, line_height);
6435
6436                    let gutter_dimensions = snapshot.gutter_dimensions(
6437                        font_id,
6438                        font_size,
6439                        em_width,
6440                        em_advance,
6441                        self.max_line_number_width(&snapshot, window, cx),
6442                        cx,
6443                    );
6444                    let text_width = bounds.size.width - gutter_dimensions.width;
6445
6446                    let editor_width = text_width - gutter_dimensions.margin - em_width;
6447
6448                    snapshot = self.editor.update(cx, |editor, cx| {
6449                        editor.last_bounds = Some(bounds);
6450                        editor.gutter_dimensions = gutter_dimensions;
6451                        editor.set_visible_line_count(bounds.size.height / line_height, window, cx);
6452
6453                        if matches!(editor.mode, EditorMode::AutoHeight { .. }) {
6454                            snapshot
6455                        } else {
6456                            let wrap_width = match editor.soft_wrap_mode(cx) {
6457                                SoftWrap::GitDiff => None,
6458                                SoftWrap::None => Some((MAX_LINE_LEN / 2) as f32 * em_advance),
6459                                SoftWrap::EditorWidth => Some(editor_width),
6460                                SoftWrap::Column(column) => Some(column as f32 * em_advance),
6461                                SoftWrap::Bounded(column) => {
6462                                    Some(editor_width.min(column as f32 * em_advance))
6463                                }
6464                            };
6465
6466                            if editor.set_wrap_width(wrap_width, cx) {
6467                                editor.snapshot(window, cx)
6468                            } else {
6469                                snapshot
6470                            }
6471                        }
6472                    });
6473
6474                    let wrap_guides = self
6475                        .editor
6476                        .read(cx)
6477                        .wrap_guides(cx)
6478                        .iter()
6479                        .map(|(guide, active)| (self.column_pixels(*guide, window, cx), *active))
6480                        .collect::<SmallVec<[_; 2]>>();
6481
6482                    let hitbox = window.insert_hitbox(bounds, false);
6483                    let gutter_hitbox =
6484                        window.insert_hitbox(gutter_bounds(bounds, gutter_dimensions), false);
6485                    let text_hitbox = window.insert_hitbox(
6486                        Bounds {
6487                            origin: gutter_hitbox.top_right(),
6488                            size: size(text_width, bounds.size.height),
6489                        },
6490                        false,
6491                    );
6492                    // Offset the content_bounds from the text_bounds by the gutter margin (which
6493                    // is roughly half a character wide) to make hit testing work more like how we want.
6494                    let content_origin =
6495                        text_hitbox.origin + point(gutter_dimensions.margin, Pixels::ZERO);
6496
6497                    let scrollbar_bounds =
6498                        Bounds::from_corners(content_origin, bounds.bottom_right());
6499
6500                    let height_in_lines = scrollbar_bounds.size.height / line_height;
6501
6502                    // NOTE: The max row number in the current file, minus one
6503                    let max_row = snapshot.max_point().row().as_f32();
6504
6505                    // NOTE: The max scroll position for the top of the window
6506                    let max_scroll_top = if matches!(snapshot.mode, EditorMode::AutoHeight { .. }) {
6507                        (max_row - height_in_lines + 1.).max(0.)
6508                    } else {
6509                        let settings = EditorSettings::get_global(cx);
6510                        match settings.scroll_beyond_last_line {
6511                            ScrollBeyondLastLine::OnePage => max_row,
6512                            ScrollBeyondLastLine::Off => (max_row - height_in_lines + 1.).max(0.),
6513                            ScrollBeyondLastLine::VerticalScrollMargin => {
6514                                (max_row - height_in_lines + 1. + settings.vertical_scroll_margin)
6515                                    .max(0.)
6516                            }
6517                        }
6518                    };
6519
6520                    // TODO: Autoscrolling for both axes
6521                    let mut autoscroll_request = None;
6522                    let mut autoscroll_containing_element = false;
6523                    let mut autoscroll_horizontally = false;
6524                    self.editor.update(cx, |editor, cx| {
6525                        autoscroll_request = editor.autoscroll_request();
6526                        autoscroll_containing_element =
6527                            autoscroll_request.is_some() || editor.has_pending_selection();
6528                        // TODO: Is this horizontal or vertical?!
6529                        autoscroll_horizontally = editor.autoscroll_vertically(
6530                            bounds,
6531                            line_height,
6532                            max_scroll_top,
6533                            window,
6534                            cx,
6535                        );
6536                        snapshot = editor.snapshot(window, cx);
6537                    });
6538
6539                    let mut scroll_position = snapshot.scroll_position();
6540                    // The scroll position is a fractional point, the whole number of which represents
6541                    // the top of the window in terms of display rows.
6542                    let start_row = DisplayRow(scroll_position.y as u32);
6543                    let max_row = snapshot.max_point().row();
6544                    let end_row = cmp::min(
6545                        (scroll_position.y + height_in_lines).ceil() as u32,
6546                        max_row.next_row().0,
6547                    );
6548                    let end_row = DisplayRow(end_row);
6549
6550                    let row_infos = snapshot
6551                        .row_infos(start_row)
6552                        .take((start_row..end_row).len())
6553                        .collect::<Vec<RowInfo>>();
6554                    let is_row_soft_wrapped = |row: usize| {
6555                        row_infos
6556                            .get(row)
6557                            .map_or(true, |info| info.buffer_row.is_none())
6558                    };
6559
6560                    let start_anchor = if start_row == Default::default() {
6561                        Anchor::min()
6562                    } else {
6563                        snapshot.buffer_snapshot.anchor_before(
6564                            DisplayPoint::new(start_row, 0).to_offset(&snapshot, Bias::Left),
6565                        )
6566                    };
6567                    let end_anchor = if end_row > max_row {
6568                        Anchor::max()
6569                    } else {
6570                        snapshot.buffer_snapshot.anchor_before(
6571                            DisplayPoint::new(end_row, 0).to_offset(&snapshot, Bias::Right),
6572                        )
6573                    };
6574
6575                    let mut highlighted_rows = self
6576                        .editor
6577                        .update(cx, |editor, cx| editor.highlighted_display_rows(window, cx));
6578
6579                    for (ix, row_info) in row_infos.iter().enumerate() {
6580                        let color = match row_info.diff_status {
6581                            Some(DiffHunkStatus::Added) => style.status.created_background,
6582                            Some(DiffHunkStatus::Removed) => style.status.deleted_background,
6583                            _ => continue,
6584                        };
6585                        highlighted_rows
6586                            .entry(start_row + DisplayRow(ix as u32))
6587                            .or_insert(color);
6588                    }
6589
6590                    let highlighted_ranges = self.editor.read(cx).background_highlights_in_range(
6591                        start_anchor..end_anchor,
6592                        &snapshot.display_snapshot,
6593                        cx.theme().colors(),
6594                    );
6595                    let highlighted_gutter_ranges =
6596                        self.editor.read(cx).gutter_highlights_in_range(
6597                            start_anchor..end_anchor,
6598                            &snapshot.display_snapshot,
6599                            cx,
6600                        );
6601
6602                    let redacted_ranges = self.editor.read(cx).redacted_ranges(
6603                        start_anchor..end_anchor,
6604                        &snapshot.display_snapshot,
6605                        cx,
6606                    );
6607
6608                    let (local_selections, selected_buffer_ids): (
6609                        Vec<Selection<Point>>,
6610                        Vec<BufferId>,
6611                    ) = self.editor.update(cx, |editor, cx| {
6612                        let all_selections = editor.selections.all::<Point>(cx);
6613                        let selected_buffer_ids = if editor.is_singleton(cx) {
6614                            Vec::new()
6615                        } else {
6616                            let mut selected_buffer_ids = Vec::with_capacity(all_selections.len());
6617
6618                            for selection in all_selections {
6619                                for buffer_id in snapshot
6620                                    .buffer_snapshot
6621                                    .buffer_ids_for_range(selection.range())
6622                                {
6623                                    if selected_buffer_ids.last() != Some(&buffer_id) {
6624                                        selected_buffer_ids.push(buffer_id);
6625                                    }
6626                                }
6627                            }
6628
6629                            selected_buffer_ids
6630                        };
6631
6632                        let mut selections = editor
6633                            .selections
6634                            .disjoint_in_range(start_anchor..end_anchor, cx);
6635                        selections.extend(editor.selections.pending(cx));
6636
6637                        (selections, selected_buffer_ids)
6638                    });
6639
6640                    let (selections, active_rows, newest_selection_head) = self.layout_selections(
6641                        start_anchor,
6642                        end_anchor,
6643                        &local_selections,
6644                        &snapshot,
6645                        start_row,
6646                        end_row,
6647                        window,
6648                        cx,
6649                    );
6650
6651                    let line_numbers = self.layout_line_numbers(
6652                        Some(&gutter_hitbox),
6653                        gutter_dimensions,
6654                        line_height,
6655                        scroll_position,
6656                        start_row..end_row,
6657                        &row_infos,
6658                        newest_selection_head,
6659                        &snapshot,
6660                        window,
6661                        cx,
6662                    );
6663
6664                    let mut crease_toggles =
6665                        window.with_element_namespace("crease_toggles", |window| {
6666                            self.layout_crease_toggles(
6667                                start_row..end_row,
6668                                &row_infos,
6669                                &active_rows,
6670                                &snapshot,
6671                                window,
6672                                cx,
6673                            )
6674                        });
6675                    let crease_trailers =
6676                        window.with_element_namespace("crease_trailers", |window| {
6677                            self.layout_crease_trailers(
6678                                row_infos.iter().copied(),
6679                                &snapshot,
6680                                window,
6681                                cx,
6682                            )
6683                        });
6684
6685                    let display_hunks = self.layout_gutter_diff_hunks(
6686                        line_height,
6687                        &gutter_hitbox,
6688                        start_row..end_row,
6689                        &snapshot,
6690                        window,
6691                        cx,
6692                    );
6693
6694                    let mut line_layouts = Self::layout_lines(
6695                        start_row..end_row,
6696                        &snapshot,
6697                        &self.style,
6698                        editor_width,
6699                        is_row_soft_wrapped,
6700                        window,
6701                        cx,
6702                    );
6703
6704                    let longest_line_blame_width = self
6705                        .editor
6706                        .update(cx, |editor, cx| {
6707                            if !editor.show_git_blame_inline {
6708                                return None;
6709                            }
6710                            let blame = editor.blame.as_ref()?;
6711                            let blame_entry = blame
6712                                .update(cx, |blame, cx| {
6713                                    let row_infos =
6714                                        snapshot.row_infos(snapshot.longest_row()).next()?;
6715                                    blame.blame_for_rows(&[row_infos], cx).next()
6716                                })
6717                                .flatten()?;
6718                            let workspace = editor.workspace.as_ref().map(|(w, _)| w.to_owned());
6719                            let mut element = render_inline_blame_entry(
6720                                blame,
6721                                blame_entry,
6722                                &style,
6723                                workspace,
6724                                cx,
6725                            );
6726                            let inline_blame_padding = INLINE_BLAME_PADDING_EM_WIDTHS * em_advance;
6727                            Some(
6728                                element
6729                                    .layout_as_root(AvailableSpace::min_size(), window, cx)
6730                                    .width
6731                                    + inline_blame_padding,
6732                            )
6733                        })
6734                        .unwrap_or(Pixels::ZERO);
6735
6736                    let longest_line_width = layout_line(
6737                        snapshot.longest_row(),
6738                        &snapshot,
6739                        &style,
6740                        editor_width,
6741                        is_row_soft_wrapped,
6742                        window,
6743                        cx,
6744                    )
6745                    .width;
6746
6747                    let scrollbar_range_data = ScrollbarRangeData::new(
6748                        scrollbar_bounds,
6749                        letter_size,
6750                        &snapshot,
6751                        longest_line_width,
6752                        longest_line_blame_width,
6753                        &style,
6754                        cx,
6755                    );
6756
6757                    let scroll_range_bounds = scrollbar_range_data.scroll_range;
6758                    let mut scroll_width = scroll_range_bounds.size.width;
6759
6760                    let sticky_header_excerpt = if snapshot.buffer_snapshot.show_headers() {
6761                        snapshot.sticky_header_excerpt(start_row)
6762                    } else {
6763                        None
6764                    };
6765                    let sticky_header_excerpt_id =
6766                        sticky_header_excerpt.as_ref().map(|top| top.excerpt.id);
6767
6768                    let blocks = window.with_element_namespace("blocks", |window| {
6769                        self.render_blocks(
6770                            start_row..end_row,
6771                            &snapshot,
6772                            &hitbox,
6773                            &text_hitbox,
6774                            editor_width,
6775                            &mut scroll_width,
6776                            &gutter_dimensions,
6777                            em_width,
6778                            gutter_dimensions.full_width(),
6779                            line_height,
6780                            &line_layouts,
6781                            &local_selections,
6782                            &selected_buffer_ids,
6783                            is_row_soft_wrapped,
6784                            sticky_header_excerpt_id,
6785                            window,
6786                            cx,
6787                        )
6788                    });
6789                    let mut blocks = match blocks {
6790                        Ok(blocks) => blocks,
6791                        Err(resized_blocks) => {
6792                            self.editor.update(cx, |editor, cx| {
6793                                editor.resize_blocks(resized_blocks, autoscroll_request, cx)
6794                            });
6795                            return self.prepaint(None, bounds, &mut (), window, cx);
6796                        }
6797                    };
6798
6799                    let sticky_buffer_header = sticky_header_excerpt.map(|sticky_header_excerpt| {
6800                        window.with_element_namespace("blocks", |window| {
6801                            self.layout_sticky_buffer_header(
6802                                sticky_header_excerpt,
6803                                scroll_position.y,
6804                                line_height,
6805                                &snapshot,
6806                                &hitbox,
6807                                &selected_buffer_ids,
6808                                window,
6809                                cx,
6810                            )
6811                        })
6812                    });
6813
6814                    let start_buffer_row =
6815                        MultiBufferRow(start_anchor.to_point(&snapshot.buffer_snapshot).row);
6816                    let end_buffer_row =
6817                        MultiBufferRow(end_anchor.to_point(&snapshot.buffer_snapshot).row);
6818
6819                    let scroll_max = point(
6820                        ((scroll_width - scrollbar_bounds.size.width) / em_width).max(0.0),
6821                        max_row.as_f32(),
6822                    );
6823
6824                    self.editor.update(cx, |editor, cx| {
6825                        let clamped = editor.scroll_manager.clamp_scroll_left(scroll_max.x);
6826
6827                        let autoscrolled = if autoscroll_horizontally {
6828                            editor.autoscroll_horizontally(
6829                                start_row,
6830                                editor_width - (letter_size.width / 2.0),
6831                                scroll_width,
6832                                em_width,
6833                                &line_layouts,
6834                                cx,
6835                            )
6836                        } else {
6837                            false
6838                        };
6839
6840                        if clamped || autoscrolled {
6841                            snapshot = editor.snapshot(window, cx);
6842                            scroll_position = snapshot.scroll_position();
6843                        }
6844                    });
6845
6846                    let scroll_pixel_position = point(
6847                        scroll_position.x * em_width,
6848                        scroll_position.y * line_height,
6849                    );
6850
6851                    let indent_guides = self.layout_indent_guides(
6852                        content_origin,
6853                        text_hitbox.origin,
6854                        start_buffer_row..end_buffer_row,
6855                        scroll_pixel_position,
6856                        line_height,
6857                        &snapshot,
6858                        window,
6859                        cx,
6860                    );
6861
6862                    let crease_trailers =
6863                        window.with_element_namespace("crease_trailers", |window| {
6864                            self.prepaint_crease_trailers(
6865                                crease_trailers,
6866                                &line_layouts,
6867                                line_height,
6868                                content_origin,
6869                                scroll_pixel_position,
6870                                em_width,
6871                                window,
6872                                cx,
6873                            )
6874                        });
6875
6876                    let mut inline_blame = None;
6877                    if let Some(newest_selection_head) = newest_selection_head {
6878                        let display_row = newest_selection_head.row();
6879                        if (start_row..end_row).contains(&display_row) {
6880                            let line_ix = display_row.minus(start_row) as usize;
6881                            let row_info = &row_infos[line_ix];
6882                            let line_layout = &line_layouts[line_ix];
6883                            let crease_trailer_layout = crease_trailers[line_ix].as_ref();
6884                            inline_blame = self.layout_inline_blame(
6885                                display_row,
6886                                row_info,
6887                                line_layout,
6888                                crease_trailer_layout,
6889                                em_width,
6890                                content_origin,
6891                                scroll_pixel_position,
6892                                line_height,
6893                                window,
6894                                cx,
6895                            );
6896                        }
6897                    }
6898
6899                    let blamed_display_rows = self.layout_blame_entries(
6900                        &row_infos,
6901                        em_width,
6902                        scroll_position,
6903                        line_height,
6904                        &gutter_hitbox,
6905                        gutter_dimensions.git_blame_entries_width,
6906                        window,
6907                        cx,
6908                    );
6909
6910                    let scroll_max = point(
6911                        ((scroll_width - scrollbar_bounds.size.width) / em_width).max(0.0),
6912                        max_scroll_top,
6913                    );
6914
6915                    self.editor.update(cx, |editor, cx| {
6916                        let clamped = editor.scroll_manager.clamp_scroll_left(scroll_max.x);
6917
6918                        let autoscrolled = if autoscroll_horizontally {
6919                            editor.autoscroll_horizontally(
6920                                start_row,
6921                                editor_width - (letter_size.width / 2.0),
6922                                scroll_width,
6923                                em_width,
6924                                &line_layouts,
6925                                cx,
6926                            )
6927                        } else {
6928                            false
6929                        };
6930
6931                        if clamped || autoscrolled {
6932                            snapshot = editor.snapshot(window, cx);
6933                            scroll_position = snapshot.scroll_position();
6934                        }
6935                    });
6936
6937                    let line_elements = self.prepaint_lines(
6938                        start_row,
6939                        &mut line_layouts,
6940                        line_height,
6941                        scroll_pixel_position,
6942                        content_origin,
6943                        window,
6944                        cx,
6945                    );
6946
6947                    let mut block_start_rows = HashSet::default();
6948
6949                    window.with_element_namespace("blocks", |window| {
6950                        self.layout_blocks(
6951                            &mut blocks,
6952                            &mut block_start_rows,
6953                            &hitbox,
6954                            line_height,
6955                            scroll_pixel_position,
6956                            window,
6957                            cx,
6958                        );
6959                    });
6960
6961                    let cursors = self.collect_cursors(&snapshot, cx);
6962                    let visible_row_range = start_row..end_row;
6963                    let non_visible_cursors = cursors
6964                        .iter()
6965                        .any(move |c| !visible_row_range.contains(&c.0.row()));
6966
6967                    let visible_cursors = self.layout_visible_cursors(
6968                        &snapshot,
6969                        &selections,
6970                        &block_start_rows,
6971                        start_row..end_row,
6972                        &line_layouts,
6973                        &text_hitbox,
6974                        content_origin,
6975                        scroll_position,
6976                        scroll_pixel_position,
6977                        line_height,
6978                        em_width,
6979                        em_advance,
6980                        autoscroll_containing_element,
6981                        window,
6982                        cx,
6983                    );
6984
6985                    let scrollbars_layout = self.layout_scrollbars(
6986                        &snapshot,
6987                        scrollbar_range_data,
6988                        scroll_position,
6989                        non_visible_cursors,
6990                        window,
6991                        cx,
6992                    );
6993
6994                    let gutter_settings = EditorSettings::get_global(cx).gutter;
6995
6996                    let rows_with_hunk_bounds = display_hunks
6997                        .iter()
6998                        .filter_map(|(hunk, hitbox)| Some((hunk, hitbox.as_ref()?.bounds)))
6999                        .fold(
7000                            HashMap::default(),
7001                            |mut rows_with_hunk_bounds, (hunk, bounds)| {
7002                                match hunk {
7003                                    DisplayDiffHunk::Folded { display_row } => {
7004                                        rows_with_hunk_bounds.insert(*display_row, bounds);
7005                                    }
7006                                    DisplayDiffHunk::Unfolded {
7007                                        display_row_range, ..
7008                                    } => {
7009                                        for display_row in display_row_range.iter_rows() {
7010                                            rows_with_hunk_bounds.insert(display_row, bounds);
7011                                        }
7012                                    }
7013                                }
7014                                rows_with_hunk_bounds
7015                            },
7016                        );
7017                    let mut code_actions_indicator = None;
7018                    if let Some(newest_selection_head) = newest_selection_head {
7019                        if (start_row..end_row).contains(&newest_selection_head.row()) {
7020                            self.layout_context_menu(
7021                                line_height,
7022                                &text_hitbox,
7023                                content_origin,
7024                                start_row,
7025                                scroll_pixel_position,
7026                                &line_layouts,
7027                                newest_selection_head,
7028                                gutter_dimensions.width - gutter_dimensions.left_padding,
7029                                window,
7030                                cx,
7031                            );
7032
7033                            let show_code_actions = snapshot
7034                                .show_code_actions
7035                                .unwrap_or(gutter_settings.code_actions);
7036                            if show_code_actions {
7037                                let newest_selection_point =
7038                                    newest_selection_head.to_point(&snapshot.display_snapshot);
7039                                if !snapshot
7040                                    .is_line_folded(MultiBufferRow(newest_selection_point.row))
7041                                {
7042                                    let buffer = snapshot.buffer_snapshot.buffer_line_for_row(
7043                                        MultiBufferRow(newest_selection_point.row),
7044                                    );
7045                                    if let Some((buffer, range)) = buffer {
7046                                        let buffer_id = buffer.remote_id();
7047                                        let row = range.start.row;
7048                                        let has_test_indicator = self
7049                                            .editor
7050                                            .read(cx)
7051                                            .tasks
7052                                            .contains_key(&(buffer_id, row));
7053
7054                                        if !has_test_indicator {
7055                                            code_actions_indicator = self
7056                                                .layout_code_actions_indicator(
7057                                                    line_height,
7058                                                    newest_selection_head,
7059                                                    scroll_pixel_position,
7060                                                    &gutter_dimensions,
7061                                                    &gutter_hitbox,
7062                                                    &rows_with_hunk_bounds,
7063                                                    window,
7064                                                    cx,
7065                                                );
7066                                        }
7067                                    }
7068                                }
7069                            }
7070                        }
7071                    }
7072
7073                    let test_indicators = if gutter_settings.runnables {
7074                        self.layout_run_indicators(
7075                            line_height,
7076                            start_row..end_row,
7077                            scroll_pixel_position,
7078                            &gutter_dimensions,
7079                            &gutter_hitbox,
7080                            &rows_with_hunk_bounds,
7081                            &snapshot,
7082                            window,
7083                            cx,
7084                        )
7085                    } else {
7086                        Vec::new()
7087                    };
7088
7089                    self.layout_signature_help(
7090                        &hitbox,
7091                        content_origin,
7092                        scroll_pixel_position,
7093                        newest_selection_head,
7094                        start_row,
7095                        &line_layouts,
7096                        line_height,
7097                        em_width,
7098                        window,
7099                        cx,
7100                    );
7101
7102                    if !cx.has_active_drag() {
7103                        self.layout_hover_popovers(
7104                            &snapshot,
7105                            &hitbox,
7106                            &text_hitbox,
7107                            start_row..end_row,
7108                            content_origin,
7109                            scroll_pixel_position,
7110                            &line_layouts,
7111                            line_height,
7112                            em_width,
7113                            window,
7114                            cx,
7115                        );
7116                    }
7117
7118                    let inline_completion_popover = self.layout_inline_completion_popover(
7119                        &text_hitbox.bounds,
7120                        &snapshot,
7121                        start_row..end_row,
7122                        scroll_position.y,
7123                        scroll_position.y + height_in_lines,
7124                        &line_layouts,
7125                        line_height,
7126                        scroll_pixel_position,
7127                        newest_selection_head,
7128                        editor_width,
7129                        &style,
7130                        window,
7131                        cx,
7132                    );
7133
7134                    let mouse_context_menu = self.layout_mouse_context_menu(
7135                        &snapshot,
7136                        start_row..end_row,
7137                        content_origin,
7138                        window,
7139                        cx,
7140                    );
7141
7142                    window.with_element_namespace("crease_toggles", |window| {
7143                        self.prepaint_crease_toggles(
7144                            &mut crease_toggles,
7145                            line_height,
7146                            &gutter_dimensions,
7147                            gutter_settings,
7148                            scroll_pixel_position,
7149                            &gutter_hitbox,
7150                            window,
7151                            cx,
7152                        )
7153                    });
7154
7155                    let invisible_symbol_font_size = font_size / 2.;
7156                    let tab_invisible = window
7157                        .text_system()
7158                        .shape_line(
7159                            "".into(),
7160                            invisible_symbol_font_size,
7161                            &[TextRun {
7162                                len: "".len(),
7163                                font: self.style.text.font(),
7164                                color: cx.theme().colors().editor_invisible,
7165                                background_color: None,
7166                                underline: None,
7167                                strikethrough: None,
7168                            }],
7169                        )
7170                        .unwrap();
7171                    let space_invisible = window
7172                        .text_system()
7173                        .shape_line(
7174                            "".into(),
7175                            invisible_symbol_font_size,
7176                            &[TextRun {
7177                                len: "".len(),
7178                                font: self.style.text.font(),
7179                                color: cx.theme().colors().editor_invisible,
7180                                background_color: None,
7181                                underline: None,
7182                                strikethrough: None,
7183                            }],
7184                        )
7185                        .unwrap();
7186
7187                    let mode = snapshot.mode;
7188
7189                    let position_map = Rc::new(PositionMap {
7190                        size: bounds.size,
7191                        scroll_pixel_position,
7192                        scroll_max,
7193                        line_layouts,
7194                        line_height,
7195                        em_width,
7196                        em_advance,
7197                        snapshot,
7198                    });
7199
7200                    let hunk_controls = self.layout_diff_hunk_controls(
7201                        start_row..end_row,
7202                        &row_infos,
7203                        &text_hitbox,
7204                        &position_map,
7205                        newest_selection_head,
7206                        line_height,
7207                        scroll_pixel_position,
7208                        &display_hunks,
7209                        self.editor.clone(),
7210                        window,
7211                        cx,
7212                    );
7213
7214                    EditorLayout {
7215                        mode,
7216                        position_map,
7217                        visible_display_row_range: start_row..end_row,
7218                        wrap_guides,
7219                        indent_guides,
7220                        hitbox,
7221                        text_hitbox,
7222                        gutter_hitbox,
7223                        display_hunks,
7224                        content_origin,
7225                        scrollbars_layout,
7226                        active_rows,
7227                        highlighted_rows,
7228                        highlighted_ranges,
7229                        highlighted_gutter_ranges,
7230                        redacted_ranges,
7231                        line_elements,
7232                        line_numbers,
7233                        blamed_display_rows,
7234                        inline_blame,
7235                        blocks,
7236                        cursors,
7237                        visible_cursors,
7238                        selections,
7239                        inline_completion_popover,
7240                        diff_hunk_controls: hunk_controls,
7241                        mouse_context_menu,
7242                        test_indicators,
7243                        code_actions_indicator,
7244                        crease_toggles,
7245                        crease_trailers,
7246                        tab_invisible,
7247                        space_invisible,
7248                        sticky_buffer_header,
7249                    }
7250                })
7251            })
7252        })
7253    }
7254
7255    fn paint(
7256        &mut self,
7257        _: Option<&GlobalElementId>,
7258        bounds: Bounds<gpui::Pixels>,
7259        _: &mut Self::RequestLayoutState,
7260        layout: &mut Self::PrepaintState,
7261        window: &mut Window,
7262        cx: &mut App,
7263    ) {
7264        let focus_handle = self.editor.focus_handle(cx);
7265        let key_context = self
7266            .editor
7267            .update(cx, |editor, cx| editor.key_context(window, cx));
7268
7269        window.set_key_context(key_context);
7270        window.handle_input(
7271            &focus_handle,
7272            ElementInputHandler::new(bounds, self.editor.clone()),
7273            cx,
7274        );
7275        self.register_actions(window, cx);
7276        self.register_key_listeners(window, cx, layout);
7277
7278        let text_style = TextStyleRefinement {
7279            font_size: Some(self.style.text.font_size),
7280            line_height: Some(self.style.text.line_height),
7281            ..Default::default()
7282        };
7283        let rem_size = self.rem_size(cx);
7284        window.with_rem_size(rem_size, |window| {
7285            window.with_text_style(Some(text_style), |window| {
7286                window.with_content_mask(Some(ContentMask { bounds }), |window| {
7287                    self.paint_mouse_listeners(layout, window, cx);
7288                    self.paint_background(layout, window, cx);
7289                    self.paint_indent_guides(layout, window, cx);
7290
7291                    if layout.gutter_hitbox.size.width > Pixels::ZERO {
7292                        self.paint_blamed_display_rows(layout, window, cx);
7293                        self.paint_line_numbers(layout, window, cx);
7294                    }
7295
7296                    self.paint_text(layout, window, cx);
7297
7298                    if layout.gutter_hitbox.size.width > Pixels::ZERO {
7299                        self.paint_gutter_highlights(layout, window, cx);
7300                        self.paint_gutter_indicators(layout, window, cx);
7301                    }
7302
7303                    if !layout.blocks.is_empty() {
7304                        window.with_element_namespace("blocks", |window| {
7305                            self.paint_blocks(layout, window, cx);
7306                        });
7307                    }
7308
7309                    window.with_element_namespace("blocks", |window| {
7310                        if let Some(mut sticky_header) = layout.sticky_buffer_header.take() {
7311                            sticky_header.paint(window, cx)
7312                        }
7313                    });
7314
7315                    self.paint_scrollbars(layout, window, cx);
7316                    self.paint_inline_completion_popover(layout, window, cx);
7317                    self.paint_mouse_context_menu(layout, window, cx);
7318                });
7319            })
7320        })
7321    }
7322}
7323
7324pub(super) fn gutter_bounds(
7325    editor_bounds: Bounds<Pixels>,
7326    gutter_dimensions: GutterDimensions,
7327) -> Bounds<Pixels> {
7328    Bounds {
7329        origin: editor_bounds.origin,
7330        size: size(gutter_dimensions.width, editor_bounds.size.height),
7331    }
7332}
7333
7334struct ScrollbarRangeData {
7335    scrollbar_bounds: Bounds<Pixels>,
7336    scroll_range: Bounds<Pixels>,
7337    letter_size: Size<Pixels>,
7338}
7339
7340impl ScrollbarRangeData {
7341    pub fn new(
7342        scrollbar_bounds: Bounds<Pixels>,
7343        letter_size: Size<Pixels>,
7344        snapshot: &EditorSnapshot,
7345        longest_line_width: Pixels,
7346        longest_line_blame_width: Pixels,
7347        style: &EditorStyle,
7348
7349        cx: &mut App,
7350    ) -> ScrollbarRangeData {
7351        // TODO: Simplify this function down, it requires a lot of parameters
7352        let max_row = snapshot.max_point().row();
7353        let text_bounds_size = size(longest_line_width, max_row.0 as f32 * letter_size.height);
7354
7355        let scrollbar_width = style.scrollbar_width;
7356
7357        let settings = EditorSettings::get_global(cx);
7358        let scroll_beyond_last_line: Pixels = match settings.scroll_beyond_last_line {
7359            ScrollBeyondLastLine::OnePage => px(scrollbar_bounds.size.height / letter_size.height),
7360            ScrollBeyondLastLine::Off => px(1.),
7361            ScrollBeyondLastLine::VerticalScrollMargin => px(1.0 + settings.vertical_scroll_margin),
7362        };
7363
7364        let overscroll = size(
7365            scrollbar_width + (letter_size.width / 2.0) + longest_line_blame_width,
7366            letter_size.height * scroll_beyond_last_line,
7367        );
7368
7369        let scroll_range = Bounds {
7370            origin: scrollbar_bounds.origin,
7371            size: text_bounds_size + overscroll,
7372        };
7373
7374        ScrollbarRangeData {
7375            scrollbar_bounds,
7376            scroll_range,
7377            letter_size,
7378        }
7379    }
7380}
7381
7382impl IntoElement for EditorElement {
7383    type Element = Self;
7384
7385    fn into_element(self) -> Self::Element {
7386        self
7387    }
7388}
7389
7390pub struct EditorLayout {
7391    position_map: Rc<PositionMap>,
7392    hitbox: Hitbox,
7393    text_hitbox: Hitbox,
7394    gutter_hitbox: Hitbox,
7395    content_origin: gpui::Point<Pixels>,
7396    scrollbars_layout: AxisPair<Option<ScrollbarLayout>>,
7397    mode: EditorMode,
7398    wrap_guides: SmallVec<[(Pixels, bool); 2]>,
7399    indent_guides: Option<Vec<IndentGuideLayout>>,
7400    visible_display_row_range: Range<DisplayRow>,
7401    active_rows: BTreeMap<DisplayRow, bool>,
7402    highlighted_rows: BTreeMap<DisplayRow, Hsla>,
7403    line_elements: SmallVec<[AnyElement; 1]>,
7404    line_numbers: Arc<HashMap<MultiBufferRow, LineNumberLayout>>,
7405    display_hunks: Vec<(DisplayDiffHunk, Option<Hitbox>)>,
7406    blamed_display_rows: Option<Vec<AnyElement>>,
7407    inline_blame: Option<AnyElement>,
7408    blocks: Vec<BlockLayout>,
7409    highlighted_ranges: Vec<(Range<DisplayPoint>, Hsla)>,
7410    highlighted_gutter_ranges: Vec<(Range<DisplayPoint>, Hsla)>,
7411    redacted_ranges: Vec<Range<DisplayPoint>>,
7412    cursors: Vec<(DisplayPoint, Hsla)>,
7413    visible_cursors: Vec<CursorLayout>,
7414    selections: Vec<(PlayerColor, Vec<SelectionLayout>)>,
7415    code_actions_indicator: Option<AnyElement>,
7416    test_indicators: Vec<AnyElement>,
7417    crease_toggles: Vec<Option<AnyElement>>,
7418    diff_hunk_controls: Vec<AnyElement>,
7419    crease_trailers: Vec<Option<CreaseTrailerLayout>>,
7420    inline_completion_popover: Option<AnyElement>,
7421    mouse_context_menu: Option<AnyElement>,
7422    tab_invisible: ShapedLine,
7423    space_invisible: ShapedLine,
7424    sticky_buffer_header: Option<AnyElement>,
7425}
7426
7427impl EditorLayout {
7428    fn line_end_overshoot(&self) -> Pixels {
7429        0.15 * self.position_map.line_height
7430    }
7431}
7432
7433struct LineNumberLayout {
7434    shaped_line: ShapedLine,
7435    hitbox: Option<Hitbox>,
7436    display_row: DisplayRow,
7437}
7438
7439struct ColoredRange<T> {
7440    start: T,
7441    end: T,
7442    color: Hsla,
7443}
7444
7445#[derive(Clone)]
7446struct ScrollbarLayout {
7447    hitbox: Hitbox,
7448    visible_range: Range<f32>,
7449    visible: bool,
7450    text_unit_size: Pixels,
7451    thumb_size: Pixels,
7452    axis: Axis,
7453}
7454
7455impl ScrollbarLayout {
7456    const BORDER_WIDTH: Pixels = px(1.0);
7457    const LINE_MARKER_HEIGHT: Pixels = px(2.0);
7458    const MIN_MARKER_HEIGHT: Pixels = px(5.0);
7459    // const MIN_THUMB_HEIGHT: Pixels = px(20.0);
7460
7461    fn thumb_bounds(&self) -> Bounds<Pixels> {
7462        match self.axis {
7463            Axis::Vertical => {
7464                let thumb_top = self.y_for_row(self.visible_range.start);
7465                let thumb_bottom = thumb_top + self.thumb_size;
7466                Bounds::from_corners(
7467                    point(self.hitbox.left(), thumb_top),
7468                    point(self.hitbox.right(), thumb_bottom),
7469                )
7470            }
7471            Axis::Horizontal => {
7472                let thumb_left =
7473                    self.hitbox.left() + self.visible_range.start * self.text_unit_size;
7474                let thumb_right = thumb_left + self.thumb_size;
7475                Bounds::from_corners(
7476                    point(thumb_left, self.hitbox.top()),
7477                    point(thumb_right, self.hitbox.bottom()),
7478                )
7479            }
7480        }
7481    }
7482
7483    fn y_for_row(&self, row: f32) -> Pixels {
7484        self.hitbox.top() + row * self.text_unit_size
7485    }
7486
7487    fn marker_quads_for_ranges(
7488        &self,
7489        row_ranges: impl IntoIterator<Item = ColoredRange<DisplayRow>>,
7490        column: Option<usize>,
7491    ) -> Vec<PaintQuad> {
7492        struct MinMax {
7493            min: Pixels,
7494            max: Pixels,
7495        }
7496        let (x_range, height_limit) = if let Some(column) = column {
7497            let column_width = px(((self.hitbox.size.width - Self::BORDER_WIDTH).0 / 3.0).floor());
7498            let start = Self::BORDER_WIDTH + (column as f32 * column_width);
7499            let end = start + column_width;
7500            (
7501                Range { start, end },
7502                MinMax {
7503                    min: Self::MIN_MARKER_HEIGHT,
7504                    max: px(f32::MAX),
7505                },
7506            )
7507        } else {
7508            (
7509                Range {
7510                    start: Self::BORDER_WIDTH,
7511                    end: self.hitbox.size.width,
7512                },
7513                MinMax {
7514                    min: Self::LINE_MARKER_HEIGHT,
7515                    max: Self::LINE_MARKER_HEIGHT,
7516                },
7517            )
7518        };
7519
7520        let row_to_y = |row: DisplayRow| row.as_f32() * self.text_unit_size;
7521        let mut pixel_ranges = row_ranges
7522            .into_iter()
7523            .map(|range| {
7524                let start_y = row_to_y(range.start);
7525                let end_y = row_to_y(range.end)
7526                    + self
7527                        .text_unit_size
7528                        .max(height_limit.min)
7529                        .min(height_limit.max);
7530                ColoredRange {
7531                    start: start_y,
7532                    end: end_y,
7533                    color: range.color,
7534                }
7535            })
7536            .peekable();
7537
7538        let mut quads = Vec::new();
7539        while let Some(mut pixel_range) = pixel_ranges.next() {
7540            while let Some(next_pixel_range) = pixel_ranges.peek() {
7541                if pixel_range.end >= next_pixel_range.start - px(1.0)
7542                    && pixel_range.color == next_pixel_range.color
7543                {
7544                    pixel_range.end = next_pixel_range.end.max(pixel_range.end);
7545                    pixel_ranges.next();
7546                } else {
7547                    break;
7548                }
7549            }
7550
7551            let bounds = Bounds::from_corners(
7552                point(x_range.start, pixel_range.start),
7553                point(x_range.end, pixel_range.end),
7554            );
7555            quads.push(quad(
7556                bounds,
7557                Corners::default(),
7558                pixel_range.color,
7559                Edges::default(),
7560                Hsla::transparent_black(),
7561            ));
7562        }
7563
7564        quads
7565    }
7566}
7567
7568struct CreaseTrailerLayout {
7569    element: AnyElement,
7570    bounds: Bounds<Pixels>,
7571}
7572
7573struct PositionMap {
7574    size: Size<Pixels>,
7575    line_height: Pixels,
7576    scroll_pixel_position: gpui::Point<Pixels>,
7577    scroll_max: gpui::Point<f32>,
7578    em_width: Pixels,
7579    em_advance: Pixels,
7580    line_layouts: Vec<LineWithInvisibles>,
7581    snapshot: EditorSnapshot,
7582}
7583
7584#[derive(Debug, Copy, Clone)]
7585pub struct PointForPosition {
7586    pub previous_valid: DisplayPoint,
7587    pub next_valid: DisplayPoint,
7588    pub exact_unclipped: DisplayPoint,
7589    pub column_overshoot_after_line_end: u32,
7590}
7591
7592impl PointForPosition {
7593    pub fn as_valid(&self) -> Option<DisplayPoint> {
7594        if self.previous_valid == self.exact_unclipped && self.next_valid == self.exact_unclipped {
7595            Some(self.previous_valid)
7596        } else {
7597            None
7598        }
7599    }
7600}
7601
7602impl PositionMap {
7603    fn point_for_position(
7604        &self,
7605        text_bounds: Bounds<Pixels>,
7606        position: gpui::Point<Pixels>,
7607    ) -> PointForPosition {
7608        let scroll_position = self.snapshot.scroll_position();
7609        let position = position - text_bounds.origin;
7610        let y = position.y.max(px(0.)).min(self.size.height);
7611        let x = position.x + (scroll_position.x * self.em_width);
7612        let row = ((y / self.line_height) + scroll_position.y) as u32;
7613
7614        let (column, x_overshoot_after_line_end) = if let Some(line) = self
7615            .line_layouts
7616            .get(row as usize - scroll_position.y as usize)
7617        {
7618            if let Some(ix) = line.index_for_x(x) {
7619                (ix as u32, px(0.))
7620            } else {
7621                (line.len as u32, px(0.).max(x - line.width))
7622            }
7623        } else {
7624            (0, x)
7625        };
7626
7627        let mut exact_unclipped = DisplayPoint::new(DisplayRow(row), column);
7628        let previous_valid = self.snapshot.clip_point(exact_unclipped, Bias::Left);
7629        let next_valid = self.snapshot.clip_point(exact_unclipped, Bias::Right);
7630
7631        let column_overshoot_after_line_end = (x_overshoot_after_line_end / self.em_advance) as u32;
7632        *exact_unclipped.column_mut() += column_overshoot_after_line_end;
7633        PointForPosition {
7634            previous_valid,
7635            next_valid,
7636            exact_unclipped,
7637            column_overshoot_after_line_end,
7638        }
7639    }
7640}
7641
7642struct BlockLayout {
7643    id: BlockId,
7644    row: Option<DisplayRow>,
7645    element: AnyElement,
7646    available_space: Size<AvailableSpace>,
7647    style: BlockStyle,
7648}
7649
7650fn layout_line(
7651    row: DisplayRow,
7652    snapshot: &EditorSnapshot,
7653    style: &EditorStyle,
7654    text_width: Pixels,
7655    is_row_soft_wrapped: impl Copy + Fn(usize) -> bool,
7656    window: &mut Window,
7657    cx: &mut App,
7658) -> LineWithInvisibles {
7659    let chunks = snapshot.highlighted_chunks(row..row + DisplayRow(1), true, style);
7660    LineWithInvisibles::from_chunks(
7661        chunks,
7662        &style,
7663        MAX_LINE_LEN,
7664        1,
7665        snapshot.mode,
7666        text_width,
7667        is_row_soft_wrapped,
7668        window,
7669        cx,
7670    )
7671    .pop()
7672    .unwrap()
7673}
7674
7675#[derive(Debug)]
7676pub struct IndentGuideLayout {
7677    origin: gpui::Point<Pixels>,
7678    length: Pixels,
7679    single_indent_width: Pixels,
7680    depth: u32,
7681    active: bool,
7682    settings: IndentGuideSettings,
7683}
7684
7685pub struct CursorLayout {
7686    origin: gpui::Point<Pixels>,
7687    block_width: Pixels,
7688    line_height: Pixels,
7689    color: Hsla,
7690    shape: CursorShape,
7691    block_text: Option<ShapedLine>,
7692    cursor_name: Option<AnyElement>,
7693}
7694
7695#[derive(Debug)]
7696pub struct CursorName {
7697    string: SharedString,
7698    color: Hsla,
7699    is_top_row: bool,
7700}
7701
7702impl CursorLayout {
7703    pub fn new(
7704        origin: gpui::Point<Pixels>,
7705        block_width: Pixels,
7706        line_height: Pixels,
7707        color: Hsla,
7708        shape: CursorShape,
7709        block_text: Option<ShapedLine>,
7710    ) -> CursorLayout {
7711        CursorLayout {
7712            origin,
7713            block_width,
7714            line_height,
7715            color,
7716            shape,
7717            block_text,
7718            cursor_name: None,
7719        }
7720    }
7721
7722    pub fn bounding_rect(&self, origin: gpui::Point<Pixels>) -> Bounds<Pixels> {
7723        Bounds {
7724            origin: self.origin + origin,
7725            size: size(self.block_width, self.line_height),
7726        }
7727    }
7728
7729    fn bounds(&self, origin: gpui::Point<Pixels>) -> Bounds<Pixels> {
7730        match self.shape {
7731            CursorShape::Bar => Bounds {
7732                origin: self.origin + origin,
7733                size: size(px(2.0), self.line_height),
7734            },
7735            CursorShape::Block | CursorShape::Hollow => Bounds {
7736                origin: self.origin + origin,
7737                size: size(self.block_width, self.line_height),
7738            },
7739            CursorShape::Underline => Bounds {
7740                origin: self.origin
7741                    + origin
7742                    + gpui::Point::new(Pixels::ZERO, self.line_height - px(2.0)),
7743                size: size(self.block_width, px(2.0)),
7744            },
7745        }
7746    }
7747
7748    pub fn layout(
7749        &mut self,
7750        origin: gpui::Point<Pixels>,
7751        cursor_name: Option<CursorName>,
7752        window: &mut Window,
7753        cx: &mut App,
7754    ) {
7755        if let Some(cursor_name) = cursor_name {
7756            let bounds = self.bounds(origin);
7757            let text_size = self.line_height / 1.5;
7758
7759            let name_origin = if cursor_name.is_top_row {
7760                point(bounds.right() - px(1.), bounds.top())
7761            } else {
7762                match self.shape {
7763                    CursorShape::Bar => point(
7764                        bounds.right() - px(2.),
7765                        bounds.top() - text_size / 2. - px(1.),
7766                    ),
7767                    _ => point(
7768                        bounds.right() - px(1.),
7769                        bounds.top() - text_size / 2. - px(1.),
7770                    ),
7771                }
7772            };
7773            let mut name_element = div()
7774                .bg(self.color)
7775                .text_size(text_size)
7776                .px_0p5()
7777                .line_height(text_size + px(2.))
7778                .text_color(cursor_name.color)
7779                .child(cursor_name.string.clone())
7780                .into_any_element();
7781
7782            name_element.prepaint_as_root(name_origin, AvailableSpace::min_size(), window, cx);
7783
7784            self.cursor_name = Some(name_element);
7785        }
7786    }
7787
7788    pub fn paint(&mut self, origin: gpui::Point<Pixels>, window: &mut Window, cx: &mut App) {
7789        let bounds = self.bounds(origin);
7790
7791        //Draw background or border quad
7792        let cursor = if matches!(self.shape, CursorShape::Hollow) {
7793            outline(bounds, self.color)
7794        } else {
7795            fill(bounds, self.color)
7796        };
7797
7798        if let Some(name) = &mut self.cursor_name {
7799            name.paint(window, cx);
7800        }
7801
7802        window.paint_quad(cursor);
7803
7804        if let Some(block_text) = &self.block_text {
7805            block_text
7806                .paint(self.origin + origin, self.line_height, window, cx)
7807                .log_err();
7808        }
7809    }
7810
7811    pub fn shape(&self) -> CursorShape {
7812        self.shape
7813    }
7814}
7815
7816#[derive(Debug)]
7817pub struct HighlightedRange {
7818    pub start_y: Pixels,
7819    pub line_height: Pixels,
7820    pub lines: Vec<HighlightedRangeLine>,
7821    pub color: Hsla,
7822    pub corner_radius: Pixels,
7823}
7824
7825#[derive(Debug)]
7826pub struct HighlightedRangeLine {
7827    pub start_x: Pixels,
7828    pub end_x: Pixels,
7829}
7830
7831impl HighlightedRange {
7832    pub fn paint(&self, bounds: Bounds<Pixels>, window: &mut Window) {
7833        if self.lines.len() >= 2 && self.lines[0].start_x > self.lines[1].end_x {
7834            self.paint_lines(self.start_y, &self.lines[0..1], bounds, window);
7835            self.paint_lines(
7836                self.start_y + self.line_height,
7837                &self.lines[1..],
7838                bounds,
7839                window,
7840            );
7841        } else {
7842            self.paint_lines(self.start_y, &self.lines, bounds, window);
7843        }
7844    }
7845
7846    fn paint_lines(
7847        &self,
7848        start_y: Pixels,
7849        lines: &[HighlightedRangeLine],
7850        _bounds: Bounds<Pixels>,
7851        window: &mut Window,
7852    ) {
7853        if lines.is_empty() {
7854            return;
7855        }
7856
7857        let first_line = lines.first().unwrap();
7858        let last_line = lines.last().unwrap();
7859
7860        let first_top_left = point(first_line.start_x, start_y);
7861        let first_top_right = point(first_line.end_x, start_y);
7862
7863        let curve_height = point(Pixels::ZERO, self.corner_radius);
7864        let curve_width = |start_x: Pixels, end_x: Pixels| {
7865            let max = (end_x - start_x) / 2.;
7866            let width = if max < self.corner_radius {
7867                max
7868            } else {
7869                self.corner_radius
7870            };
7871
7872            point(width, Pixels::ZERO)
7873        };
7874
7875        let top_curve_width = curve_width(first_line.start_x, first_line.end_x);
7876        let mut builder = gpui::PathBuilder::fill();
7877        builder.curve_to(first_top_right + curve_height, first_top_right);
7878
7879        let mut iter = lines.iter().enumerate().peekable();
7880        while let Some((ix, line)) = iter.next() {
7881            let bottom_right = point(line.end_x, start_y + (ix + 1) as f32 * self.line_height);
7882
7883            if let Some((_, next_line)) = iter.peek() {
7884                let next_top_right = point(next_line.end_x, bottom_right.y);
7885
7886                match next_top_right.x.partial_cmp(&bottom_right.x).unwrap() {
7887                    Ordering::Equal => {
7888                        builder.line_to(bottom_right);
7889                    }
7890                    Ordering::Less => {
7891                        let curve_width = curve_width(next_top_right.x, bottom_right.x);
7892                        builder.line_to(bottom_right - curve_height);
7893                        if self.corner_radius > Pixels::ZERO {
7894                            builder.curve_to(bottom_right - curve_width, bottom_right);
7895                        }
7896                        builder.line_to(next_top_right + curve_width);
7897                        if self.corner_radius > Pixels::ZERO {
7898                            builder.curve_to(next_top_right + curve_height, next_top_right);
7899                        }
7900                    }
7901                    Ordering::Greater => {
7902                        let curve_width = curve_width(bottom_right.x, next_top_right.x);
7903                        builder.line_to(bottom_right - curve_height);
7904                        if self.corner_radius > Pixels::ZERO {
7905                            builder.curve_to(bottom_right + curve_width, bottom_right);
7906                        }
7907                        builder.line_to(next_top_right - curve_width);
7908                        if self.corner_radius > Pixels::ZERO {
7909                            builder.curve_to(next_top_right + curve_height, next_top_right);
7910                        }
7911                    }
7912                }
7913            } else {
7914                let curve_width = curve_width(line.start_x, line.end_x);
7915                builder.line_to(bottom_right - curve_height);
7916                if self.corner_radius > Pixels::ZERO {
7917                    builder.curve_to(bottom_right - curve_width, bottom_right);
7918                }
7919
7920                let bottom_left = point(line.start_x, bottom_right.y);
7921                builder.line_to(bottom_left + curve_width);
7922                if self.corner_radius > Pixels::ZERO {
7923                    builder.curve_to(bottom_left - curve_height, bottom_left);
7924                }
7925            }
7926        }
7927
7928        if first_line.start_x > last_line.start_x {
7929            let curve_width = curve_width(last_line.start_x, first_line.start_x);
7930            let second_top_left = point(last_line.start_x, start_y + self.line_height);
7931            builder.line_to(second_top_left + curve_height);
7932            if self.corner_radius > Pixels::ZERO {
7933                builder.curve_to(second_top_left + curve_width, second_top_left);
7934            }
7935            let first_bottom_left = point(first_line.start_x, second_top_left.y);
7936            builder.line_to(first_bottom_left - curve_width);
7937            if self.corner_radius > Pixels::ZERO {
7938                builder.curve_to(first_bottom_left - curve_height, first_bottom_left);
7939            }
7940        }
7941
7942        builder.line_to(first_top_left + curve_height);
7943        if self.corner_radius > Pixels::ZERO {
7944            builder.curve_to(first_top_left + top_curve_width, first_top_left);
7945        }
7946        builder.line_to(first_top_right - top_curve_width);
7947
7948        if let Ok(path) = builder.build() {
7949            window.paint_path(path, self.color);
7950        }
7951    }
7952}
7953
7954pub fn scale_vertical_mouse_autoscroll_delta(delta: Pixels) -> f32 {
7955    (delta.pow(1.5) / 100.0).into()
7956}
7957
7958fn scale_horizontal_mouse_autoscroll_delta(delta: Pixels) -> f32 {
7959    (delta.pow(1.2) / 300.0).into()
7960}
7961
7962pub fn register_action<T: Action>(
7963    editor: &Entity<Editor>,
7964    window: &mut Window,
7965    listener: impl Fn(&mut Editor, &T, &mut Window, &mut Context<Editor>) + 'static,
7966) {
7967    let editor = editor.clone();
7968    window.on_action(TypeId::of::<T>(), move |action, phase, window, cx| {
7969        let action = action.downcast_ref().unwrap();
7970        if phase == DispatchPhase::Bubble {
7971            editor.update(cx, |editor, cx| {
7972                listener(editor, action, window, cx);
7973            })
7974        }
7975    })
7976}
7977
7978fn compute_auto_height_layout(
7979    editor: &mut Editor,
7980    max_lines: usize,
7981    max_line_number_width: Pixels,
7982    known_dimensions: Size<Option<Pixels>>,
7983    available_width: AvailableSpace,
7984    window: &mut Window,
7985    cx: &mut Context<Editor>,
7986) -> Option<Size<Pixels>> {
7987    let width = known_dimensions.width.or({
7988        if let AvailableSpace::Definite(available_width) = available_width {
7989            Some(available_width)
7990        } else {
7991            None
7992        }
7993    })?;
7994    if let Some(height) = known_dimensions.height {
7995        return Some(size(width, height));
7996    }
7997
7998    let style = editor.style.as_ref().unwrap();
7999    let font_id = window.text_system().resolve_font(&style.text.font());
8000    let font_size = style.text.font_size.to_pixels(window.rem_size());
8001    let line_height = style.text.line_height_in_pixels(window.rem_size());
8002    let em_width = window
8003        .text_system()
8004        .typographic_bounds(font_id, font_size, 'm')
8005        .unwrap()
8006        .size
8007        .width;
8008    let em_advance = window
8009        .text_system()
8010        .advance(font_id, font_size, 'm')
8011        .unwrap()
8012        .width;
8013
8014    let mut snapshot = editor.snapshot(window, cx);
8015    let gutter_dimensions = snapshot.gutter_dimensions(
8016        font_id,
8017        font_size,
8018        em_width,
8019        em_advance,
8020        max_line_number_width,
8021        cx,
8022    );
8023
8024    editor.gutter_dimensions = gutter_dimensions;
8025    let text_width = width - gutter_dimensions.width;
8026    let overscroll = size(em_width, px(0.));
8027
8028    let editor_width = text_width - gutter_dimensions.margin - overscroll.width - em_width;
8029    if editor.set_wrap_width(Some(editor_width), cx) {
8030        snapshot = editor.snapshot(window, cx);
8031    }
8032
8033    let scroll_height = Pixels::from(snapshot.max_point().row().next_row().0) * line_height;
8034    let height = scroll_height
8035        .max(line_height)
8036        .min(line_height * max_lines as f32);
8037
8038    Some(size(width, height))
8039}
8040
8041#[cfg(test)]
8042mod tests {
8043    use super::*;
8044    use crate::{
8045        display_map::{BlockPlacement, BlockProperties},
8046        editor_tests::{init_test, update_test_language_settings},
8047        Editor, MultiBuffer,
8048    };
8049    use gpui::{TestAppContext, VisualTestContext};
8050    use language::language_settings;
8051    use log::info;
8052    use similar::DiffableStr;
8053    use std::num::NonZeroU32;
8054    use util::test::sample_text;
8055
8056    #[gpui::test]
8057    fn test_shape_line_numbers(cx: &mut TestAppContext) {
8058        init_test(cx, |_| {});
8059        let window = cx.add_window(|window, cx| {
8060            let buffer = MultiBuffer::build_simple(&sample_text(6, 6, 'a'), cx);
8061            Editor::new(EditorMode::Full, buffer, None, true, window, cx)
8062        });
8063
8064        let editor = window.root(cx).unwrap();
8065        let style = cx.update(|cx| editor.read(cx).style().unwrap().clone());
8066        let line_height = window
8067            .update(cx, |_, window, _| {
8068                style.text.line_height_in_pixels(window.rem_size())
8069            })
8070            .unwrap();
8071        let element = EditorElement::new(&editor, style);
8072        let snapshot = window
8073            .update(cx, |editor, window, cx| editor.snapshot(window, cx))
8074            .unwrap();
8075
8076        let layouts = cx
8077            .update_window(*window, |_, window, cx| {
8078                element.layout_line_numbers(
8079                    None,
8080                    GutterDimensions {
8081                        left_padding: Pixels::ZERO,
8082                        right_padding: Pixels::ZERO,
8083                        width: px(30.0),
8084                        margin: Pixels::ZERO,
8085                        git_blame_entries_width: None,
8086                    },
8087                    line_height,
8088                    gpui::Point::default(),
8089                    DisplayRow(0)..DisplayRow(6),
8090                    &(0..6)
8091                        .map(|row| RowInfo {
8092                            buffer_row: Some(row),
8093                            ..Default::default()
8094                        })
8095                        .collect::<Vec<_>>(),
8096                    Some(DisplayPoint::new(DisplayRow(0), 0)),
8097                    &snapshot,
8098                    window,
8099                    cx,
8100                )
8101            })
8102            .unwrap();
8103        assert_eq!(layouts.len(), 6);
8104
8105        let relative_rows = window
8106            .update(cx, |editor, window, cx| {
8107                let snapshot = editor.snapshot(window, cx);
8108                element.calculate_relative_line_numbers(
8109                    &snapshot,
8110                    &(DisplayRow(0)..DisplayRow(6)),
8111                    Some(DisplayRow(3)),
8112                )
8113            })
8114            .unwrap();
8115        assert_eq!(relative_rows[&DisplayRow(0)], 3);
8116        assert_eq!(relative_rows[&DisplayRow(1)], 2);
8117        assert_eq!(relative_rows[&DisplayRow(2)], 1);
8118        // current line has no relative number
8119        assert_eq!(relative_rows[&DisplayRow(4)], 1);
8120        assert_eq!(relative_rows[&DisplayRow(5)], 2);
8121
8122        // works if cursor is before screen
8123        let relative_rows = window
8124            .update(cx, |editor, window, cx| {
8125                let snapshot = editor.snapshot(window, cx);
8126                element.calculate_relative_line_numbers(
8127                    &snapshot,
8128                    &(DisplayRow(3)..DisplayRow(6)),
8129                    Some(DisplayRow(1)),
8130                )
8131            })
8132            .unwrap();
8133        assert_eq!(relative_rows.len(), 3);
8134        assert_eq!(relative_rows[&DisplayRow(3)], 2);
8135        assert_eq!(relative_rows[&DisplayRow(4)], 3);
8136        assert_eq!(relative_rows[&DisplayRow(5)], 4);
8137
8138        // works if cursor is after screen
8139        let relative_rows = window
8140            .update(cx, |editor, window, cx| {
8141                let snapshot = editor.snapshot(window, cx);
8142                element.calculate_relative_line_numbers(
8143                    &snapshot,
8144                    &(DisplayRow(0)..DisplayRow(3)),
8145                    Some(DisplayRow(6)),
8146                )
8147            })
8148            .unwrap();
8149        assert_eq!(relative_rows.len(), 3);
8150        assert_eq!(relative_rows[&DisplayRow(0)], 5);
8151        assert_eq!(relative_rows[&DisplayRow(1)], 4);
8152        assert_eq!(relative_rows[&DisplayRow(2)], 3);
8153    }
8154
8155    #[gpui::test]
8156    async fn test_vim_visual_selections(cx: &mut TestAppContext) {
8157        init_test(cx, |_| {});
8158
8159        let window = cx.add_window(|window, cx| {
8160            let buffer = MultiBuffer::build_simple(&(sample_text(6, 6, 'a') + "\n"), cx);
8161            Editor::new(EditorMode::Full, buffer, None, true, window, cx)
8162        });
8163        let cx = &mut VisualTestContext::from_window(*window, cx);
8164        let editor = window.root(cx).unwrap();
8165        let style = cx.update(|_, cx| editor.read(cx).style().unwrap().clone());
8166
8167        window
8168            .update(cx, |editor, window, cx| {
8169                editor.cursor_shape = CursorShape::Block;
8170                editor.change_selections(None, window, cx, |s| {
8171                    s.select_ranges([
8172                        Point::new(0, 0)..Point::new(1, 0),
8173                        Point::new(3, 2)..Point::new(3, 3),
8174                        Point::new(5, 6)..Point::new(6, 0),
8175                    ]);
8176                });
8177            })
8178            .unwrap();
8179
8180        let (_, state) = cx.draw(
8181            point(px(500.), px(500.)),
8182            size(px(500.), px(500.)),
8183            |_, _| EditorElement::new(&editor, style),
8184        );
8185
8186        assert_eq!(state.selections.len(), 1);
8187        let local_selections = &state.selections[0].1;
8188        assert_eq!(local_selections.len(), 3);
8189        // moves cursor back one line
8190        assert_eq!(
8191            local_selections[0].head,
8192            DisplayPoint::new(DisplayRow(0), 6)
8193        );
8194        assert_eq!(
8195            local_selections[0].range,
8196            DisplayPoint::new(DisplayRow(0), 0)..DisplayPoint::new(DisplayRow(1), 0)
8197        );
8198
8199        // moves cursor back one column
8200        assert_eq!(
8201            local_selections[1].range,
8202            DisplayPoint::new(DisplayRow(3), 2)..DisplayPoint::new(DisplayRow(3), 3)
8203        );
8204        assert_eq!(
8205            local_selections[1].head,
8206            DisplayPoint::new(DisplayRow(3), 2)
8207        );
8208
8209        // leaves cursor on the max point
8210        assert_eq!(
8211            local_selections[2].range,
8212            DisplayPoint::new(DisplayRow(5), 6)..DisplayPoint::new(DisplayRow(6), 0)
8213        );
8214        assert_eq!(
8215            local_selections[2].head,
8216            DisplayPoint::new(DisplayRow(6), 0)
8217        );
8218
8219        // active lines does not include 1 (even though the range of the selection does)
8220        assert_eq!(
8221            state.active_rows.keys().cloned().collect::<Vec<_>>(),
8222            vec![DisplayRow(0), DisplayRow(3), DisplayRow(5), DisplayRow(6)]
8223        );
8224
8225        // multi-buffer support
8226        // in DisplayPoint coordinates, this is what we're dealing with:
8227        //  0: [[file
8228        //  1:   header
8229        //  2:   section]]
8230        //  3: aaaaaa
8231        //  4: bbbbbb
8232        //  5: cccccc
8233        //  6:
8234        //  7: [[footer]]
8235        //  8: [[header]]
8236        //  9: ffffff
8237        // 10: gggggg
8238        // 11: hhhhhh
8239        // 12:
8240        // 13: [[footer]]
8241        // 14: [[file
8242        // 15:   header
8243        // 16:   section]]
8244        // 17: bbbbbb
8245        // 18: cccccc
8246        // 19: dddddd
8247        // 20: [[footer]]
8248        let window = cx.add_window(|window, cx| {
8249            let buffer = MultiBuffer::build_multi(
8250                [
8251                    (
8252                        &(sample_text(8, 6, 'a') + "\n"),
8253                        vec![
8254                            Point::new(0, 0)..Point::new(3, 0),
8255                            Point::new(4, 0)..Point::new(7, 0),
8256                        ],
8257                    ),
8258                    (
8259                        &(sample_text(8, 6, 'a') + "\n"),
8260                        vec![Point::new(1, 0)..Point::new(3, 0)],
8261                    ),
8262                ],
8263                cx,
8264            );
8265            Editor::new(EditorMode::Full, buffer, None, true, window, cx)
8266        });
8267        let editor = window.root(cx).unwrap();
8268        let style = cx.update(|_, cx| editor.read(cx).style().unwrap().clone());
8269        let _state = window.update(cx, |editor, window, cx| {
8270            editor.cursor_shape = CursorShape::Block;
8271            editor.change_selections(None, window, cx, |s| {
8272                s.select_display_ranges([
8273                    DisplayPoint::new(DisplayRow(4), 0)..DisplayPoint::new(DisplayRow(7), 0),
8274                    DisplayPoint::new(DisplayRow(10), 0)..DisplayPoint::new(DisplayRow(13), 0),
8275                ]);
8276            });
8277        });
8278
8279        let (_, state) = cx.draw(
8280            point(px(500.), px(500.)),
8281            size(px(500.), px(500.)),
8282            |_, _| EditorElement::new(&editor, style),
8283        );
8284        assert_eq!(state.selections.len(), 1);
8285        let local_selections = &state.selections[0].1;
8286        assert_eq!(local_selections.len(), 2);
8287
8288        // moves cursor on excerpt boundary back a line
8289        // and doesn't allow selection to bleed through
8290        assert_eq!(
8291            local_selections[0].range,
8292            DisplayPoint::new(DisplayRow(4), 0)..DisplayPoint::new(DisplayRow(7), 0)
8293        );
8294        assert_eq!(
8295            local_selections[0].head,
8296            DisplayPoint::new(DisplayRow(6), 0)
8297        );
8298        // moves cursor on buffer boundary back two lines
8299        // and doesn't allow selection to bleed through
8300        assert_eq!(
8301            local_selections[1].range,
8302            DisplayPoint::new(DisplayRow(10), 0)..DisplayPoint::new(DisplayRow(13), 0)
8303        );
8304        assert_eq!(
8305            local_selections[1].head,
8306            DisplayPoint::new(DisplayRow(12), 0)
8307        );
8308    }
8309
8310    #[gpui::test]
8311    fn test_layout_with_placeholder_text_and_blocks(cx: &mut TestAppContext) {
8312        init_test(cx, |_| {});
8313
8314        let window = cx.add_window(|window, cx| {
8315            let buffer = MultiBuffer::build_simple("", cx);
8316            Editor::new(EditorMode::Full, buffer, None, true, window, cx)
8317        });
8318        let cx = &mut VisualTestContext::from_window(*window, cx);
8319        let editor = window.root(cx).unwrap();
8320        let style = cx.update(|_, cx| editor.read(cx).style().unwrap().clone());
8321        window
8322            .update(cx, |editor, window, cx| {
8323                editor.set_placeholder_text("hello", cx);
8324                editor.insert_blocks(
8325                    [BlockProperties {
8326                        style: BlockStyle::Fixed,
8327                        placement: BlockPlacement::Above(Anchor::min()),
8328                        height: 3,
8329                        render: Arc::new(|cx| div().h(3. * cx.window.line_height()).into_any()),
8330                        priority: 0,
8331                    }],
8332                    None,
8333                    cx,
8334                );
8335
8336                // Blur the editor so that it displays placeholder text.
8337                window.blur();
8338            })
8339            .unwrap();
8340
8341        let (_, state) = cx.draw(
8342            point(px(500.), px(500.)),
8343            size(px(500.), px(500.)),
8344            |_, _| EditorElement::new(&editor, style),
8345        );
8346        assert_eq!(state.position_map.line_layouts.len(), 4);
8347        assert_eq!(state.line_numbers.len(), 1);
8348        assert_eq!(
8349            state
8350                .line_numbers
8351                .get(&MultiBufferRow(0))
8352                .and_then(|line_number| line_number.shaped_line.text.as_str()),
8353            Some("1")
8354        );
8355    }
8356
8357    #[gpui::test]
8358    fn test_all_invisibles_drawing(cx: &mut TestAppContext) {
8359        const TAB_SIZE: u32 = 4;
8360
8361        let input_text = "\t \t|\t| a b";
8362        let expected_invisibles = vec![
8363            Invisible::Tab {
8364                line_start_offset: 0,
8365                line_end_offset: TAB_SIZE as usize,
8366            },
8367            Invisible::Whitespace {
8368                line_offset: TAB_SIZE as usize,
8369            },
8370            Invisible::Tab {
8371                line_start_offset: TAB_SIZE as usize + 1,
8372                line_end_offset: TAB_SIZE as usize * 2,
8373            },
8374            Invisible::Tab {
8375                line_start_offset: TAB_SIZE as usize * 2 + 1,
8376                line_end_offset: TAB_SIZE as usize * 3,
8377            },
8378            Invisible::Whitespace {
8379                line_offset: TAB_SIZE as usize * 3 + 1,
8380            },
8381            Invisible::Whitespace {
8382                line_offset: TAB_SIZE as usize * 3 + 3,
8383            },
8384        ];
8385        assert_eq!(
8386            expected_invisibles.len(),
8387            input_text
8388                .chars()
8389                .filter(|initial_char| initial_char.is_whitespace())
8390                .count(),
8391            "Hardcoded expected invisibles differ from the actual ones in '{input_text}'"
8392        );
8393
8394        for show_line_numbers in [true, false] {
8395            init_test(cx, |s| {
8396                s.defaults.show_whitespaces = Some(ShowWhitespaceSetting::All);
8397                s.defaults.tab_size = NonZeroU32::new(TAB_SIZE);
8398            });
8399
8400            let actual_invisibles = collect_invisibles_from_new_editor(
8401                cx,
8402                EditorMode::Full,
8403                input_text,
8404                px(500.0),
8405                show_line_numbers,
8406            );
8407
8408            assert_eq!(expected_invisibles, actual_invisibles);
8409        }
8410    }
8411
8412    #[gpui::test]
8413    fn test_invisibles_dont_appear_in_certain_editors(cx: &mut TestAppContext) {
8414        init_test(cx, |s| {
8415            s.defaults.show_whitespaces = Some(ShowWhitespaceSetting::All);
8416            s.defaults.tab_size = NonZeroU32::new(4);
8417        });
8418
8419        for editor_mode_without_invisibles in [
8420            EditorMode::SingleLine { auto_width: false },
8421            EditorMode::AutoHeight { max_lines: 100 },
8422        ] {
8423            for show_line_numbers in [true, false] {
8424                let invisibles = collect_invisibles_from_new_editor(
8425                    cx,
8426                    editor_mode_without_invisibles,
8427                    "\t\t\t| | a b",
8428                    px(500.0),
8429                    show_line_numbers,
8430                );
8431                assert!(invisibles.is_empty(),
8432                    "For editor mode {editor_mode_without_invisibles:?} no invisibles was expected but got {invisibles:?}");
8433            }
8434        }
8435    }
8436
8437    #[gpui::test]
8438    fn test_wrapped_invisibles_drawing(cx: &mut TestAppContext) {
8439        let tab_size = 4;
8440        let input_text = "a\tbcd     ".repeat(9);
8441        let repeated_invisibles = [
8442            Invisible::Tab {
8443                line_start_offset: 1,
8444                line_end_offset: tab_size as usize,
8445            },
8446            Invisible::Whitespace {
8447                line_offset: tab_size as usize + 3,
8448            },
8449            Invisible::Whitespace {
8450                line_offset: tab_size as usize + 4,
8451            },
8452            Invisible::Whitespace {
8453                line_offset: tab_size as usize + 5,
8454            },
8455            Invisible::Whitespace {
8456                line_offset: tab_size as usize + 6,
8457            },
8458            Invisible::Whitespace {
8459                line_offset: tab_size as usize + 7,
8460            },
8461        ];
8462        let expected_invisibles = std::iter::once(repeated_invisibles)
8463            .cycle()
8464            .take(9)
8465            .flatten()
8466            .collect::<Vec<_>>();
8467        assert_eq!(
8468            expected_invisibles.len(),
8469            input_text
8470                .chars()
8471                .filter(|initial_char| initial_char.is_whitespace())
8472                .count(),
8473            "Hardcoded expected invisibles differ from the actual ones in '{input_text}'"
8474        );
8475        info!("Expected invisibles: {expected_invisibles:?}");
8476
8477        init_test(cx, |_| {});
8478
8479        // Put the same string with repeating whitespace pattern into editors of various size,
8480        // take deliberately small steps during resizing, to put all whitespace kinds near the wrap point.
8481        let resize_step = 10.0;
8482        let mut editor_width = 200.0;
8483        while editor_width <= 1000.0 {
8484            for show_line_numbers in [true, false] {
8485                update_test_language_settings(cx, |s| {
8486                    s.defaults.tab_size = NonZeroU32::new(tab_size);
8487                    s.defaults.show_whitespaces = Some(ShowWhitespaceSetting::All);
8488                    s.defaults.preferred_line_length = Some(editor_width as u32);
8489                    s.defaults.soft_wrap = Some(language_settings::SoftWrap::PreferredLineLength);
8490                });
8491
8492                let actual_invisibles = collect_invisibles_from_new_editor(
8493                    cx,
8494                    EditorMode::Full,
8495                    &input_text,
8496                    px(editor_width),
8497                    show_line_numbers,
8498                );
8499
8500                // Whatever the editor size is, ensure it has the same invisible kinds in the same order
8501                // (no good guarantees about the offsets: wrapping could trigger padding and its tests should check the offsets).
8502                let mut i = 0;
8503                for (actual_index, actual_invisible) in actual_invisibles.iter().enumerate() {
8504                    i = actual_index;
8505                    match expected_invisibles.get(i) {
8506                        Some(expected_invisible) => match (expected_invisible, actual_invisible) {
8507                            (Invisible::Whitespace { .. }, Invisible::Whitespace { .. })
8508                            | (Invisible::Tab { .. }, Invisible::Tab { .. }) => {}
8509                            _ => {
8510                                panic!("At index {i}, expected invisible {expected_invisible:?} does not match actual {actual_invisible:?} by kind. Actual invisibles: {actual_invisibles:?}")
8511                            }
8512                        },
8513                        None => {
8514                            panic!("Unexpected extra invisible {actual_invisible:?} at index {i}")
8515                        }
8516                    }
8517                }
8518                let missing_expected_invisibles = &expected_invisibles[i + 1..];
8519                assert!(
8520                    missing_expected_invisibles.is_empty(),
8521                    "Missing expected invisibles after index {i}: {missing_expected_invisibles:?}"
8522                );
8523
8524                editor_width += resize_step;
8525            }
8526        }
8527    }
8528
8529    fn collect_invisibles_from_new_editor(
8530        cx: &mut TestAppContext,
8531        editor_mode: EditorMode,
8532        input_text: &str,
8533        editor_width: Pixels,
8534        show_line_numbers: bool,
8535    ) -> Vec<Invisible> {
8536        info!(
8537            "Creating editor with mode {editor_mode:?}, width {}px and text '{input_text}'",
8538            editor_width.0
8539        );
8540        let window = cx.add_window(|window, cx| {
8541            let buffer = MultiBuffer::build_simple(input_text, cx);
8542            Editor::new(editor_mode, buffer, None, true, window, cx)
8543        });
8544        let cx = &mut VisualTestContext::from_window(*window, cx);
8545        let editor = window.root(cx).unwrap();
8546
8547        let style = cx.update(|_, cx| editor.read(cx).style().unwrap().clone());
8548        window
8549            .update(cx, |editor, _, cx| {
8550                editor.set_soft_wrap_mode(language_settings::SoftWrap::EditorWidth, cx);
8551                editor.set_wrap_width(Some(editor_width), cx);
8552                editor.set_show_line_numbers(show_line_numbers, cx);
8553            })
8554            .unwrap();
8555        let (_, state) = cx.draw(
8556            point(px(500.), px(500.)),
8557            size(px(500.), px(500.)),
8558            |_, _| EditorElement::new(&editor, style),
8559        );
8560        state
8561            .position_map
8562            .line_layouts
8563            .iter()
8564            .flat_map(|line_with_invisibles| &line_with_invisibles.invisibles)
8565            .cloned()
8566            .collect()
8567    }
8568}
8569
8570fn diff_hunk_controls(
8571    row: u32,
8572    hunk_range: Range<Anchor>,
8573    line_height: Pixels,
8574    editor: &Entity<Editor>,
8575    cx: &mut App,
8576) -> AnyElement {
8577    h_flex()
8578        .h(line_height)
8579        .mr_1()
8580        .gap_1()
8581        .px_1()
8582        .pb_1()
8583        .border_b_1()
8584        .border_color(cx.theme().colors().border_variant)
8585        .rounded_b_lg()
8586        .bg(cx.theme().colors().editor_background)
8587        .gap_1()
8588        .child(
8589            IconButton::new(("next-hunk", row as u64), IconName::ArrowDown)
8590                .shape(IconButtonShape::Square)
8591                .icon_size(IconSize::Small)
8592                // .disabled(!has_multiple_hunks)
8593                .tooltip({
8594                    let focus_handle = editor.focus_handle(cx);
8595                    move |window, cx| {
8596                        Tooltip::for_action_in("Next Hunk", &GoToHunk, &focus_handle, window, cx)
8597                    }
8598                })
8599                .on_click({
8600                    let editor = editor.clone();
8601                    move |_event, window, cx| {
8602                        editor.update(cx, |editor, cx| {
8603                            let snapshot = editor.snapshot(window, cx);
8604                            let position = hunk_range.end.to_point(&snapshot.buffer_snapshot);
8605                            editor.go_to_hunk_after_position(&snapshot, position, window, cx);
8606                            editor.expand_selected_diff_hunks(cx);
8607                        });
8608                    }
8609                }),
8610        )
8611        .child(
8612            IconButton::new(("prev-hunk", row as u64), IconName::ArrowUp)
8613                .shape(IconButtonShape::Square)
8614                .icon_size(IconSize::Small)
8615                // .disabled(!has_multiple_hunks)
8616                .tooltip({
8617                    let focus_handle = editor.focus_handle(cx);
8618                    move |window, cx| {
8619                        Tooltip::for_action_in(
8620                            "Previous Hunk",
8621                            &GoToPrevHunk,
8622                            &focus_handle,
8623                            window,
8624                            cx,
8625                        )
8626                    }
8627                })
8628                .on_click({
8629                    let editor = editor.clone();
8630                    move |_event, window, cx| {
8631                        editor.update(cx, |editor, cx| {
8632                            let snapshot = editor.snapshot(window, cx);
8633                            let point = hunk_range.start.to_point(&snapshot.buffer_snapshot);
8634                            editor.go_to_hunk_before_position(&snapshot, point, window, cx);
8635                            editor.expand_selected_diff_hunks(cx);
8636                        });
8637                    }
8638                }),
8639        )
8640        .child(
8641            IconButton::new("discard", IconName::Undo)
8642                .shape(IconButtonShape::Square)
8643                .icon_size(IconSize::Small)
8644                .tooltip({
8645                    let focus_handle = editor.focus_handle(cx);
8646                    move |window, cx| {
8647                        Tooltip::for_action_in(
8648                            "Discard Hunk",
8649                            &RevertSelectedHunks,
8650                            &focus_handle,
8651                            window,
8652                            cx,
8653                        )
8654                    }
8655                })
8656                .on_click({
8657                    let editor = editor.clone();
8658                    move |_event, window, cx| {
8659                        editor.update(cx, |editor, cx| {
8660                            let snapshot = editor.snapshot(window, cx);
8661                            let point = hunk_range.start.to_point(&snapshot.buffer_snapshot);
8662                            editor.revert_hunks_in_ranges([point..point].into_iter(), window, cx);
8663                        });
8664                    }
8665                }),
8666        )
8667        .into_any_element()
8668}