tinymist_query/inlay_hint.rs
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 209 210 211 212 213 214 215 216 217 218 219 220 221 222 223 224 225 226 227 228 229 230 231 232 233 234 235 236 237 238 239 240 241 242 243 244 245 246 247 248 249 250 251 252 253 254 255 256 257 258 259 260 261 262 263 264 265 266 267 268 269 270 271 272 273 274 275 276 277 278 279 280 281 282 283 284 285 286 287 288 289 290 291 292 293 294 295 296 297 298 299 300 301 302 303 304 305 306 307
use lsp_types::{InlayHintKind, InlayHintLabel};
use crate::{
analysis::{analyze_call, ParamKind},
prelude::*,
};
/// Configuration for inlay hints.
pub struct InlayHintConfig {
// positional arguments group
/// Show inlay hints for positional arguments.
pub on_pos_args: bool,
/// Disable inlay hints for single positional arguments.
pub off_single_pos_arg: bool,
// variadic arguments group
/// Show inlay hints for variadic arguments.
pub on_variadic_args: bool,
/// Disable inlay hints for all variadic arguments but the first variadic
/// argument.
pub only_first_variadic_args: bool,
// The typst sugar grammar
/// Show inlay hints for content block arguments.
pub on_content_block_args: bool,
}
impl InlayHintConfig {
/// A smart configuration that enables most useful inlay hints.
pub const fn smart() -> Self {
Self {
on_pos_args: true,
off_single_pos_arg: true,
on_variadic_args: true,
only_first_variadic_args: true,
on_content_block_args: false,
}
}
}
/// The [`textDocument/inlayHint`] request is sent from the client to the server
/// to compute inlay hints for a given `(text document, range)` tuple that may
/// be rendered in the editor in place with other text.
///
/// [`textDocument/inlayHint`]: https://microsoft.github.io/language-server-protocol/specification#textDocument_inlayHint
///
/// # Compatibility
///
/// This request was introduced in specification version 3.17.0
#[derive(Debug, Clone)]
pub struct InlayHintRequest {
/// The path of the document to get inlay hints for.
pub path: PathBuf,
/// The range of the document to get inlay hints for.
pub range: LspRange,
}
impl SemanticRequest for InlayHintRequest {
type Response = Vec<InlayHint>;
fn request(self, ctx: &mut LocalContext) -> Option<Self::Response> {
let source = ctx.source_by_path(&self.path).ok()?;
let range = ctx.to_typst_range(self.range, &source)?;
let root = LinkedNode::new(source.root());
let mut worker = InlayHintWorker {
ctx,
source: &source,
range,
hints: vec![],
};
worker.work(root);
(!worker.hints.is_empty()).then_some(worker.hints)
}
}
const SMART: InlayHintConfig = InlayHintConfig::smart();
struct InlayHintWorker<'a> {
ctx: &'a mut LocalContext,
source: &'a Source,
range: Range<usize>,
hints: Vec<InlayHint>,
}
impl InlayHintWorker<'_> {
fn work(&mut self, node: LinkedNode) {
let rng = node.range();
if rng.start >= self.range.end || rng.end <= self.range.start {
return;
}
self.analyze_node(&node);
if node.get().children().len() == 0 {
return;
}
// todo: survey bad performance children?
for child in node.children() {
self.work(child);
}
}
fn analyze_node(&mut self, node: &LinkedNode) -> Option<()> {
// analyze node self
match node.kind() {
// Type inlay hints
SyntaxKind::LetBinding => {
log::trace!("let binding found: {node:?}");
}
// Assignment inlay hints
SyntaxKind::Eq => {
log::trace!("assignment found: {node:?}");
}
SyntaxKind::DestructAssignment => {
log::trace!("destruct assignment found: {node:?}");
}
// Parameter inlay hints
SyntaxKind::FuncCall => {
log::trace!("func call found: {node:?}");
let call_info = analyze_call(self.ctx, self.source.clone(), node.clone())?;
crate::log_debug_ct!("got call_info {call_info:?}");
let call = node.cast::<ast::FuncCall>().unwrap();
let args = call.args();
let args_node = node.find(args.span())?;
let check_single_pos_arg = || {
let mut pos = 0;
let mut has_rest = false;
let mut content_pos = 0;
for arg in args.items() {
let Some(arg_node) = args_node.find(arg.span()) else {
continue;
};
let Some(info) = call_info.arg_mapping.get(&arg_node) else {
continue;
};
if info.kind != ParamKind::Named {
if info.kind == ParamKind::Rest {
has_rest = true;
continue;
}
if info.is_content_block {
content_pos += 1;
} else {
pos += 1;
};
if pos > 1 && content_pos > 1 {
break;
}
}
}
(pos <= if has_rest { 0 } else { 1 }, content_pos <= 1)
};
let (disable_by_single_pos_arg, disable_by_single_content_pos_arg) =
if SMART.on_pos_args && SMART.off_single_pos_arg {
check_single_pos_arg()
} else {
(false, false)
};
let disable_by_single_line_content_block = !SMART.on_content_block_args
|| 'one_line: {
for arg in args.items() {
let Some(arg_node) = args_node.find(arg.span()) else {
continue;
};
let Some(info) = call_info.arg_mapping.get(&arg_node) else {
continue;
};
if info.kind != ParamKind::Named
&& info.is_content_block
&& !is_one_line(self.source, &arg_node)
{
break 'one_line false;
}
}
true
};
let mut is_first_variadic_arg = true;
for arg in args.items() {
let Some(arg_node) = args_node.find(arg.span()) else {
continue;
};
let Some(info) = call_info.arg_mapping.get(&arg_node) else {
continue;
};
let name = &info.param_name;
if name.is_empty() {
continue;
}
match info.kind {
ParamKind::Named => {
continue;
}
ParamKind::Positional
if call_info.signature.primary().has_fill_or_size_or_stroke =>
{
continue
}
ParamKind::Positional
if !SMART.on_pos_args
|| (info.is_content_block
&& (disable_by_single_content_pos_arg
|| disable_by_single_line_content_block))
|| (!info.is_content_block && disable_by_single_pos_arg) =>
{
continue
}
ParamKind::Rest
if (!SMART.on_variadic_args
|| disable_by_single_pos_arg
|| (!is_first_variadic_arg && SMART.only_first_variadic_args)) =>
{
is_first_variadic_arg = false;
continue;
}
ParamKind::Rest => {
is_first_variadic_arg = false;
}
ParamKind::Positional => {}
}
let pos = arg_node.range().start;
let lsp_pos = self.ctx.to_lsp_pos(pos, self.source);
let label = InlayHintLabel::String(if info.kind == ParamKind::Rest {
format!("..{name}:")
} else {
format!("{name}:")
});
self.hints.push(InlayHint {
position: lsp_pos,
label,
kind: Some(InlayHintKind::PARAMETER),
text_edits: None,
tooltip: None,
padding_left: None,
padding_right: Some(true),
data: None,
});
}
// todo: union signatures
}
SyntaxKind::Set => {
log::trace!("set rule found: {node:?}");
}
_ => {}
}
None
}
}
fn is_one_line(src: &Source, arg_node: &LinkedNode<'_>) -> bool {
is_one_line_(src, arg_node).unwrap_or(true)
}
fn is_one_line_(src: &Source, arg_node: &LinkedNode<'_>) -> Option<bool> {
let lb = arg_node.children().next()?;
let rb = arg_node.children().next_back()?;
let ll = src.byte_to_line(lb.offset())?;
let rl = src.byte_to_line(rb.offset())?;
Some(ll == rl)
}
#[cfg(test)]
mod tests {
use super::*;
use crate::tests::*;
#[test]
fn smart() {
snapshot_testing("inlay_hints", &|ctx, path| {
let source = ctx.source_by_path(&path).unwrap();
let request = InlayHintRequest {
path: path.clone(),
range: to_lsp_range(0..source.text().len(), &source, PositionEncoding::Utf16),
};
let result = request.request(ctx);
assert_snapshot!(JsonRepr::new_redacted(result, &REDACT_LOC));
});
}
}