1use crate::markdown_elements::{
   2    HeadingLevel, Image, Link, MarkdownParagraph, MarkdownParagraphChunk, ParsedMarkdown,
   3    ParsedMarkdownBlockQuote, ParsedMarkdownCodeBlock, ParsedMarkdownElement,
   4    ParsedMarkdownHeading, ParsedMarkdownListItem, ParsedMarkdownListItemType, ParsedMarkdownTable,
   5    ParsedMarkdownTableAlignment, ParsedMarkdownTableRow,
   6};
   7use fs::normalize_path;
   8use gpui::{
   9    AbsoluteLength, AnyElement, App, AppContext as _, ClipboardItem, Context, DefiniteLength, Div,
  10    Element, ElementId, Entity, HighlightStyle, Hsla, ImageSource, InteractiveText, IntoElement,
  11    Keystroke, Modifiers, ParentElement, Render, Resource, SharedString, Styled, StyledText,
  12    TextStyle, WeakEntity, Window, div, img, rems,
  13};
  14use settings::Settings;
  15use std::{
  16    ops::{Mul, Range},
  17    sync::Arc,
  18    vec,
  19};
  20use theme::{ActiveTheme, SyntaxTheme, ThemeSettings};
  21use ui::{
  22    ButtonCommon, Clickable, Color, FluentBuilder, IconButton, IconName, IconSize,
  23    InteractiveElement, Label, LabelCommon, LabelSize, LinkPreview, Pixels, Rems,
  24    StatefulInteractiveElement, StyledExt, StyledImage, ToggleState, Tooltip, VisibleOnHover,
  25    h_flex, tooltip_container, v_flex,
  26};
  27use workspace::{OpenOptions, OpenVisible, Workspace};
  28
  29pub struct CheckboxClickedEvent {
  30    pub checked: bool,
  31    pub source_range: Range<usize>,
  32}
  33
  34impl CheckboxClickedEvent {
  35    pub fn source_range(&self) -> Range<usize> {
  36        self.source_range.clone()
  37    }
  38
  39    pub fn checked(&self) -> bool {
  40        self.checked
  41    }
  42}
  43
  44type CheckboxClickedCallback = Arc<Box<dyn Fn(&CheckboxClickedEvent, &mut Window, &mut App)>>;
  45
  46#[derive(Clone)]
  47pub struct RenderContext {
  48    workspace: Option<WeakEntity<Workspace>>,
  49    next_id: usize,
  50    buffer_font_family: SharedString,
  51    buffer_text_style: TextStyle,
  52    text_style: TextStyle,
  53    border_color: Hsla,
  54    title_bar_background_color: Hsla,
  55    panel_background_color: Hsla,
  56    text_color: Hsla,
  57    link_color: Hsla,
  58    window_rem_size: Pixels,
  59    text_muted_color: Hsla,
  60    code_block_background_color: Hsla,
  61    code_span_background_color: Hsla,
  62    syntax_theme: Arc<SyntaxTheme>,
  63    indent: usize,
  64    checkbox_clicked_callback: Option<CheckboxClickedCallback>,
  65    is_last_child: bool,
  66}
  67
  68impl RenderContext {
  69    pub fn new(
  70        workspace: Option<WeakEntity<Workspace>>,
  71        window: &mut Window,
  72        cx: &mut App,
  73    ) -> RenderContext {
  74        let theme = cx.theme().clone();
  75
  76        let settings = ThemeSettings::get_global(cx);
  77        let buffer_font_family = settings.buffer_font.family.clone();
  78        let mut buffer_text_style = window.text_style();
  79        buffer_text_style.font_family = buffer_font_family.clone();
  80        buffer_text_style.font_size = AbsoluteLength::from(settings.buffer_font_size(cx));
  81
  82        RenderContext {
  83            workspace,
  84            next_id: 0,
  85            indent: 0,
  86            buffer_font_family,
  87            buffer_text_style,
  88            text_style: window.text_style(),
  89            syntax_theme: theme.syntax().clone(),
  90            border_color: theme.colors().border,
  91            title_bar_background_color: theme.colors().title_bar_background,
  92            panel_background_color: theme.colors().panel_background,
  93            text_color: theme.colors().text,
  94            link_color: theme.colors().text_accent,
  95            window_rem_size: window.rem_size(),
  96            text_muted_color: theme.colors().text_muted,
  97            code_block_background_color: theme.colors().surface_background,
  98            code_span_background_color: theme.colors().editor_document_highlight_read_background,
  99            checkbox_clicked_callback: None,
 100            is_last_child: false,
 101        }
 102    }
 103
 104    pub fn with_checkbox_clicked_callback(
 105        mut self,
 106        callback: impl Fn(&CheckboxClickedEvent, &mut Window, &mut App) + 'static,
 107    ) -> Self {
 108        self.checkbox_clicked_callback = Some(Arc::new(Box::new(callback)));
 109        self
 110    }
 111
 112    fn next_id(&mut self, span: &Range<usize>) -> ElementId {
 113        let id = format!("markdown-{}-{}-{}", self.next_id, span.start, span.end);
 114        self.next_id += 1;
 115        ElementId::from(SharedString::from(id))
 116    }
 117
 118    /// HACK: used to have rems relative to buffer font size, so that things scale appropriately as
 119    /// buffer font size changes. The callees of this function should be reimplemented to use real
 120    /// relative sizing once that is implemented in GPUI
 121    pub fn scaled_rems(&self, rems: f32) -> Rems {
 122        self.buffer_text_style
 123            .font_size
 124            .to_rems(self.window_rem_size)
 125            .mul(rems)
 126    }
 127
 128    /// This ensures that children inside of block quotes
 129    /// have padding between them.
 130    ///
 131    /// For example, for this markdown:
 132    ///
 133    /// ```markdown
 134    /// > This is a block quote.
 135    /// >
 136    /// > And this is the next paragraph.
 137    /// ```
 138    ///
 139    /// We give padding between "This is a block quote."
 140    /// and "And this is the next paragraph."
 141    fn with_common_p(&self, element: Div) -> Div {
 142        if self.indent > 0 && !self.is_last_child {
 143            element.pb(self.scaled_rems(0.75))
 144        } else {
 145            element
 146        }
 147    }
 148
 149    /// The is used to indicate that the current element is the last child or not of its parent.
 150    ///
 151    /// Then we can avoid adding padding to the bottom of the last child.
 152    fn with_last_child<R>(&mut self, is_last: bool, render: R) -> AnyElement
 153    where
 154        R: FnOnce(&mut Self) -> AnyElement,
 155    {
 156        self.is_last_child = is_last;
 157        let element = render(self);
 158        self.is_last_child = false;
 159        element
 160    }
 161}
 162
 163pub fn render_parsed_markdown(
 164    parsed: &ParsedMarkdown,
 165    workspace: Option<WeakEntity<Workspace>>,
 166    window: &mut Window,
 167    cx: &mut App,
 168) -> Div {
 169    let mut cx = RenderContext::new(workspace, window, cx);
 170
 171    v_flex().gap_3().children(
 172        parsed
 173            .children
 174            .iter()
 175            .map(|block| render_markdown_block(block, &mut cx)),
 176    )
 177}
 178pub fn render_markdown_block(block: &ParsedMarkdownElement, cx: &mut RenderContext) -> AnyElement {
 179    use ParsedMarkdownElement::*;
 180    match block {
 181        Paragraph(text) => render_markdown_paragraph(text, cx),
 182        Heading(heading) => render_markdown_heading(heading, cx),
 183        ListItem(list_item) => render_markdown_list_item(list_item, cx),
 184        Table(table) => render_markdown_table(table, cx),
 185        BlockQuote(block_quote) => render_markdown_block_quote(block_quote, cx),
 186        CodeBlock(code_block) => render_markdown_code_block(code_block, cx),
 187        HorizontalRule(_) => render_markdown_rule(cx),
 188        Image(image) => render_markdown_image(image, cx),
 189    }
 190}
 191
 192fn render_markdown_heading(parsed: &ParsedMarkdownHeading, cx: &mut RenderContext) -> AnyElement {
 193    let size = match parsed.level {
 194        HeadingLevel::H1 => 2.,
 195        HeadingLevel::H2 => 1.5,
 196        HeadingLevel::H3 => 1.25,
 197        HeadingLevel::H4 => 1.,
 198        HeadingLevel::H5 => 0.875,
 199        HeadingLevel::H6 => 0.85,
 200    };
 201
 202    let text_size = cx.scaled_rems(size);
 203
 204    // was `DefiniteLength::from(text_size.mul(1.25))`
 205    // let line_height = DefiniteLength::from(text_size.mul(1.25));
 206    let line_height = text_size * 1.25;
 207
 208    // was `rems(0.15)`
 209    // let padding_top = cx.scaled_rems(0.15);
 210    let padding_top = rems(0.15);
 211
 212    // was `.pb_1()` = `rems(0.25)`
 213    // let padding_bottom = cx.scaled_rems(0.25);
 214    let padding_bottom = rems(0.25);
 215
 216    let color = match parsed.level {
 217        HeadingLevel::H6 => cx.text_muted_color,
 218        _ => cx.text_color,
 219    };
 220    div()
 221        .line_height(line_height)
 222        .text_size(text_size)
 223        .text_color(color)
 224        .pt(padding_top)
 225        .pb(padding_bottom)
 226        .children(render_markdown_text(&parsed.contents, cx))
 227        .whitespace_normal()
 228        .into_any()
 229}
 230
 231fn render_markdown_list_item(
 232    parsed: &ParsedMarkdownListItem,
 233    cx: &mut RenderContext,
 234) -> AnyElement {
 235    use ParsedMarkdownListItemType::*;
 236
 237    let padding = cx.scaled_rems((parsed.depth - 1) as f32);
 238
 239    let bullet = match &parsed.item_type {
 240        Ordered(order) => format!("{}.", order).into_any_element(),
 241        Unordered => "•".into_any_element(),
 242        Task(checked, range) => div()
 243            .id(cx.next_id(range))
 244            .mt(cx.scaled_rems(3.0 / 16.0))
 245            .child(
 246                MarkdownCheckbox::new(
 247                    "checkbox",
 248                    if *checked {
 249                        ToggleState::Selected
 250                    } else {
 251                        ToggleState::Unselected
 252                    },
 253                    cx.clone(),
 254                )
 255                .when_some(
 256                    cx.checkbox_clicked_callback.clone(),
 257                    |this, callback| {
 258                        this.on_click({
 259                            let range = range.clone();
 260                            move |selection, window, cx| {
 261                                let checked = match selection {
 262                                    ToggleState::Selected => true,
 263                                    ToggleState::Unselected => false,
 264                                    _ => return,
 265                                };
 266
 267                                if window.modifiers().secondary() {
 268                                    callback(
 269                                        &CheckboxClickedEvent {
 270                                            checked,
 271                                            source_range: range.clone(),
 272                                        },
 273                                        window,
 274                                        cx,
 275                                    );
 276                                }
 277                            }
 278                        })
 279                    },
 280                ),
 281            )
 282            .hover(|s| s.cursor_pointer())
 283            .tooltip(|_, cx| {
 284                InteractiveMarkdownElementTooltip::new(None, "toggle checkbox", cx).into()
 285            })
 286            .into_any_element(),
 287    };
 288    let bullet = div().mr(cx.scaled_rems(0.5)).child(bullet);
 289
 290    let contents: Vec<AnyElement> = parsed
 291        .content
 292        .iter()
 293        .map(|c| render_markdown_block(c, cx))
 294        .collect();
 295
 296    let item = h_flex()
 297        .pl(DefiniteLength::Absolute(AbsoluteLength::Rems(padding)))
 298        .items_start()
 299        .children(vec![
 300            bullet,
 301            v_flex()
 302                .children(contents)
 303                .gap(cx.scaled_rems(1.0))
 304                .pr(cx.scaled_rems(1.0))
 305                .w_full(),
 306        ]);
 307
 308    cx.with_common_p(item).into_any()
 309}
 310
 311/// # MarkdownCheckbox ///
 312/// HACK: Copied from `ui/src/components/toggle.rs` to deal with scaling issues in markdown preview
 313/// changes should be integrated into `Checkbox` in `toggle.rs` while making sure checkboxes elsewhere in the
 314/// app are not visually affected
 315#[derive(gpui::IntoElement)]
 316struct MarkdownCheckbox {
 317    id: ElementId,
 318    toggle_state: ToggleState,
 319    disabled: bool,
 320    placeholder: bool,
 321    on_click: Option<Box<dyn Fn(&ToggleState, &mut Window, &mut App) + 'static>>,
 322    filled: bool,
 323    style: ui::ToggleStyle,
 324    tooltip: Option<Box<dyn Fn(&mut Window, &mut App) -> gpui::AnyView>>,
 325    label: Option<SharedString>,
 326    render_cx: RenderContext,
 327}
 328
 329impl MarkdownCheckbox {
 330    /// Creates a new [`Checkbox`].
 331    fn new(id: impl Into<ElementId>, checked: ToggleState, render_cx: RenderContext) -> Self {
 332        Self {
 333            id: id.into(),
 334            toggle_state: checked,
 335            disabled: false,
 336            on_click: None,
 337            filled: false,
 338            style: ui::ToggleStyle::default(),
 339            tooltip: None,
 340            label: None,
 341            placeholder: false,
 342            render_cx,
 343        }
 344    }
 345
 346    /// Binds a handler to the [`Checkbox`] that will be called when clicked.
 347    fn on_click(mut self, handler: impl Fn(&ToggleState, &mut Window, &mut App) + 'static) -> Self {
 348        self.on_click = Some(Box::new(handler));
 349        self
 350    }
 351
 352    fn bg_color(&self, cx: &App) -> Hsla {
 353        let style = self.style.clone();
 354        match (style, self.filled) {
 355            (ui::ToggleStyle::Ghost, false) => cx.theme().colors().ghost_element_background,
 356            (ui::ToggleStyle::Ghost, true) => cx.theme().colors().element_background,
 357            (ui::ToggleStyle::ElevationBased(_), false) => gpui::transparent_black(),
 358            (ui::ToggleStyle::ElevationBased(elevation), true) => elevation.darker_bg(cx),
 359            (ui::ToggleStyle::Custom(_), false) => gpui::transparent_black(),
 360            (ui::ToggleStyle::Custom(color), true) => color.opacity(0.2),
 361        }
 362    }
 363
 364    fn border_color(&self, cx: &App) -> Hsla {
 365        if self.disabled {
 366            return cx.theme().colors().border_variant;
 367        }
 368
 369        match self.style.clone() {
 370            ui::ToggleStyle::Ghost => cx.theme().colors().border,
 371            ui::ToggleStyle::ElevationBased(_) => cx.theme().colors().border,
 372            ui::ToggleStyle::Custom(color) => color.opacity(0.3),
 373        }
 374    }
 375}
 376
 377impl gpui::RenderOnce for MarkdownCheckbox {
 378    fn render(self, _: &mut Window, cx: &mut App) -> impl IntoElement {
 379        let group_id = format!("checkbox_group_{:?}", self.id);
 380        let color = if self.disabled {
 381            Color::Disabled
 382        } else {
 383            Color::Selected
 384        };
 385        let icon_size_small = IconSize::Custom(self.render_cx.scaled_rems(14. / 16.)); // was IconSize::Small
 386        let icon = match self.toggle_state {
 387            ToggleState::Selected => {
 388                if self.placeholder {
 389                    None
 390                } else {
 391                    Some(
 392                        ui::Icon::new(IconName::Check)
 393                            .size(icon_size_small)
 394                            .color(color),
 395                    )
 396                }
 397            }
 398            ToggleState::Indeterminate => Some(
 399                ui::Icon::new(IconName::Dash)
 400                    .size(icon_size_small)
 401                    .color(color),
 402            ),
 403            ToggleState::Unselected => None,
 404        };
 405
 406        let bg_color = self.bg_color(cx);
 407        let border_color = self.border_color(cx);
 408        let hover_border_color = border_color.alpha(0.7);
 409
 410        let size = self.render_cx.scaled_rems(1.25); // was Self::container_size(); (20px)
 411
 412        let checkbox = h_flex()
 413            .id(self.id.clone())
 414            .justify_center()
 415            .items_center()
 416            .size(size)
 417            .group(group_id.clone())
 418            .child(
 419                div()
 420                    .flex()
 421                    .flex_none()
 422                    .justify_center()
 423                    .items_center()
 424                    .m(self.render_cx.scaled_rems(0.25)) // was .m_1
 425                    .size(self.render_cx.scaled_rems(1.0)) // was .size_4
 426                    .rounded(self.render_cx.scaled_rems(0.125)) // was .rounded_xs
 427                    .border_1()
 428                    .bg(bg_color)
 429                    .border_color(border_color)
 430                    .when(self.disabled, |this| this.cursor_not_allowed())
 431                    .when(self.disabled, |this| {
 432                        this.bg(cx.theme().colors().element_disabled.opacity(0.6))
 433                    })
 434                    .when(!self.disabled, |this| {
 435                        this.group_hover(group_id.clone(), |el| el.border_color(hover_border_color))
 436                    })
 437                    .when(self.placeholder, |this| {
 438                        this.child(
 439                            div()
 440                                .flex_none()
 441                                .rounded_full()
 442                                .bg(color.color(cx).alpha(0.5))
 443                                .size(self.render_cx.scaled_rems(0.25)), // was .size_1
 444                        )
 445                    })
 446                    .children(icon),
 447            );
 448
 449        h_flex()
 450            .id(self.id)
 451            .gap(ui::DynamicSpacing::Base06.rems(cx))
 452            .child(checkbox)
 453            .when_some(
 454                self.on_click.filter(|_| !self.disabled),
 455                |this, on_click| {
 456                    this.on_click(move |_, window, cx| {
 457                        on_click(&self.toggle_state.inverse(), window, cx)
 458                    })
 459                },
 460            )
 461            // TODO: Allow label size to be different from default.
 462            // TODO: Allow label color to be different from muted.
 463            .when_some(self.label, |this, label| {
 464                this.child(Label::new(label).color(Color::Muted))
 465            })
 466            .when_some(self.tooltip, |this, tooltip| {
 467                this.tooltip(move |window, cx| tooltip(window, cx))
 468            })
 469    }
 470}
 471
 472fn calculate_table_columns_count(rows: &Vec<ParsedMarkdownTableRow>) -> usize {
 473    let mut actual_column_count = 0;
 474    for row in rows {
 475        actual_column_count = actual_column_count.max(
 476            row.columns
 477                .iter()
 478                .map(|column| column.col_span)
 479                .sum::<usize>(),
 480        );
 481    }
 482    actual_column_count
 483}
 484
 485fn render_markdown_table(parsed: &ParsedMarkdownTable, cx: &mut RenderContext) -> AnyElement {
 486    let actual_header_column_count = calculate_table_columns_count(&parsed.header);
 487    let actual_body_column_count = calculate_table_columns_count(&parsed.body);
 488    let max_column_count = std::cmp::max(actual_header_column_count, actual_body_column_count);
 489
 490    let total_rows = parsed.header.len() + parsed.body.len();
 491
 492    // Track which grid cells are occupied by spanning cells
 493    let mut grid_occupied = vec![vec![false; max_column_count]; total_rows];
 494
 495    let mut cells = Vec::with_capacity(total_rows * max_column_count);
 496
 497    for (row_idx, row) in parsed.header.iter().chain(parsed.body.iter()).enumerate() {
 498        let mut col_idx = 0;
 499
 500        for (cell_idx, cell) in row.columns.iter().enumerate() {
 501            // Skip columns occupied by row-spanning cells from previous rows
 502            while col_idx < max_column_count && grid_occupied[row_idx][col_idx] {
 503                col_idx += 1;
 504            }
 505
 506            if col_idx >= max_column_count {
 507                break;
 508            }
 509
 510            let alignment = parsed
 511                .column_alignments
 512                .get(cell_idx)
 513                .copied()
 514                .unwrap_or_else(|| {
 515                    if cell.is_header {
 516                        ParsedMarkdownTableAlignment::Center
 517                    } else {
 518                        ParsedMarkdownTableAlignment::None
 519                    }
 520                });
 521
 522            let container = match alignment {
 523                ParsedMarkdownTableAlignment::Left | ParsedMarkdownTableAlignment::None => div(),
 524                ParsedMarkdownTableAlignment::Center => v_flex().items_center(),
 525                ParsedMarkdownTableAlignment::Right => v_flex().items_end(),
 526            };
 527
 528            let cell_element = container
 529                .col_span(cell.col_span.min(max_column_count - col_idx) as u16)
 530                .row_span(cell.row_span.min(total_rows - row_idx) as u16)
 531                .children(render_markdown_text(&cell.children, cx))
 532                .px_2()
 533                .py_1()
 534                .border_1()
 535                .size_full()
 536                .border_color(cx.border_color)
 537                .when(cell.is_header, |this| {
 538                    this.bg(cx.title_bar_background_color)
 539                })
 540                .when(cell.row_span > 1, |this| this.justify_center())
 541                .when(row_idx % 2 == 1, |this| this.bg(cx.panel_background_color));
 542
 543            cells.push(cell_element);
 544
 545            // Mark grid positions as occupied for row-spanning cells
 546            for r in 0..cell.row_span {
 547                for c in 0..cell.col_span {
 548                    if row_idx + r < total_rows && col_idx + c < max_column_count {
 549                        grid_occupied[row_idx + r][col_idx + c] = true;
 550                    }
 551                }
 552            }
 553
 554            col_idx += cell.col_span;
 555        }
 556
 557        // Fill remaining columns with empty cells if needed
 558        while col_idx < max_column_count {
 559            if grid_occupied[row_idx][col_idx] {
 560                col_idx += 1;
 561                continue;
 562            }
 563
 564            let empty_cell = div()
 565                .border_1()
 566                .size_full()
 567                .border_color(cx.border_color)
 568                .when(row_idx % 2 == 1, |this| this.bg(cx.panel_background_color));
 569
 570            cells.push(empty_cell);
 571            col_idx += 1;
 572        }
 573    }
 574
 575    cx.with_common_p(div())
 576        .grid()
 577        .size_full()
 578        .grid_cols(max_column_count as u16)
 579        .border_1()
 580        .border_color(cx.border_color)
 581        .children(cells)
 582        .into_any()
 583}
 584
 585fn render_markdown_block_quote(
 586    parsed: &ParsedMarkdownBlockQuote,
 587    cx: &mut RenderContext,
 588) -> AnyElement {
 589    cx.indent += 1;
 590
 591    let children: Vec<AnyElement> = parsed
 592        .children
 593        .iter()
 594        .enumerate()
 595        .map(|(ix, child)| {
 596            cx.with_last_child(ix + 1 == parsed.children.len(), |cx| {
 597                render_markdown_block(child, cx)
 598            })
 599        })
 600        .collect();
 601
 602    cx.indent -= 1;
 603
 604    cx.with_common_p(div())
 605        .child(
 606            div()
 607                .border_l_4()
 608                .border_color(cx.border_color)
 609                .pl_3()
 610                .children(children),
 611        )
 612        .into_any()
 613}
 614
 615fn render_markdown_code_block(
 616    parsed: &ParsedMarkdownCodeBlock,
 617    cx: &mut RenderContext,
 618) -> AnyElement {
 619    let body = if let Some(highlights) = parsed.highlights.as_ref() {
 620        StyledText::new(parsed.contents.clone()).with_default_highlights(
 621            &cx.buffer_text_style,
 622            highlights.iter().filter_map(|(range, highlight_id)| {
 623                highlight_id
 624                    .style(cx.syntax_theme.as_ref())
 625                    .map(|style| (range.clone(), style))
 626            }),
 627        )
 628    } else {
 629        StyledText::new(parsed.contents.clone())
 630    };
 631
 632    let copy_block_button = IconButton::new("copy-code", IconName::Copy)
 633        .icon_size(IconSize::Small)
 634        .on_click({
 635            let contents = parsed.contents.clone();
 636            move |_, _window, cx| {
 637                cx.write_to_clipboard(ClipboardItem::new_string(contents.to_string()));
 638            }
 639        })
 640        .tooltip(Tooltip::text("Copy code block"))
 641        .visible_on_hover("markdown-block");
 642
 643    cx.with_common_p(div())
 644        .font_family(cx.buffer_font_family.clone())
 645        .px_3()
 646        .py_3()
 647        .bg(cx.code_block_background_color)
 648        .rounded_sm()
 649        .child(body)
 650        .child(
 651            div()
 652                .h_flex()
 653                .absolute()
 654                .right_1()
 655                .top_1()
 656                .child(copy_block_button),
 657        )
 658        .into_any()
 659}
 660
 661fn render_markdown_paragraph(parsed: &MarkdownParagraph, cx: &mut RenderContext) -> AnyElement {
 662    cx.with_common_p(div())
 663        .children(render_markdown_text(parsed, cx))
 664        .flex()
 665        .flex_col()
 666        .into_any_element()
 667}
 668
 669fn render_markdown_text(parsed_new: &MarkdownParagraph, cx: &mut RenderContext) -> Vec<AnyElement> {
 670    let mut any_element = Vec::with_capacity(parsed_new.len());
 671    // these values are cloned in-order satisfy borrow checker
 672    let syntax_theme = cx.syntax_theme.clone();
 673    let workspace_clone = cx.workspace.clone();
 674    let code_span_bg_color = cx.code_span_background_color;
 675    let text_style = cx.text_style.clone();
 676    let link_color = cx.link_color;
 677
 678    for parsed_region in parsed_new {
 679        match parsed_region {
 680            MarkdownParagraphChunk::Text(parsed) => {
 681                let element_id = cx.next_id(&parsed.source_range);
 682
 683                let highlights = gpui::combine_highlights(
 684                    parsed.highlights.iter().filter_map(|(range, highlight)| {
 685                        highlight
 686                            .to_highlight_style(&syntax_theme)
 687                            .map(|style| (range.clone(), style))
 688                    }),
 689                    parsed.regions.iter().zip(&parsed.region_ranges).filter_map(
 690                        |(region, range)| {
 691                            if region.code {
 692                                Some((
 693                                    range.clone(),
 694                                    HighlightStyle {
 695                                        background_color: Some(code_span_bg_color),
 696                                        ..Default::default()
 697                                    },
 698                                ))
 699                            } else if region.link.is_some() {
 700                                Some((
 701                                    range.clone(),
 702                                    HighlightStyle {
 703                                        color: Some(link_color),
 704                                        ..Default::default()
 705                                    },
 706                                ))
 707                            } else {
 708                                None
 709                            }
 710                        },
 711                    ),
 712                );
 713                let mut links = Vec::new();
 714                let mut link_ranges = Vec::new();
 715                for (range, region) in parsed.region_ranges.iter().zip(&parsed.regions) {
 716                    if let Some(link) = region.link.clone() {
 717                        links.push(link);
 718                        link_ranges.push(range.clone());
 719                    }
 720                }
 721                let workspace = workspace_clone.clone();
 722                let element = div()
 723                    .child(
 724                        InteractiveText::new(
 725                            element_id,
 726                            StyledText::new(parsed.contents.clone())
 727                                .with_default_highlights(&text_style, highlights),
 728                        )
 729                        .tooltip({
 730                            let links = links.clone();
 731                            let link_ranges = link_ranges.clone();
 732                            move |idx, _, cx| {
 733                                for (ix, range) in link_ranges.iter().enumerate() {
 734                                    if range.contains(&idx) {
 735                                        return Some(LinkPreview::new(&links[ix].to_string(), cx));
 736                                    }
 737                                }
 738                                None
 739                            }
 740                        })
 741                        .on_click(
 742                            link_ranges,
 743                            move |clicked_range_ix, window, cx| match &links[clicked_range_ix] {
 744                                Link::Web { url } => cx.open_url(url),
 745                                Link::Path { path, .. } => {
 746                                    if let Some(workspace) = &workspace {
 747                                        _ = workspace.update(cx, |workspace, cx| {
 748                                            workspace
 749                                                .open_abs_path(
 750                                                    normalize_path(path.clone().as_path()),
 751                                                    OpenOptions {
 752                                                        visible: Some(OpenVisible::None),
 753                                                        ..Default::default()
 754                                                    },
 755                                                    window,
 756                                                    cx,
 757                                                )
 758                                                .detach();
 759                                        });
 760                                    }
 761                                }
 762                            },
 763                        ),
 764                    )
 765                    .into_any();
 766                any_element.push(element);
 767            }
 768
 769            MarkdownParagraphChunk::Image(image) => {
 770                any_element.push(render_markdown_image(image, cx));
 771            }
 772        }
 773    }
 774
 775    any_element
 776}
 777
 778fn render_markdown_rule(cx: &mut RenderContext) -> AnyElement {
 779    let rule = div().w_full().h(cx.scaled_rems(0.125)).bg(cx.border_color);
 780    div().py(cx.scaled_rems(0.5)).child(rule).into_any()
 781}
 782
 783fn render_markdown_image(image: &Image, cx: &mut RenderContext) -> AnyElement {
 784    let image_resource = match image.link.clone() {
 785        Link::Web { url } => Resource::Uri(url.into()),
 786        Link::Path { path, .. } => Resource::Path(Arc::from(path)),
 787    };
 788
 789    let element_id = cx.next_id(&image.source_range);
 790    let workspace = cx.workspace.clone();
 791
 792    div()
 793        .id(element_id)
 794        .cursor_pointer()
 795        .child(
 796            img(ImageSource::Resource(image_resource))
 797                .max_w_full()
 798                .with_fallback({
 799                    let alt_text = image.alt_text.clone();
 800                    move || div().children(alt_text.clone()).into_any_element()
 801                })
 802                .when_some(image.height, |this, height| this.h(height))
 803                .when_some(image.width, |this, width| this.w(width)),
 804        )
 805        .tooltip({
 806            let link = image.link.clone();
 807            let alt_text = image.alt_text.clone();
 808            move |_, cx| {
 809                InteractiveMarkdownElementTooltip::new(
 810                    Some(alt_text.clone().unwrap_or(link.to_string().into())),
 811                    "open image",
 812                    cx,
 813                )
 814                .into()
 815            }
 816        })
 817        .on_click({
 818            let link = image.link.clone();
 819            move |_, window, cx| {
 820                if window.modifiers().secondary() {
 821                    match &link {
 822                        Link::Web { url } => cx.open_url(url),
 823                        Link::Path { path, .. } => {
 824                            if let Some(workspace) = &workspace {
 825                                _ = workspace.update(cx, |workspace, cx| {
 826                                    workspace
 827                                        .open_abs_path(
 828                                            path.clone(),
 829                                            OpenOptions {
 830                                                visible: Some(OpenVisible::None),
 831                                                ..Default::default()
 832                                            },
 833                                            window,
 834                                            cx,
 835                                        )
 836                                        .detach();
 837                                });
 838                            }
 839                        }
 840                    }
 841                }
 842            }
 843        })
 844        .into_any()
 845}
 846
 847struct InteractiveMarkdownElementTooltip {
 848    tooltip_text: Option<SharedString>,
 849    action_text: SharedString,
 850}
 851
 852impl InteractiveMarkdownElementTooltip {
 853    pub fn new(
 854        tooltip_text: Option<SharedString>,
 855        action_text: impl Into<SharedString>,
 856        cx: &mut App,
 857    ) -> Entity<Self> {
 858        let tooltip_text = tooltip_text.map(|t| util::truncate_and_trailoff(&t, 50).into());
 859
 860        cx.new(|_cx| Self {
 861            tooltip_text,
 862            action_text: action_text.into(),
 863        })
 864    }
 865}
 866
 867impl Render for InteractiveMarkdownElementTooltip {
 868    fn render(&mut self, _: &mut Window, cx: &mut Context<Self>) -> impl IntoElement {
 869        tooltip_container(cx, |el, _| {
 870            let secondary_modifier = Keystroke {
 871                modifiers: Modifiers::secondary_key(),
 872                ..Default::default()
 873            };
 874
 875            el.child(
 876                v_flex()
 877                    .gap_1()
 878                    .when_some(self.tooltip_text.clone(), |this, text| {
 879                        this.child(Label::new(text).size(LabelSize::Small))
 880                    })
 881                    .child(
 882                        Label::new(format!(
 883                            "{}-click to {}",
 884                            secondary_modifier, self.action_text
 885                        ))
 886                        .size(LabelSize::Small)
 887                        .color(Color::Muted),
 888                    ),
 889            )
 890        })
 891    }
 892}
 893
 894#[cfg(test)]
 895mod tests {
 896    use super::*;
 897    use crate::markdown_elements::ParsedMarkdownTableColumn;
 898    use crate::markdown_elements::ParsedMarkdownText;
 899
 900    fn text(text: &str) -> MarkdownParagraphChunk {
 901        MarkdownParagraphChunk::Text(ParsedMarkdownText {
 902            source_range: 0..text.len(),
 903            contents: SharedString::new(text),
 904            highlights: Default::default(),
 905            region_ranges: Default::default(),
 906            regions: Default::default(),
 907        })
 908    }
 909
 910    fn column(
 911        col_span: usize,
 912        row_span: usize,
 913        children: Vec<MarkdownParagraphChunk>,
 914    ) -> ParsedMarkdownTableColumn {
 915        ParsedMarkdownTableColumn {
 916            col_span,
 917            row_span,
 918            is_header: false,
 919            children,
 920        }
 921    }
 922
 923    fn column_with_row_span(
 924        col_span: usize,
 925        row_span: usize,
 926        children: Vec<MarkdownParagraphChunk>,
 927    ) -> ParsedMarkdownTableColumn {
 928        ParsedMarkdownTableColumn {
 929            col_span,
 930            row_span,
 931            is_header: false,
 932            children,
 933        }
 934    }
 935
 936    #[test]
 937    fn test_calculate_table_columns_count() {
 938        assert_eq!(0, calculate_table_columns_count(&vec![]));
 939
 940        assert_eq!(
 941            1,
 942            calculate_table_columns_count(&vec![ParsedMarkdownTableRow::with_columns(vec![
 943                column(1, 1, vec![text("column1")])
 944            ])])
 945        );
 946
 947        assert_eq!(
 948            2,
 949            calculate_table_columns_count(&vec![ParsedMarkdownTableRow::with_columns(vec![
 950                column(1, 1, vec![text("column1")]),
 951                column(1, 1, vec![text("column2")]),
 952            ])])
 953        );
 954
 955        assert_eq!(
 956            2,
 957            calculate_table_columns_count(&vec![ParsedMarkdownTableRow::with_columns(vec![
 958                column(2, 1, vec![text("column1")])
 959            ])])
 960        );
 961
 962        assert_eq!(
 963            3,
 964            calculate_table_columns_count(&vec![ParsedMarkdownTableRow::with_columns(vec![
 965                column(1, 1, vec![text("column1")]),
 966                column(2, 1, vec![text("column2")]),
 967            ])])
 968        );
 969
 970        assert_eq!(
 971            2,
 972            calculate_table_columns_count(&vec![
 973                ParsedMarkdownTableRow::with_columns(vec![
 974                    column(1, 1, vec![text("column1")]),
 975                    column(1, 1, vec![text("column2")]),
 976                ]),
 977                ParsedMarkdownTableRow::with_columns(vec![column(1, 1, vec![text("column1")]),])
 978            ])
 979        );
 980
 981        assert_eq!(
 982            3,
 983            calculate_table_columns_count(&vec![
 984                ParsedMarkdownTableRow::with_columns(vec![
 985                    column(1, 1, vec![text("column1")]),
 986                    column(1, 1, vec![text("column2")]),
 987                ]),
 988                ParsedMarkdownTableRow::with_columns(vec![column(3, 3, vec![text("column1")]),])
 989            ])
 990        );
 991    }
 992
 993    #[test]
 994    fn test_row_span_support() {
 995        assert_eq!(
 996            3,
 997            calculate_table_columns_count(&vec![
 998                ParsedMarkdownTableRow::with_columns(vec![
 999                    column_with_row_span(1, 2, vec![text("spans 2 rows")]),
1000                    column(1, 1, vec![text("column2")]),
1001                    column(1, 1, vec![text("column3")]),
1002                ]),
1003                ParsedMarkdownTableRow::with_columns(vec![
1004                    // First column is covered by row span from above
1005                    column(1, 1, vec![text("column2 row2")]),
1006                    column(1, 1, vec![text("column3 row2")]),
1007                ])
1008            ])
1009        );
1010
1011        assert_eq!(
1012            4,
1013            calculate_table_columns_count(&vec![
1014                ParsedMarkdownTableRow::with_columns(vec![
1015                    column_with_row_span(1, 3, vec![text("spans 3 rows")]),
1016                    column_with_row_span(2, 1, vec![text("spans 2 cols")]),
1017                    column(1, 1, vec![text("column4")]),
1018                ]),
1019                ParsedMarkdownTableRow::with_columns(vec![
1020                    // First column covered by row span
1021                    column(1, 1, vec![text("column2")]),
1022                    column(1, 1, vec![text("column3")]),
1023                    column(1, 1, vec![text("column4")]),
1024                ]),
1025                ParsedMarkdownTableRow::with_columns(vec![
1026                    // First column still covered by row span
1027                    column(3, 1, vec![text("spans 3 cols")]),
1028                ])
1029            ])
1030        );
1031    }
1032}