spade_diagnostics/diagnostic.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 308 309 310 311 312 313 314 315 316 317 318 319 320 321 322 323 324 325 326 327 328 329 330 331 332 333 334 335 336 337 338 339 340 341 342 343 344 345 346 347 348 349 350 351 352 353 354 355 356 357 358 359 360 361 362 363 364 365 366 367 368 369 370 371 372 373 374 375 376 377 378 379 380 381 382 383 384 385 386 387 388 389 390 391 392 393 394 395 396 397 398 399 400 401 402 403 404 405 406 407 408 409 410 411 412 413 414 415 416 417 418 419 420 421 422 423 424 425 426 427 428 429 430 431 432 433 434 435 436 437 438 439 440 441 442 443 444 445 446 447 448
use spade_codespan::Span;
use spade_codespan_reporting::diagnostic::Severity;
use spade_common::location_info::FullSpan;
const INTERNAL_BUG_NOTE: &str = r#"This is an internal bug in the compiler.
We would appreciate if you opened an issue in the repository:
https://gitlab.com/spade-lang/spade/-/issues/new?issuable_template=Internal%20bug"#;
#[derive(Debug, Clone, PartialEq)]
pub enum Message {
Str(String),
// FluentIdentifier(String) for translated messages.
}
impl Message {
pub fn as_str(&self) -> &str {
match self {
Message::Str(s) => s,
}
}
}
impl From<String> for Message {
fn from(other: String) -> Message {
Message::Str(other)
}
}
impl From<&str> for Message {
fn from(other: &str) -> Message {
Message::from(other.to_string())
}
}
#[derive(Debug, Clone, PartialEq)]
pub enum DiagnosticLevel {
/// An internal error in the compiler that shouldn't happen.
Bug,
Error,
Warning,
}
#[derive(Debug, Clone, PartialEq)]
pub enum SubdiagnosticLevel {
Help,
Note,
}
impl DiagnosticLevel {
pub fn as_str(&self) -> &'static str {
match self {
DiagnosticLevel::Bug => "internal bug",
DiagnosticLevel::Error => "error",
DiagnosticLevel::Warning => "warning",
}
}
pub fn severity(&self) -> Severity {
match self {
DiagnosticLevel::Bug => Severity::Bug,
DiagnosticLevel::Error => Severity::Error,
DiagnosticLevel::Warning => Severity::Warning,
}
}
}
impl SubdiagnosticLevel {
pub fn as_str(&self) -> &'static str {
match self {
SubdiagnosticLevel::Help => "help",
SubdiagnosticLevel::Note => "note",
}
}
pub fn severity(&self) -> Severity {
match self {
SubdiagnosticLevel::Help => Severity::Help,
SubdiagnosticLevel::Note => Severity::Note,
}
}
}
#[derive(Debug, Clone, PartialEq)]
pub struct Labels {
pub message: Message,
/// The "primary location" of this diagnostic.
pub span: FullSpan,
/// Optionally, the primary location can be labeled. If None, it is only underlined.
pub primary_label: Option<Message>,
/// Secondary locations that further explain the reasoning behind the diagnostic.
pub secondary_labels: Vec<(FullSpan, Message)>,
}
/// Something that is wrong in the code.
#[must_use]
#[derive(Debug, Clone, PartialEq)]
pub struct Diagnostic {
pub level: DiagnosticLevel,
pub labels: Labels,
/// Extra diagnostics that are shown after the main diagnostic.
pub subdiagnostics: Vec<Subdiagnostic>,
}
/// An extra diagnostic that can further the main diagnostic in some way.
#[derive(Debug, Clone, PartialEq)]
pub enum Subdiagnostic {
/// A simple note without a span.
Note {
level: SubdiagnosticLevel,
message: Message,
},
TypeMismatch {
got: String,
got_outer: Option<String>,
expected: String,
expected_outer: Option<String>,
},
/// A longer note with additional spans and labels.
SpannedNote {
level: SubdiagnosticLevel,
labels: Labels,
},
TemplateTraceback {
span: FullSpan,
message: Message,
},
/// A change suggestion, made up of one or more suggestion parts.
Suggestion {
/// The individual replacements that make up this suggestion.
///
/// Additions, removals and replacements are encoded using the span and the suggested
/// replacement according to the following table:
///
///```text
/// +-----------+-------------+----------------+
/// | Span | Replacement | Interpretation |
/// +-----------+-------------+----------------+
/// | Non-empty | Non-empty | Replacement |
/// | Non-empty | Empty | Removal |
/// | Empty | Non-empty | Addition |
/// | Empty | Empty | Invalid |
/// +-----------+-------------+----------------+
///```
parts: Vec<(FullSpan, String)>,
message: Message,
},
}
impl Subdiagnostic {
pub fn span_note(span: impl Into<FullSpan>, message: impl Into<Message>) -> Self {
Subdiagnostic::SpannedNote {
level: SubdiagnosticLevel::Note,
labels: Labels {
message: message.into(),
span: span.into(),
primary_label: None,
secondary_labels: Vec::new(),
},
}
}
}
/// Builder for use with [Diagnostic::span_suggest_multipart].
pub struct SuggestionParts(Vec<(FullSpan, String)>);
impl Default for SuggestionParts {
fn default() -> Self {
Self::new()
}
}
impl SuggestionParts {
pub fn new() -> Self {
Self(Vec::new())
}
pub fn part(mut self, span: impl Into<FullSpan>, code: impl Into<String>) -> Self {
self.0.push((span.into(), code.into()));
self
}
pub fn push_part(&mut self, span: impl Into<FullSpan>, code: impl Into<String>) {
self.0.push((span.into(), code.into()));
}
}
impl Diagnostic {
fn new(level: DiagnosticLevel, span: impl Into<FullSpan>, message: impl Into<Message>) -> Self {
Self {
level,
labels: Labels {
message: message.into(),
span: span.into(),
primary_label: None,
secondary_labels: Vec::new(),
},
subdiagnostics: Vec::new(),
}
}
/// Report that something happened in the compiler that shouldn't be possible. This signifies
/// that something is wrong with the compiler. It will include a large footer instructing the
/// user to create an issue or otherwise get in touch.
pub fn bug(span: impl Into<FullSpan>, message: impl Into<Message>) -> Self {
Self::new(DiagnosticLevel::Bug, span, message).note(INTERNAL_BUG_NOTE)
}
/// Report that something is wrong with the supplied code.
pub fn error(span: impl Into<FullSpan>, message: impl Into<Message>) -> Self {
Self::new(DiagnosticLevel::Error, span, message)
}
pub fn level(mut self, level: DiagnosticLevel) -> Self {
self.level = level;
self
}
pub fn message(mut self, message: impl Into<Message>) -> Self {
self.labels.message = message.into();
self
}
/// Attach a message to the primary label of this diagnostic.
pub fn primary_label(mut self, primary_label: impl Into<Message>) -> Self {
self.labels.primary_label = Some(primary_label.into());
self
}
/// Attach a secondary label to this diagnostic.
pub fn secondary_label(
mut self,
span: impl Into<FullSpan>,
message: impl Into<Message>,
) -> Self {
self.labels
.secondary_labels
.push((span.into(), message.into()));
self
}
/// Attach a simple (one-line) note to this diagnostic.
pub fn note(mut self, message: impl Into<Message>) -> Self {
self.add_note(message);
self
}
/// Attach a simple (one-line) note to this diagnostic.
///
/// Modifying version of [Self::note].
pub fn add_note(&mut self, message: impl Into<Message>) -> &mut Self {
self.subdiagnostics.push(Subdiagnostic::Note {
level: SubdiagnosticLevel::Note,
message: message.into(),
});
self
}
/// Attach a simple (one-line) help to this diagnostic.
///
/// Builder version of [Self::add_help].
pub fn help(mut self, message: impl Into<Message>) -> Self {
self.add_help(message);
self
}
/// Attach a simple (one-line) help to this diagnostic.
///
/// Modifying version of [Self::help].
pub fn add_help(&mut self, message: impl Into<Message>) -> &mut Self {
self.subdiagnostics.push(Subdiagnostic::Note {
level: SubdiagnosticLevel::Help,
message: message.into(),
});
self
}
/// Attach a general subdiagnostic to this diagnostic.
///
/// Prefer a more specific convenicence method (see the [crate documentation])
/// if you can. This is intended for [spanned notes] since they need a builder
/// in order to be constructed.
///
/// [crate documentation]: crate
/// [spanned notes]: Subdiagnostic::SpannedNote
pub fn subdiagnostic(mut self, subdiagnostic: Subdiagnostic) -> Self {
self.subdiagnostics.push(subdiagnostic);
self
}
/// See [Self::subdiagnostic].
pub fn push_subdiagnostic(&mut self, subdiagnostic: Subdiagnostic) -> &mut Self {
self.subdiagnostics.push(subdiagnostic);
self
}
pub fn span_suggest(
self,
message: impl Into<Message>,
span: impl Into<FullSpan>,
code: impl Into<String>,
) -> Self {
self.subdiagnostic(Subdiagnostic::Suggestion {
parts: vec![(span.into(), code.into())],
message: message.into(),
})
}
/// Convenience method to suggest some code that can be inserted directly before some span.
///
/// Note that this will be _after_ any preceding whitespace. Use
/// [`Diagnostic::span_suggest_insert_after`] if you want the suggestion to insert before
/// preceding whitespace.
pub fn span_suggest_insert_before(
self,
message: impl Into<Message>,
span: impl Into<FullSpan>,
code: impl Into<String>,
) -> Self {
let (span, file) = span.into();
let code = code.into();
assert!(!code.is_empty());
self.span_suggest(message, (Span::new(span.start(), span.start()), file), code)
}
/// Convenience method to suggest some code that can be inserted directly after some span.
///
/// Note that this will be _before_ any preceding whitespace. Use
/// [`Diagnostic::span_suggest_insert_before`] if you want the suggestion to insert after
/// preceding whitespace.
pub fn span_suggest_insert_after(
self,
message: impl Into<Message>,
span: impl Into<FullSpan>,
code: impl Into<String>,
) -> Self {
let (span, file) = span.into();
let code = code.into();
assert!(!code.is_empty());
self.span_suggest(message, (Span::new(span.end(), span.end()), file), code)
}
/// Convenience method to suggest some code that can be replaced.
pub fn span_suggest_replace(
self,
message: impl Into<Message>,
span: impl Into<FullSpan>,
code: impl Into<String>,
) -> Self {
let (span, file) = span.into();
let code = code.into();
assert!(span.start() != span.end());
assert!(!code.is_empty());
self.span_suggest(message, (span, file), code)
}
/// Convenience method to suggest some code that can be removed.
pub fn span_suggest_remove(
self,
message: impl Into<Message>,
span: impl Into<FullSpan>,
) -> Self {
let (span, file) = span.into();
assert!(span.start() != span.end());
self.span_suggest(message, (span, file), "")
}
/// Suggest a change that consists of multiple parts.
pub fn span_suggest_multipart(
mut self,
message: impl Into<Message>,
parts: SuggestionParts,
) -> Self {
self.push_span_suggest_multipart(message, parts);
self
}
/// Suggest a change that consists of multiple parts, but usable outside of builders.
pub fn push_span_suggest_multipart(
&mut self,
message: impl Into<Message>,
SuggestionParts(parts): SuggestionParts,
) -> &mut Self {
self.subdiagnostics.push(Subdiagnostic::Suggestion {
parts,
message: message.into(),
});
self
}
pub fn type_error(
mut self,
expected: String,
expected_outer: Option<String>,
got: String,
got_outer: Option<String>,
) -> Self {
self.push_subdiagnostic(Subdiagnostic::TypeMismatch {
got,
got_outer,
expected,
expected_outer,
});
self
}
}
// Assert that something holds, if it does not, return a [`Diagnostic::bug`] with the specified
// span
#[macro_export]
macro_rules! diag_assert {
($span:expr, $condition:expr) => {
diag_assert!($span, $condition, "Assertion {} failed", stringify!($condition))
};
($span:expr, $condition:expr, $($rest:tt)*) => {
if !$condition {
return Err(Diagnostic::bug(
$span,
format!($($rest)*),
)
.into());
}
};
}
/// Like `anyhow!` but for diagnostics. Attaches the message to the specified expression
#[macro_export]
macro_rules! diag_anyhow {
($span:expr, $($arg:tt)*) => {
spade_diagnostics::Diagnostic::bug($span, format!($($arg)*))
.note(format!("Triggered at {}:{}", file!(), line!()))
}
}
/// Like `bail!` but for diagnostics. Attaches the message to the specified expression
#[macro_export]
macro_rules! diag_bail {
($span:expr, $($arg:tt)*) => {
return Err(spade_diagnostics::diag_anyhow!($span, $($arg)*).into())
}
}