1#![allow(unused_assignments)] use std::fmt::{self, Write as _};
5
6use miette::{Diagnostic, SourceSpan};
7use pest::{
8 error::{Error as PestError, ErrorVariant, InputLocation, LineColLocation},
9 iterators::Pair,
10};
11use strsim::jaro;
12
13use crate::parser::Rule;
14
15#[derive(thiserror::Error, Debug, Diagnostic)]
17pub enum ParseError {
18 #[error("MPL syntax error: {message}")]
20 #[diagnostic(code(mpl_lang::syntax_error))]
21 SyntaxError {
22 #[label("{label}")]
24 span: SourceSpan,
25 label: String,
27 message: String,
29 #[help]
31 suggestion: Option<Suggestion>,
32 },
33
34 #[error("This feature is not supported at the moment: {rule:?}")]
35 #[diagnostic(
37 code(mpl_lang::not_supported),
38 help("This feature may be added in a future version")
39 )]
40 NotSupported {
41 #[label("unsupported: {rule:?}")]
43 span: SourceSpan,
44 rule: Rule,
46 },
47
48 #[error("Unexpected rule: {rule:?} expected one of {expected:?}")]
50 #[diagnostic(code(mpl_lang::unexpected_rule))]
51 Unexpected {
52 #[label("unexpected {rule:?}")]
54 span: SourceSpan,
55 rule: Rule,
57 expected: Vec<Rule>,
59 },
60
61 #[error("Found unexpected tokens: {rules:?}")]
63 #[diagnostic(code(mpl_lang::unexpected_tokens))]
64 UnexpectedTokens {
65 #[label("unexpected tokens")]
67 span: SourceSpan,
68 rules: Vec<Rule>,
70 },
71
72 #[error("Unexpected end of input")]
74 #[diagnostic(
75 code(mpl_lang::unexpected_eof),
76 help("The query appears to be incomplete")
77 )]
78 EOF {
79 #[label("expected more input here")]
81 span: SourceSpan,
82 },
83
84 #[error("Invalid float: {0}")]
86 #[diagnostic(code(mpl_lang::invalid_float))]
87 InvalidFloat(#[from] std::num::ParseFloatError),
88
89 #[error("Invalid integer: {0}")]
91 #[diagnostic(code(mpl_lang::invalid_integer))]
92 InvalidInteger(#[from] std::num::ParseIntError),
93
94 #[error("Invalid bool: {0}")]
96 #[diagnostic(code(mpl_lang::invalid_bool))]
97 InvalidBool(#[from] std::str::ParseBoolError),
98
99 #[error("Invalid date: {0}")]
101 #[diagnostic(code(mpl_lang::invalid_date))]
102 InvalidDate(#[from] chrono::ParseError),
103
104 #[error("Invalid Regex: {0}")]
106 #[diagnostic(code(mpl_lang::invalid_regex))]
107 InvalidRegex(#[from] regex::Error),
108
109 #[error("Unsupported align function: {name}")]
111 #[diagnostic(
112 code(mpl_lang::unsupported_align_function),
113 help("Check the documentation for available align functions")
114 )]
115 UnsupportedAlignFunction {
116 #[label("unknown function")]
118 span: SourceSpan,
119 name: String,
121 },
122
123 #[error("Unsupported group function: {name}")]
125 #[diagnostic(
126 code(mpl_lang::unsupported_group_function),
127 help("Check the documentation for available group functions")
128 )]
129 UnsupportedGroupFunction {
130 #[label("unknown function")]
132 span: SourceSpan,
133 name: String,
135 },
136
137 #[error("Unsupported compute function: {name}")]
139 #[diagnostic(
140 code(mpl_lang::unsupported_compute_function),
141 help("Check the documentation for available compute functions")
142 )]
143 UnsupportedComputeFunction {
144 #[label("unknown function")]
146 span: SourceSpan,
147 name: String,
149 },
150
151 #[error("Unsupported bucket function: {name}")]
153 #[diagnostic(
154 code(mpl_lang::unsupported_bucket_function),
155 help(
156 "Available functions: histogram, interpolate_delta_histogram, interpolate_cumulative_histogram"
157 )
158 )]
159 UnsupportedBucketFunction {
160 #[label("unknown function")]
162 span: SourceSpan,
163 name: String,
165 },
166
167 #[error("Unsupported map evaluation: {name}")]
169 #[diagnostic(
170 code(mpl_lang::unsupported_map_evaluation),
171 help("Check the documentation for available map operations")
172 )]
173 UnsupportedMapEvaluation {
174 #[label("unknown operation")]
176 span: SourceSpan,
177 name: String,
179 },
180
181 #[error("Unsupported map function: {name}")]
183 #[diagnostic(
184 code(mpl_lang::unsupported_map_function),
185 help("Check the documentation for available map functions")
186 )]
187 UnsupportedMapFunction {
188 #[label("unknown function")]
190 span: SourceSpan,
191 name: String,
193 },
194
195 #[error("Unsupported regexp comparison: {op}")]
197 #[diagnostic(
198 code(mpl_lang::unsupported_regexp_comparison),
199 help("Use '==' or '!=' for regex comparisons")
200 )]
201 UnsupportedRegexpComparison {
202 #[label("invalid operator")]
204 span: SourceSpan,
205 op: String,
207 },
208
209 #[error("Unsupported tag comparison: {op}")]
211 #[diagnostic(
212 code(mpl_lang::unsupported_tag_comparison),
213 help("Supported operators: ==, !=, >, >=, <, <=")
214 )]
215 UnsupportedTagComparison {
216 #[label("invalid operator")]
218 span: SourceSpan,
219 op: String,
221 },
222
223 #[error("Not implemented: {0}")]
225 #[diagnostic(
226 code(mpl_lang::not_implemented),
227 help("This feature is planned but not yet implemented")
228 )]
229 NotImplemented(&'static str),
230
231 #[error("String construction error: {0}")]
233 #[diagnostic(code(mpl_lang::strumbra_error))]
234 StrumbraError(#[from] strumbra::Error),
235
236 #[error("Unreachable error: {0}")]
238 #[diagnostic(
239 code(mpl_lang::unreachable),
240 help("This error should never be reached")
241 )]
242 Unreachable(&'static str),
243
244 #[error("The param ${param} is defined multiple times")]
246 #[diagnostic(
247 code(mpl_lang::param_defined_multiple_times),
248 help("This param has been defined more than once")
249 )]
250 ParamDefinedMultipleTimes {
251 #[label("duplicate definition")]
253 span: SourceSpan,
254 param: String,
256 },
257
258 #[error("The param ${param} is not defined")]
260 #[diagnostic(code(mpl_lang::undefined_param))]
261 UndefinedParam {
262 #[label("undefined param")]
264 span: SourceSpan,
265 param: String,
267 },
268 #[error("The type {tpe} is not a valid type for tags")]
270 #[diagnostic(code(mpl_lang::invalid_tag_type))]
271 InvalidTagType {
272 #[label("invalid type")]
274 span: miette::SourceSpan,
275 tpe: String,
277 },
278}
279
280impl From<PestError<Rule>> for ParseError {
281 fn from(err: PestError<Rule>) -> Self {
282 let (start, mut len) = match err.location {
283 InputLocation::Pos(pos) => (pos, 0),
284 InputLocation::Span((start, end)) => (start, end - start),
285 };
286
287 let (label, message, suggestion) = match &err.variant {
288 ErrorVariant::ParsingError {
289 positives,
290 negatives,
291 } => {
292 let mut keywords = Vec::new();
293 let mut operations = Vec::new();
294 let mut other = Vec::new();
295
296 for rule in positives {
297 let name = friendly_rule(*rule);
298 if name.contains("keyword") {
299 keywords.push(name);
300 } else if name.contains("operation") {
301 operations.push(name);
302 } else {
303 other.push(name);
304 }
305 }
306
307 let mut label = String::new();
308 if keywords.is_empty() && operations.is_empty() && other.is_empty() {
309 label.push_str("unexpected token");
310 } else {
311 label.push_str("expected one of:\n");
312 if !keywords.is_empty() {
313 let kws: Vec<_> = keywords
314 .iter()
315 .map(|k| k.trim_end_matches(" keyword"))
316 .collect();
317 let _ = writeln!(label, " keywords: {}", join_with_or(&kws));
318 }
319 if !operations.is_empty() {
320 let ops: Vec<_> = operations
321 .iter()
322 .map(|o| {
323 o.trim_start_matches("a ")
324 .trim_start_matches("an ")
325 .trim_end_matches(" operation")
326 })
327 .collect();
328 let _ = writeln!(label, " operations: {}", join_with_or(&ops));
329 }
330 if !other.is_empty() {
331 for name in &other {
332 let _ = writeln!(label, " - {name}");
333 }
334 }
335 }
336
337 let mut msg = "unexpected token or operation".to_string();
338 if !negatives.is_empty() {
339 if !msg.is_empty() {
340 msg.push_str(" ");
341 }
342 msg.push_str("but found ");
343 msg.push_str(&friendly_rules(negatives));
344 }
345
346 let line_pos = match &err.line_col {
347 LineColLocation::Pos((_, col)) | LineColLocation::Span((_, col), _) => {
348 col.saturating_sub(1)
349 }
350 };
351 let suggestion = generate_suggestion(err.line(), line_pos, positives);
352
353 if len == 0 {
355 len = token_length(err.line(), line_pos);
356 }
357
358 let label = label.trim_end().to_string();
359 (label, msg, suggestion)
360 }
361 ErrorVariant::CustomError { message } => (message.clone(), message.clone(), None),
362 };
363
364 ParseError::SyntaxError {
365 span: SourceSpan::new(start.into(), len),
366 label,
367 message,
368 suggestion,
369 }
370 }
371}
372
373fn join_with_or(items: &[&str]) -> String {
375 match items.len() {
376 0 => String::new(),
377 1 => items[0].to_string(),
378 2 => format!("{} or {}", items[0], items[1]),
379 _ => {
380 let last = items[items.len() - 1];
381 let rest = &items[..items.len() - 1];
382 format!("{}, or {last}", rest.join(", "))
383 }
384 }
385}
386
387pub(crate) fn pair_to_source_span(pair: &Pair<Rule>) -> SourceSpan {
389 let span = pair.as_span();
390 let start = span.start();
391 let len = span.end() - start;
392 SourceSpan::new(start.into(), len)
393}
394
395fn friendly_rules(rules: &[Rule]) -> String {
397 let names: Vec<_> = rules.iter().copied().map(friendly_rule).collect();
398
399 match names.len() {
400 0 => String::new(),
401 1 => names[0].clone(),
402 2 => format!("{} or {}", names[0], names[1]),
403 _ => {
404 let last = &names[names.len() - 1];
405 let rest = &names[..names.len() - 1];
406 format!("{}, or {last}", rest.join(", "))
407 }
408 }
409}
410
411fn friendly_rule(rule: Rule) -> String {
413 match rule {
414 Rule::EOI => "end of query".to_string(),
416 Rule::pipe_keyword => "`|` (pipe)".to_string(),
417
418 Rule::time_range => "time range (e.g., [1h..])".to_string(),
420 Rule::time_relative => "relative time (e.g., 5m, 1h, 7d)".to_string(),
421 Rule::time_timestamp => "timestamp".to_string(),
422 Rule::time_rfc_3339 => "RFC3339 timestamp".to_string(),
423 Rule::time_modifier => "time modifier".to_string(),
424
425 Rule::filter_keyword | Rule::kw_filter => "`filter` keyword".to_string(),
427 Rule::kw_where => "`where` keyword".to_string(),
428 Rule::r#as => "`as` keyword".to_string(),
429
430 Rule::cmp => "a comparison operator (==, !=, <, >, <=, >=)".to_string(),
432 Rule::cmp_re => "a regex operator (==, !=)".to_string(),
433 Rule::regex => "a regex pattern (e.g., /pattern/)".to_string(),
434
435 Rule::value => "value (string, number, or bool)".to_string(),
437 Rule::string => "string value".to_string(),
438 Rule::number => "number".to_string(),
439 Rule::bool => "bool (true or false)".to_string(),
440
441 Rule::plain_ident => "identifier".to_string(),
443 Rule::escaped_ident => "escaped identifier".to_string(),
444 Rule::source => "source metric".to_string(),
445 Rule::metric_name => "metric name".to_string(),
446 Rule::metric_id => "metric identifier (e.g., dataset:metric)".to_string(),
447 Rule::dataset => "dataset name".to_string(),
448
449 Rule::align => "an align operation".to_string(),
451 Rule::group_by => "a group by operation".to_string(),
452 Rule::bucket_by => "a bucket by operation".to_string(),
453 Rule::map => "a map operation".to_string(),
454 Rule::replace => "a replace operation".to_string(),
455 Rule::join => "a join operation".to_string(),
456
457 Rule::simple_query => "simple query".to_string(),
459 Rule::compute_query => "compute query".to_string(),
460
461 Rule::directive => "directive".to_string(),
463
464 Rule::param => "param".to_string(),
466 Rule::param_ident => "param identifier".to_string(),
467 Rule::param_type => "param type".to_string(),
468
469 Rule::func => "function".to_string(),
471 Rule::compute_fn => "compute function".to_string(),
472 Rule::bucket_by_fn => {
473 "bucket function (histogram, interpolate_delta_histogram)".to_string()
474 }
475 Rule::bucket_by_with_conversion_fn => {
476 "bucket function (interpolate_cumulative_histogram)".to_string()
477 }
478 Rule::bucket_conversion => "conversion method (rate, increase)".to_string(),
479 Rule::bucket_specs => "bucket specifications".to_string(),
480 Rule::bucket_fn_call | Rule::bucket_fn_call_simple => "bucket function call".to_string(),
481 Rule::bucket_fn_call_with_conversion => "bucket function call with conversion".to_string(),
482
483 Rule::filter_rule => "filter rule".to_string(),
485 Rule::filter_expr => "filter expression".to_string(),
486 Rule::sample_expr => "sample expression".to_string(),
487 Rule::value_filter => "value filter".to_string(),
488 Rule::regex_filter => "regex filter".to_string(),
489 Rule::kw_is => "`is` keyword".to_string(),
490 Rule::is_filter => "type filter (e.g., is string)".to_string(),
491 Rule::tag_type => "tag type (string, int, float, or bool)".to_string(),
492
493 Rule::tags => "tags (comma-separated field names)".to_string(),
495 Rule::tag => "tag name".to_string(),
496
497 _ => {
499 let name = format!("{rule:?}");
500 name.to_lowercase().replace('_', " ")
501 }
502 }
503}
504
505#[derive(Debug, Clone)]
507pub struct Suggestion(String);
508
509impl Suggestion {
510 #[must_use]
512 pub fn suggestion(&self) -> &str {
513 &self.0
514 }
515}
516
517impl fmt::Display for Suggestion {
518 fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
519 write!(f, "Did you mean \"{}\"?", self.0)
520 }
521}
522
523fn generate_suggestion(
525 line: &str,
526 error_pos: usize,
527 expected_rules: &[Rule],
528) -> Option<Suggestion> {
529 let actual_token = extract_token(line, error_pos)?;
530
531 if actual_token.len() < 2 {
532 return None;
533 }
534
535 let possible_keywords = rules_keywords(expected_rules);
536
537 let mut best_match: Option<(&str, f64)> = None;
538
539 for keyword in &possible_keywords {
540 let similarity = jaro(&actual_token.to_lowercase(), &keyword.to_lowercase());
541
542 if similarity > 0.8 {
543 if let Some((_, best_score)) = best_match {
544 if similarity > best_score {
545 best_match = Some((keyword, similarity));
546 }
547 } else {
548 best_match = Some((keyword, similarity));
549 }
550 }
551 }
552
553 best_match.map(|(keyword, _)| Suggestion(keyword.to_string()))
554}
555
556fn extract_token(line: &str, pos: usize) -> Option<String> {
558 let chars: Vec<char> = line.chars().collect();
559
560 if pos >= chars.len() {
561 return None;
562 }
563
564 let mut pos = pos;
566 while pos < chars.len() && chars[pos].is_whitespace() {
567 pos += 1;
568 }
569
570 if pos >= chars.len() {
571 return None;
572 }
573
574 let mut start = pos;
576 while start > 0 && chars[start - 1].is_alphanumeric() {
577 start -= 1;
578 }
579
580 let mut end = pos;
582 while end < chars.len() && chars[end].is_alphanumeric() {
583 end += 1;
584 }
585
586 if start < end {
587 Some(chars[start..end].iter().collect())
588 } else {
589 None
590 }
591}
592
593fn token_length(line: &str, pos: usize) -> usize {
595 let chars: Vec<char> = line.chars().collect();
596
597 if pos >= chars.len() {
598 return 0;
599 }
600
601 if !chars[pos].is_alphanumeric() {
602 return 1;
603 }
604
605 let mut end = pos;
606 while end < chars.len() && chars[end].is_alphanumeric() {
607 end += 1;
608 }
609
610 end - pos
611}
612
613fn rules_keywords(rules: &[Rule]) -> Vec<&'static str> {
615 let mut keywords = Vec::new();
616
617 for rule in rules {
618 match rule {
619 Rule::filter_keyword | Rule::kw_filter | Rule::kw_where => {
620 keywords.push("where");
621 keywords.push("filter");
622 }
623 Rule::r#as => keywords.push("as"),
624 Rule::align => keywords.push("align"),
625 Rule::group_by => keywords.push("group"),
626 Rule::bucket_by => keywords.push("bucket"),
627 Rule::map => keywords.push("map"),
628 Rule::replace => keywords.push("replace"),
629 Rule::join => keywords.push("join"),
630 Rule::kw_is => keywords.push("is"),
631 Rule::tag_type => {
632 keywords.push("string");
633 keywords.push("int");
634 keywords.push("float");
635 keywords.push("bool");
636 }
637 _ => {}
638 }
639 }
640
641 keywords
642}