Start hacking in autocomplete docs

This commit is contained in:
Julia 2023-09-05 22:16:12 -04:00
parent c46137e40d
commit e802c072f7
4 changed files with 382 additions and 117 deletions

View file

@ -859,7 +859,6 @@ struct CompletionsMenu {
id: CompletionId, id: CompletionId,
initial_position: Anchor, initial_position: Anchor,
buffer: ModelHandle<Buffer>, buffer: ModelHandle<Buffer>,
project: Option<ModelHandle<Project>>,
completions: Arc<[Completion]>, completions: Arc<[Completion]>,
match_candidates: Vec<StringMatchCandidate>, match_candidates: Vec<StringMatchCandidate>,
matches: Arc<[StringMatch]>, matches: Arc<[StringMatch]>,
@ -903,42 +902,17 @@ impl CompletionsMenu {
fn render(&self, style: EditorStyle, cx: &mut ViewContext<Editor>) -> AnyElement<Editor> { fn render(&self, style: EditorStyle, cx: &mut ViewContext<Editor>) -> AnyElement<Editor> {
enum CompletionTag {} enum CompletionTag {}
let language_servers = self.project.as_ref().map(|project| {
project
.read(cx)
.language_servers_for_buffer(self.buffer.read(cx), cx)
.filter(|(_, server)| server.capabilities().completion_provider.is_some())
.map(|(adapter, server)| (server.server_id(), adapter.short_name))
.collect::<Vec<_>>()
});
let needs_server_name = language_servers
.as_ref()
.map_or(false, |servers| servers.len() > 1);
let get_server_name =
move |lookup_server_id: lsp::LanguageServerId| -> Option<&'static str> {
language_servers
.iter()
.flatten()
.find_map(|(server_id, server_name)| {
if *server_id == lookup_server_id {
Some(*server_name)
} else {
None
}
})
};
let widest_completion_ix = self let widest_completion_ix = self
.matches .matches
.iter() .iter()
.enumerate() .enumerate()
.max_by_key(|(_, mat)| { .max_by_key(|(_, mat)| {
let completion = &self.completions[mat.candidate_id]; let completion = &self.completions[mat.candidate_id];
let mut len = completion.label.text.chars().count(); let documentation = &completion.lsp_completion.documentation;
if let Some(server_name) = get_server_name(completion.server_id) { let mut len = completion.label.text.chars().count();
len += server_name.chars().count(); if let Some(lsp::Documentation::String(text)) = documentation {
len += text.chars().count();
} }
len len
@ -948,8 +922,16 @@ impl CompletionsMenu {
let completions = self.completions.clone(); let completions = self.completions.clone();
let matches = self.matches.clone(); let matches = self.matches.clone();
let selected_item = self.selected_item; let selected_item = self.selected_item;
let container_style = style.autocomplete.container;
UniformList::new( let alongside_docs_text_style = TextStyle {
soft_wrap: true,
..style.text.clone()
};
let alongside_docs_width = style.autocomplete.alongside_docs_width;
let alongside_docs_container_style = style.autocomplete.alongside_docs_container;
let outer_container_style = style.autocomplete.container;
let list = UniformList::new(
self.list.clone(), self.list.clone(),
matches.len(), matches.len(),
cx, cx,
@ -957,7 +939,9 @@ impl CompletionsMenu {
let start_ix = range.start; let start_ix = range.start;
for (ix, mat) in matches[range].iter().enumerate() { for (ix, mat) in matches[range].iter().enumerate() {
let completion = &completions[mat.candidate_id]; let completion = &completions[mat.candidate_id];
let documentation = &completion.lsp_completion.documentation;
let item_ix = start_ix + ix; let item_ix = start_ix + ix;
items.push( items.push(
MouseEventHandler::new::<CompletionTag, _>( MouseEventHandler::new::<CompletionTag, _>(
mat.candidate_id, mat.candidate_id,
@ -986,22 +970,18 @@ impl CompletionsMenu {
), ),
); );
if let Some(server_name) = get_server_name(completion.server_id) { if let Some(lsp::Documentation::String(text)) = documentation {
Flex::row() Flex::row()
.with_child(completion_label) .with_child(completion_label)
.with_children((|| { .with_children((|| {
if !needs_server_name {
return None;
}
let text_style = TextStyle { let text_style = TextStyle {
color: style.autocomplete.server_name_color, color: style.autocomplete.inline_docs_color,
font_size: style.text.font_size font_size: style.text.font_size
* style.autocomplete.server_name_size_percent, * style.autocomplete.inline_docs_size_percent,
..style.text.clone() ..style.text.clone()
}; };
let label = Text::new(server_name, text_style) let label = Text::new(text.clone(), text_style)
.aligned() .aligned()
.constrained() .constrained()
.dynamically(move |constraint, _, _| { .dynamically(move |constraint, _, _| {
@ -1021,7 +1001,7 @@ impl CompletionsMenu {
.with_style( .with_style(
style style
.autocomplete .autocomplete
.server_name_container, .inline_docs_container,
) )
.into_any(), .into_any(),
) )
@ -1065,10 +1045,29 @@ impl CompletionsMenu {
} }
}, },
) )
.with_width_from_item(widest_completion_ix) .with_width_from_item(widest_completion_ix);
.contained()
.with_style(container_style) Flex::row()
.into_any() .with_child(list)
.with_children({
let completion = &self.completions[selected_item];
let documentation = &completion.lsp_completion.documentation;
if let Some(lsp::Documentation::MarkupContent(content)) = documentation {
Some(
Text::new(content.value.clone(), alongside_docs_text_style)
.constrained()
.with_width(alongside_docs_width)
.contained()
.with_style(alongside_docs_container_style),
)
} else {
None
}
})
.contained()
.with_style(outer_container_style)
.into_any()
} }
pub async fn filter(&mut self, query: Option<&str>, executor: Arc<executor::Background>) { pub async fn filter(&mut self, query: Option<&str>, executor: Arc<executor::Background>) {
@ -3150,7 +3149,6 @@ impl Editor {
}); });
let id = post_inc(&mut self.next_completion_id); let id = post_inc(&mut self.next_completion_id);
let project = self.project.clone();
let task = cx.spawn(|this, mut cx| { let task = cx.spawn(|this, mut cx| {
async move { async move {
let menu = if let Some(completions) = completions.await.log_err() { let menu = if let Some(completions) = completions.await.log_err() {
@ -3169,7 +3167,6 @@ impl Editor {
}) })
.collect(), .collect(),
buffer, buffer,
project,
completions: completions.into(), completions: completions.into(),
matches: Vec::new().into(), matches: Vec::new().into(),
selected_item: 0, selected_item: 0,

View file

@ -1,6 +1,6 @@
use crate::{ use crate::{
display_map::{InlayOffset, ToDisplayPoint}, display_map::{InlayOffset, ToDisplayPoint},
link_go_to_definition::{InlayHighlight, RangeInEditor}, link_go_to_definition::{DocumentRange, InlayRange},
Anchor, AnchorRangeExt, DisplayPoint, Editor, EditorSettings, EditorSnapshot, EditorStyle, Anchor, AnchorRangeExt, DisplayPoint, Editor, EditorSettings, EditorSnapshot, EditorStyle,
ExcerptId, RangeToAnchorExt, ExcerptId, RangeToAnchorExt,
}; };
@ -8,12 +8,12 @@ use futures::FutureExt;
use gpui::{ use gpui::{
actions, actions,
elements::{Flex, MouseEventHandler, Padding, ParentElement, Text}, elements::{Flex, MouseEventHandler, Padding, ParentElement, Text},
fonts::{HighlightStyle, Underline, Weight},
platform::{CursorStyle, MouseButton}, platform::{CursorStyle, MouseButton},
AnyElement, AppContext, Element, ModelHandle, Task, ViewContext, AnyElement, AppContext, CursorRegion, Element, ModelHandle, MouseRegion, Task, ViewContext,
}; };
use language::{Bias, DiagnosticEntry, DiagnosticSeverity, Language, LanguageRegistry}; use language::{Bias, DiagnosticEntry, DiagnosticSeverity, Language, LanguageRegistry};
use project::{HoverBlock, HoverBlockKind, InlayHintLabelPart, Project}; use project::{HoverBlock, HoverBlockKind, InlayHintLabelPart, Project};
use rich_text::{new_paragraph, render_code, render_markdown_mut, RichText};
use std::{ops::Range, sync::Arc, time::Duration}; use std::{ops::Range, sync::Arc, time::Duration};
use util::TryFutureExt; use util::TryFutureExt;
@ -50,18 +50,19 @@ pub fn hover_at(editor: &mut Editor, point: Option<DisplayPoint>, cx: &mut ViewC
pub struct InlayHover { pub struct InlayHover {
pub excerpt: ExcerptId, pub excerpt: ExcerptId,
pub range: InlayHighlight, pub triggered_from: InlayOffset,
pub range: InlayRange,
pub tooltip: HoverBlock, pub tooltip: HoverBlock,
} }
pub fn find_hovered_hint_part( pub fn find_hovered_hint_part(
label_parts: Vec<InlayHintLabelPart>, label_parts: Vec<InlayHintLabelPart>,
hint_start: InlayOffset, hint_range: Range<InlayOffset>,
hovered_offset: InlayOffset, hovered_offset: InlayOffset,
) -> Option<(InlayHintLabelPart, Range<InlayOffset>)> { ) -> Option<(InlayHintLabelPart, Range<InlayOffset>)> {
if hovered_offset >= hint_start { if hovered_offset >= hint_range.start && hovered_offset <= hint_range.end {
let mut hovered_character = (hovered_offset - hint_start).0; let mut hovered_character = (hovered_offset - hint_range.start).0;
let mut part_start = hint_start; let mut part_start = hint_range.start;
for part in label_parts { for part in label_parts {
let part_len = part.value.chars().count(); let part_len = part.value.chars().count();
if hovered_character > part_len { if hovered_character > part_len {
@ -87,8 +88,10 @@ pub fn hover_at_inlay(editor: &mut Editor, inlay_hover: InlayHover, cx: &mut Vie
}; };
if let Some(InfoPopover { symbol_range, .. }) = &editor.hover_state.info_popover { if let Some(InfoPopover { symbol_range, .. }) = &editor.hover_state.info_popover {
if let RangeInEditor::Inlay(range) = symbol_range { if let DocumentRange::Inlay(range) = symbol_range {
if range == &inlay_hover.range { if (range.highlight_start..range.highlight_end)
.contains(&inlay_hover.triggered_from)
{
// Hover triggered from same location as last time. Don't show again. // Hover triggered from same location as last time. Don't show again.
return; return;
} }
@ -96,6 +99,18 @@ pub fn hover_at_inlay(editor: &mut Editor, inlay_hover: InlayHover, cx: &mut Vie
hide_hover(editor, cx); hide_hover(editor, cx);
} }
let snapshot = editor.snapshot(cx);
// Don't request again if the location is the same as the previous request
if let Some(triggered_from) = editor.hover_state.triggered_from {
if inlay_hover.triggered_from
== snapshot
.display_snapshot
.anchor_to_inlay_offset(triggered_from)
{
return;
}
}
let task = cx.spawn(|this, mut cx| { let task = cx.spawn(|this, mut cx| {
async move { async move {
cx.background() cx.background()
@ -107,7 +122,7 @@ pub fn hover_at_inlay(editor: &mut Editor, inlay_hover: InlayHover, cx: &mut Vie
let hover_popover = InfoPopover { let hover_popover = InfoPopover {
project: project.clone(), project: project.clone(),
symbol_range: RangeInEditor::Inlay(inlay_hover.range.clone()), symbol_range: DocumentRange::Inlay(inlay_hover.range),
blocks: vec![inlay_hover.tooltip], blocks: vec![inlay_hover.tooltip],
language: None, language: None,
rendered_content: None, rendered_content: None,
@ -311,7 +326,7 @@ fn show_hover(
Some(InfoPopover { Some(InfoPopover {
project: project.clone(), project: project.clone(),
symbol_range: RangeInEditor::Text(range), symbol_range: DocumentRange::Text(range),
blocks: hover_result.contents, blocks: hover_result.contents,
language: hover_result.language, language: hover_result.language,
rendered_content: None, rendered_content: None,
@ -346,43 +361,237 @@ fn show_hover(
} }
fn render_blocks( fn render_blocks(
theme_id: usize,
blocks: &[HoverBlock], blocks: &[HoverBlock],
language_registry: &Arc<LanguageRegistry>, language_registry: &Arc<LanguageRegistry>,
language: Option<&Arc<Language>>, language: Option<&Arc<Language>>,
) -> RichText { style: &EditorStyle,
let mut data = RichText { ) -> RenderedInfo {
text: Default::default(), let mut text = String::new();
highlights: Default::default(), let mut highlights = Vec::new();
region_ranges: Default::default(), let mut region_ranges = Vec::new();
regions: Default::default(), let mut regions = Vec::new();
};
for block in blocks { for block in blocks {
match &block.kind { match &block.kind {
HoverBlockKind::PlainText => { HoverBlockKind::PlainText => {
new_paragraph(&mut data.text, &mut Vec::new()); new_paragraph(&mut text, &mut Vec::new());
data.text.push_str(&block.text); text.push_str(&block.text);
} }
HoverBlockKind::Markdown => { HoverBlockKind::Markdown => {
render_markdown_mut(&block.text, language_registry, language, &mut data) use pulldown_cmark::{CodeBlockKind, Event, Options, Parser, Tag};
let mut bold_depth = 0;
let mut italic_depth = 0;
let mut link_url = None;
let mut current_language = None;
let mut list_stack = Vec::new();
for event in Parser::new_ext(&block.text, Options::all()) {
let prev_len = text.len();
match event {
Event::Text(t) => {
if let Some(language) = &current_language {
render_code(
&mut text,
&mut highlights,
t.as_ref(),
language,
style,
);
} else {
text.push_str(t.as_ref());
let mut style = HighlightStyle::default();
if bold_depth > 0 {
style.weight = Some(Weight::BOLD);
}
if italic_depth > 0 {
style.italic = Some(true);
}
if let Some(link_url) = link_url.clone() {
region_ranges.push(prev_len..text.len());
regions.push(RenderedRegion {
link_url: Some(link_url),
code: false,
});
style.underline = Some(Underline {
thickness: 1.0.into(),
..Default::default()
});
}
if style != HighlightStyle::default() {
let mut new_highlight = true;
if let Some((last_range, last_style)) = highlights.last_mut() {
if last_range.end == prev_len && last_style == &style {
last_range.end = text.len();
new_highlight = false;
}
}
if new_highlight {
highlights.push((prev_len..text.len(), style));
}
}
}
}
Event::Code(t) => {
text.push_str(t.as_ref());
region_ranges.push(prev_len..text.len());
if link_url.is_some() {
highlights.push((
prev_len..text.len(),
HighlightStyle {
underline: Some(Underline {
thickness: 1.0.into(),
..Default::default()
}),
..Default::default()
},
));
}
regions.push(RenderedRegion {
code: true,
link_url: link_url.clone(),
});
}
Event::Start(tag) => match tag {
Tag::Paragraph => new_paragraph(&mut text, &mut list_stack),
Tag::Heading(_, _, _) => {
new_paragraph(&mut text, &mut list_stack);
bold_depth += 1;
}
Tag::CodeBlock(kind) => {
new_paragraph(&mut text, &mut list_stack);
current_language = if let CodeBlockKind::Fenced(language) = kind {
language_registry
.language_for_name(language.as_ref())
.now_or_never()
.and_then(Result::ok)
} else {
language.cloned()
}
}
Tag::Emphasis => italic_depth += 1,
Tag::Strong => bold_depth += 1,
Tag::Link(_, url, _) => link_url = Some(url.to_string()),
Tag::List(number) => {
list_stack.push((number, false));
}
Tag::Item => {
let len = list_stack.len();
if let Some((list_number, has_content)) = list_stack.last_mut() {
*has_content = false;
if !text.is_empty() && !text.ends_with('\n') {
text.push('\n');
}
for _ in 0..len - 1 {
text.push_str(" ");
}
if let Some(number) = list_number {
text.push_str(&format!("{}. ", number));
*number += 1;
*has_content = false;
} else {
text.push_str("- ");
}
}
}
_ => {}
},
Event::End(tag) => match tag {
Tag::Heading(_, _, _) => bold_depth -= 1,
Tag::CodeBlock(_) => current_language = None,
Tag::Emphasis => italic_depth -= 1,
Tag::Strong => bold_depth -= 1,
Tag::Link(_, _, _) => link_url = None,
Tag::List(_) => drop(list_stack.pop()),
_ => {}
},
Event::HardBreak => text.push('\n'),
Event::SoftBreak => text.push(' '),
_ => {}
}
}
} }
HoverBlockKind::Code { language } => { HoverBlockKind::Code { language } => {
if let Some(language) = language_registry if let Some(language) = language_registry
.language_for_name(language) .language_for_name(language)
.now_or_never() .now_or_never()
.and_then(Result::ok) .and_then(Result::ok)
{ {
render_code(&mut data.text, &mut data.highlights, &block.text, &language); render_code(&mut text, &mut highlights, &block.text, &language, style);
} else { } else {
data.text.push_str(&block.text); text.push_str(&block.text);
} }
} }
} }
} }
data.text = data.text.trim().to_string(); RenderedInfo {
theme_id,
text: text.trim().to_string(),
highlights,
region_ranges,
regions,
}
}
data fn render_code(
text: &mut String,
highlights: &mut Vec<(Range<usize>, HighlightStyle)>,
content: &str,
language: &Arc<Language>,
style: &EditorStyle,
) {
let prev_len = text.len();
text.push_str(content);
for (range, highlight_id) in language.highlight_text(&content.into(), 0..content.len()) {
if let Some(style) = highlight_id.style(&style.syntax) {
highlights.push((prev_len + range.start..prev_len + range.end, style));
}
}
}
fn new_paragraph(text: &mut String, list_stack: &mut Vec<(Option<u64>, bool)>) {
let mut is_subsequent_paragraph_of_list = false;
if let Some((_, has_content)) = list_stack.last_mut() {
if *has_content {
is_subsequent_paragraph_of_list = true;
} else {
*has_content = true;
return;
}
}
if !text.is_empty() {
if !text.ends_with('\n') {
text.push('\n');
}
text.push('\n');
}
for _ in 0..list_stack.len().saturating_sub(1) {
text.push_str(" ");
}
if is_subsequent_paragraph_of_list {
text.push_str(" ");
}
} }
#[derive(Default)] #[derive(Default)]
@ -415,8 +624,8 @@ impl HoverState {
self.info_popover self.info_popover
.as_ref() .as_ref()
.map(|info_popover| match &info_popover.symbol_range { .map(|info_popover| match &info_popover.symbol_range {
RangeInEditor::Text(range) => &range.start, DocumentRange::Text(range) => &range.start,
RangeInEditor::Inlay(range) => &range.inlay_position, DocumentRange::Inlay(range) => &range.inlay_position,
}) })
})?; })?;
let point = anchor.to_display_point(&snapshot.display_snapshot); let point = anchor.to_display_point(&snapshot.display_snapshot);
@ -442,10 +651,25 @@ impl HoverState {
#[derive(Debug, Clone)] #[derive(Debug, Clone)]
pub struct InfoPopover { pub struct InfoPopover {
pub project: ModelHandle<Project>, pub project: ModelHandle<Project>,
symbol_range: RangeInEditor, symbol_range: DocumentRange,
pub blocks: Vec<HoverBlock>, pub blocks: Vec<HoverBlock>,
language: Option<Arc<Language>>, language: Option<Arc<Language>>,
rendered_content: Option<RichText>, rendered_content: Option<RenderedInfo>,
}
#[derive(Debug, Clone)]
struct RenderedInfo {
theme_id: usize,
text: String,
highlights: Vec<(Range<usize>, HighlightStyle)>,
region_ranges: Vec<Range<usize>>,
regions: Vec<RenderedRegion>,
}
#[derive(Debug, Clone)]
struct RenderedRegion {
code: bool,
link_url: Option<String>,
} }
impl InfoPopover { impl InfoPopover {
@ -454,24 +678,63 @@ impl InfoPopover {
style: &EditorStyle, style: &EditorStyle,
cx: &mut ViewContext<Editor>, cx: &mut ViewContext<Editor>,
) -> AnyElement<Editor> { ) -> AnyElement<Editor> {
if let Some(rendered) = &self.rendered_content {
if rendered.theme_id != style.theme_id {
self.rendered_content = None;
}
}
let rendered_content = self.rendered_content.get_or_insert_with(|| { let rendered_content = self.rendered_content.get_or_insert_with(|| {
render_blocks( render_blocks(
style.theme_id,
&self.blocks, &self.blocks,
self.project.read(cx).languages(), self.project.read(cx).languages(),
self.language.as_ref(), self.language.as_ref(),
style,
) )
}); });
MouseEventHandler::new::<InfoPopover, _>(0, cx, move |_, cx| { MouseEventHandler::new::<InfoPopover, _>(0, cx, |_, cx| {
let mut region_id = 0;
let view_id = cx.view_id();
let code_span_background_color = style.document_highlight_read_background; let code_span_background_color = style.document_highlight_read_background;
let regions = rendered_content.regions.clone();
Flex::column() Flex::column()
.scrollable::<HoverBlock>(1, None, cx) .scrollable::<HoverBlock>(1, None, cx)
.with_child(rendered_content.element( .with_child(
style.syntax.clone(), Text::new(rendered_content.text.clone(), style.text.clone())
style.text.clone(), .with_highlights(rendered_content.highlights.clone())
code_span_background_color, .with_custom_runs(
cx, rendered_content.region_ranges.clone(),
)) move |ix, bounds, scene, _| {
region_id += 1;
let region = regions[ix].clone();
if let Some(url) = region.link_url {
scene.push_cursor_region(CursorRegion {
bounds,
style: CursorStyle::PointingHand,
});
scene.push_mouse_region(
MouseRegion::new::<Self>(view_id, region_id, bounds)
.on_click::<Editor, _>(
MouseButton::Left,
move |_, _, cx| cx.platform().open_url(&url),
),
);
}
if region.code {
scene.push_quad(gpui::Quad {
bounds,
background: Some(code_span_background_color),
border: Default::default(),
corner_radii: (2.0).into(),
});
}
},
)
.with_soft_wrap(true),
)
.contained() .contained()
.with_style(style.hover_popover.container) .with_style(style.hover_popover.container)
}) })
@ -564,15 +827,13 @@ mod tests {
inlay_hint_cache::tests::{cached_hint_labels, visible_hint_labels}, inlay_hint_cache::tests::{cached_hint_labels, visible_hint_labels},
link_go_to_definition::update_inlay_link_and_hover_points, link_go_to_definition::update_inlay_link_and_hover_points,
test::editor_lsp_test_context::EditorLspTestContext, test::editor_lsp_test_context::EditorLspTestContext,
InlayId,
}; };
use collections::BTreeSet; use collections::BTreeSet;
use gpui::fonts::{HighlightStyle, Underline, Weight}; use gpui::fonts::Weight;
use indoc::indoc; use indoc::indoc;
use language::{language_settings::InlayHintSettings, Diagnostic, DiagnosticSet}; use language::{language_settings::InlayHintSettings, Diagnostic, DiagnosticSet};
use lsp::LanguageServerId; use lsp::LanguageServerId;
use project::{HoverBlock, HoverBlockKind}; use project::{HoverBlock, HoverBlockKind};
use rich_text::Highlight;
use smol::stream::StreamExt; use smol::stream::StreamExt;
use unindent::Unindent; use unindent::Unindent;
use util::test::marked_text_ranges; use util::test::marked_text_ranges;
@ -783,7 +1044,7 @@ mod tests {
.await; .await;
cx.condition(|editor, _| editor.hover_state.visible()).await; cx.condition(|editor, _| editor.hover_state.visible()).await;
cx.editor(|editor, _| { cx.editor(|editor, cx| {
let blocks = editor.hover_state.info_popover.clone().unwrap().blocks; let blocks = editor.hover_state.info_popover.clone().unwrap().blocks;
assert_eq!( assert_eq!(
blocks, blocks,
@ -793,7 +1054,8 @@ mod tests {
}], }],
); );
let rendered = render_blocks(&blocks, &Default::default(), None); let style = editor.style(cx);
let rendered = render_blocks(0, &blocks, &Default::default(), None, &style);
assert_eq!( assert_eq!(
rendered.text, rendered.text,
code_str.trim(), code_str.trim(),
@ -985,7 +1247,7 @@ mod tests {
expected_styles, expected_styles,
} in &rows[0..] } in &rows[0..]
{ {
let rendered = render_blocks(&blocks, &Default::default(), None); let rendered = render_blocks(0, &blocks, &Default::default(), None, &style);
let (expected_text, ranges) = marked_text_ranges(expected_marked_text, false); let (expected_text, ranges) = marked_text_ranges(expected_marked_text, false);
let expected_highlights = ranges let expected_highlights = ranges
@ -996,21 +1258,8 @@ mod tests {
rendered.text, expected_text, rendered.text, expected_text,
"wrong text for input {blocks:?}" "wrong text for input {blocks:?}"
); );
let rendered_highlights: Vec<_> = rendered
.highlights
.iter()
.filter_map(|(range, highlight)| {
let style = match highlight {
Highlight::Id(id) => id.style(&style.syntax)?,
Highlight::Highlight(style) => style.clone(),
};
Some((range.clone(), style))
})
.collect();
assert_eq!( assert_eq!(
rendered_highlights, expected_highlights, rendered.highlights, expected_highlights,
"wrong highlights for input {blocks:?}" "wrong highlights for input {blocks:?}"
); );
} }
@ -1244,16 +1493,25 @@ mod tests {
.advance_clock(Duration::from_millis(HOVER_DELAY_MILLIS + 100)); .advance_clock(Duration::from_millis(HOVER_DELAY_MILLIS + 100));
cx.foreground().run_until_parked(); cx.foreground().run_until_parked();
cx.update_editor(|editor, cx| { cx.update_editor(|editor, cx| {
let snapshot = editor.snapshot(cx);
let hover_state = &editor.hover_state; let hover_state = &editor.hover_state;
assert!(hover_state.diagnostic_popover.is_none() && hover_state.info_popover.is_some()); assert!(hover_state.diagnostic_popover.is_none() && hover_state.info_popover.is_some());
let popover = hover_state.info_popover.as_ref().unwrap(); let popover = hover_state.info_popover.as_ref().unwrap();
let buffer_snapshot = editor.buffer().update(cx, |buffer, cx| buffer.snapshot(cx)); let buffer_snapshot = editor.buffer().update(cx, |buffer, cx| buffer.snapshot(cx));
let entire_inlay_start = snapshot.display_point_to_inlay_offset(
inlay_range.start.to_display_point(&snapshot),
Bias::Left,
);
let expected_new_type_label_start = InlayOffset(entire_inlay_start.0 + ": ".len());
assert_eq!( assert_eq!(
popover.symbol_range, popover.symbol_range,
RangeInEditor::Inlay(InlayHighlight { DocumentRange::Inlay(InlayRange {
inlay: InlayId::Hint(0),
inlay_position: buffer_snapshot.anchor_at(inlay_range.start, Bias::Right), inlay_position: buffer_snapshot.anchor_at(inlay_range.start, Bias::Right),
range: ": ".len()..": ".len() + new_type_label.len(), highlight_start: expected_new_type_label_start,
highlight_end: InlayOffset(
expected_new_type_label_start.0 + new_type_label.len()
),
}), }),
"Popover range should match the new type label part" "Popover range should match the new type label part"
); );
@ -1301,17 +1559,23 @@ mod tests {
.advance_clock(Duration::from_millis(HOVER_DELAY_MILLIS + 100)); .advance_clock(Duration::from_millis(HOVER_DELAY_MILLIS + 100));
cx.foreground().run_until_parked(); cx.foreground().run_until_parked();
cx.update_editor(|editor, cx| { cx.update_editor(|editor, cx| {
let snapshot = editor.snapshot(cx);
let hover_state = &editor.hover_state; let hover_state = &editor.hover_state;
assert!(hover_state.diagnostic_popover.is_none() && hover_state.info_popover.is_some()); assert!(hover_state.diagnostic_popover.is_none() && hover_state.info_popover.is_some());
let popover = hover_state.info_popover.as_ref().unwrap(); let popover = hover_state.info_popover.as_ref().unwrap();
let buffer_snapshot = editor.buffer().update(cx, |buffer, cx| buffer.snapshot(cx)); let buffer_snapshot = editor.buffer().update(cx, |buffer, cx| buffer.snapshot(cx));
let entire_inlay_start = snapshot.display_point_to_inlay_offset(
inlay_range.start.to_display_point(&snapshot),
Bias::Left,
);
let expected_struct_label_start =
InlayOffset(entire_inlay_start.0 + ": ".len() + new_type_label.len() + "<".len());
assert_eq!( assert_eq!(
popover.symbol_range, popover.symbol_range,
RangeInEditor::Inlay(InlayHighlight { DocumentRange::Inlay(InlayRange {
inlay: InlayId::Hint(0),
inlay_position: buffer_snapshot.anchor_at(inlay_range.start, Bias::Right), inlay_position: buffer_snapshot.anchor_at(inlay_range.start, Bias::Right),
range: ": ".len() + new_type_label.len() + "<".len() highlight_start: expected_struct_label_start,
..": ".len() + new_type_label.len() + "<".len() + struct_label.len(), highlight_end: InlayOffset(expected_struct_label_start.0 + struct_label.len()),
}), }),
"Popover range should match the struct label part" "Popover range should match the struct label part"
); );

View file

@ -867,9 +867,11 @@ pub struct AutocompleteStyle {
pub selected_item: ContainerStyle, pub selected_item: ContainerStyle,
pub hovered_item: ContainerStyle, pub hovered_item: ContainerStyle,
pub match_highlight: HighlightStyle, pub match_highlight: HighlightStyle,
pub server_name_container: ContainerStyle, pub inline_docs_container: ContainerStyle,
pub server_name_color: Color, pub inline_docs_color: Color,
pub server_name_size_percent: f32, pub inline_docs_size_percent: f32,
pub alongside_docs_width: f32,
pub alongside_docs_container: ContainerStyle,
} }
#[derive(Clone, Copy, Default, Deserialize, JsonSchema)] #[derive(Clone, Copy, Default, Deserialize, JsonSchema)]

View file

@ -206,9 +206,11 @@ export default function editor(): any {
match_highlight: foreground(theme.middle, "accent", "active"), match_highlight: foreground(theme.middle, "accent", "active"),
background: background(theme.middle, "active"), background: background(theme.middle, "active"),
}, },
server_name_container: { padding: { left: 40 } }, inline_docs_container: { padding: { left: 40 } },
server_name_color: text(theme.middle, "sans", "disabled", {}).color, inline_docs_color: text(theme.middle, "sans", "disabled", {}).color,
server_name_size_percent: 0.75, inline_docs_size_percent: 0.75,
alongside_docs_width: 400,
alongside_docs_container: { padding: autocomplete_item.padding }
}, },
diagnostic_header: { diagnostic_header: {
background: background(theme.middle), background: background(theme.middle),