mod context;
pub use context::{Context, Location};
use crate::visitor::DecodeError;
use alloc::{borrow::Cow, boxed::Box, string::String, vec::Vec};
use core::fmt::Display;
#[derive(Debug)]
pub struct Error {
context: Context,
kind: ErrorKind,
}
impl core::error::Error for Error {}
impl Error {
pub fn new(kind: ErrorKind) -> Error {
Error { context: Context::new(), kind }
}
pub fn custom(error: impl core::error::Error + Send + Sync + 'static) -> Error {
Error::new(ErrorKind::Custom(Box::new(error)))
}
pub fn custom_str(error: &'static str) -> Error {
#[derive(Debug, thiserror::Error)]
#[error("{0}")]
pub struct StrError(pub &'static str);
Error::new(ErrorKind::Custom(Box::new(StrError(error))))
}
pub fn custom_string(error: String) -> Error {
#[derive(Debug, thiserror::Error)]
#[error("{0}")]
pub struct StringError(String);
Error::new(ErrorKind::Custom(Box::new(StringError(error))))
}
pub fn kind(&self) -> &ErrorKind {
&self.kind
}
pub fn context(&self) -> &Context {
&self.context
}
pub fn at(mut self, loc: Location) -> Self {
self.context.push(loc);
Error { context: self.context, kind: self.kind }
}
pub fn at_idx(mut self, idx: usize) -> Self {
self.context.push(Location::idx(idx));
Error { context: self.context, kind: self.kind }
}
pub fn at_field(mut self, field: impl Into<Cow<'static, str>>) -> Self {
self.context.push(Location::field(field));
Error { context: self.context, kind: self.kind }
}
pub fn at_variant(mut self, variant: impl Into<Cow<'static, str>>) -> Self {
self.context.push(Location::variant(variant));
Error { context: self.context, kind: self.kind }
}
}
impl Display for Error {
fn fmt(&self, f: &mut core::fmt::Formatter<'_>) -> core::fmt::Result {
let path = self.context.path();
let kind = &self.kind;
write!(f, "Error at {path}: {kind}")
}
}
impl From<DecodeError> for Error {
fn from(err: DecodeError) -> Error {
Error::new(err.into())
}
}
impl From<codec::Error> for Error {
fn from(err: codec::Error) -> Error {
let err: DecodeError = err.into();
Error::new(err.into())
}
}
#[derive(Debug, thiserror::Error)]
pub enum ErrorKind {
#[error("Error decoding bytes given the type ID and registry provided: {_0}")]
VisitorDecodeError(#[from] DecodeError),
#[error("Number {value} is out of range")]
NumberOutOfRange {
value: String,
},
#[error("Cannot find variant {got}; expects one of {expected:?}")]
CannotFindVariant {
got: String,
expected: Vec<&'static str>,
},
#[error("Cannot decode from type; expected length {expected_len} but got length {actual_len}")]
WrongLength {
actual_len: usize,
expected_len: usize,
},
#[error("Field {name} does not exist in our encoded data")]
CannotFindField {
name: String,
},
#[error("Custom error: {0}")]
Custom(Box<dyn core::error::Error + Send + Sync + 'static>),
}