rune/compile/
with_span.rs

1use crate::ast::{Span, Spanned};
2
3/// Helper trait to coerce errors which do not carry a span into spanned ones.
4///
5/// This is primarily used to convert errors into
6/// [compile::Error][crate::compile::Error].
7///
8/// This has a blanked implementation over [`Result<T, E>`].
9pub(crate) trait WithSpan<T, E> {
10    /// Convert the given result into a result which produces a spanned error.
11    fn with_span<S>(self, spanned: S) -> Result<T, HasSpan<S, E>>
12    where
13        S: Spanned;
14}
15
16impl<T, E> WithSpan<T, E> for Result<T, E> {
17    /// Attach the span extracted from `spanned` to the error if it is present.
18    fn with_span<S>(self, spanned: S) -> Result<T, HasSpan<S, E>>
19    where
20        S: Spanned,
21    {
22        match self {
23            Ok(value) => Ok(value),
24            Err(error) => Err(HasSpan::new(spanned, error)),
25        }
26    }
27}
28
29/// An error with an associated span.
30#[derive(Debug)]
31pub(crate) struct HasSpan<S, E> {
32    span: S,
33    error: E,
34}
35
36impl<S, E> HasSpan<S, E> {
37    pub(crate) fn new(span: S, error: E) -> Self {
38        Self { span, error }
39    }
40
41    pub(crate) fn span(&self) -> Span
42    where
43        S: Spanned,
44    {
45        self.span.span()
46    }
47
48    pub(crate) fn into_inner(self) -> E {
49        self.error
50    }
51}