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
//! Functions and type definitions for handling errors.
mod backtrace;
use crate::{io, BinResult};
use alloc::borrow::Cow;
#[cfg(not(feature = "std"))]
use alloc::{boxed::Box, string::String, vec, vec::Vec};
pub use backtrace::*;
use core::{any::Any, fmt};
/// The `ContextExt` trait allows extra information to be added to errors.
///
/// This is used to add tracking information to errors that bubble up from an
/// inner field.
pub trait ContextExt {
/// Adds a new context frame to the error, consuming the original error.
#[must_use]
fn with_context<Frame: Into<BacktraceFrame>>(self, frame: Frame) -> Self;
/// Adds a new frame of context to the error with the given message,
/// consuming the original error.
///
/// This also adds the file name and line number of the caller to the error.
#[must_use]
#[track_caller]
fn with_message(self, message: impl Into<Cow<'static, str>>) -> Self;
}
impl ContextExt for Error {
fn with_context<Frame: Into<BacktraceFrame>>(self, frame: Frame) -> Self {
match self {
Error::Backtrace(mut backtrace) => {
backtrace.frames.push(frame.into());
Error::Backtrace(backtrace)
}
error => Error::Backtrace(Backtrace::new(error, vec![frame.into()])),
}
}
#[track_caller]
fn with_message(self, message: impl Into<Cow<'static, str>>) -> Self {
match self {
Error::Backtrace(backtrace) => Error::Backtrace(backtrace.with_message(message)),
error => {
let caller = core::panic::Location::caller();
Error::Backtrace(Backtrace::new(
error,
vec![BacktraceFrame::Full {
code: None,
message: message.into(),
file: caller.file(),
line: caller.line(),
}],
))
}
}
}
}
impl<T> ContextExt for BinResult<T> {
fn with_context<Frame: Into<BacktraceFrame>>(self, frame: Frame) -> Self {
self.map_err(|err| err.with_context(frame))
}
#[track_caller]
fn with_message(self, message: impl Into<Cow<'static, str>>) -> Self {
match self {
Err(err) => {
let caller = core::panic::Location::caller();
Err(match err {
Error::Backtrace(backtrace) => {
Error::Backtrace(backtrace.with_message(message))
}
error => Error::Backtrace(Backtrace::new(
error,
vec![BacktraceFrame::Full {
code: None,
message: message.into(),
file: caller.file(),
line: caller.line(),
}],
)),
})
}
ok => ok,
}
}
}
/// The `CustomError` trait describes types that are usable as custom errors
/// in a [`BinResult`].
///
/// This trait is automatically implemented for any type which implements the
/// same traits as [`std::error::Error`], so anything you would normally use as
/// an error in other code is also a valid `CustomError`, with the additional
/// restriction that it must also be [`Send`] + [`Sync`].
///
/// This trait is Sealed.
pub trait CustomError: fmt::Display + fmt::Debug + Send + Sync + private::Sealed {
#[doc(hidden)]
fn as_any(&self) -> &(dyn Any + Send + Sync);
#[doc(hidden)]
fn as_any_mut(&mut self) -> &mut (dyn Any + Send + Sync);
#[doc(hidden)]
fn as_box_any(self: Box<Self>) -> Box<dyn Any + Send + Sync>;
}
impl<T: fmt::Display + fmt::Debug + Send + Sync + 'static> CustomError for T {
fn as_any(&self) -> &(dyn Any + Send + Sync) {
self
}
fn as_any_mut(&mut self) -> &mut (dyn Any + Send + Sync) {
self
}
fn as_box_any(self: Box<Self>) -> Box<dyn Any + Send + Sync> {
self
}
}
// The intent here is to allow any object which is compatible with
// `std::error::Error + Send + Sync` to be stored in errors, including no_std
// mode.
impl dyn CustomError {
/// Attempts to downcast a boxed error to a concrete type.
///
/// # Errors
///
/// If the downcast fails, `Self` will be returned.
// Lint: Does not panic; the unwrap will not fail due to the `is`-guard and
// must be expressed this way due to borrowck limitations
#[allow(clippy::missing_panics_doc)]
pub fn downcast<T: CustomError + 'static>(self: Box<Self>) -> Result<Box<T>, Box<Self>> {
if self.is::<T>() {
Ok(self.as_box_any().downcast().unwrap())
} else {
Err(self)
}
}
/// Returns some mutable reference to the boxed value if it is of type `T`, or
/// `None` if it isn't.
pub fn downcast_mut<T: CustomError + 'static>(&mut self) -> Option<&mut T> {
self.as_any_mut().downcast_mut()
}
/// Returns some reference to the boxed value if it is of type `T`, or
/// `None` if it isn’t.
pub fn downcast_ref<T: CustomError + 'static>(&self) -> Option<&T> {
self.as_any().downcast_ref()
}
/// Returns `true` if the boxed type is the same as `T`.
pub fn is<T: CustomError + 'static>(&self) -> bool {
core::any::TypeId::of::<T>() == self.as_any().type_id()
}
}
/// The error type used by [`BinRead`](crate::BinRead).
#[non_exhaustive]
pub enum Error {
/// An expected [magic number](crate::docs::attribute#magic) was not found.
BadMagic {
/// The byte position of the unexpected magic in the reader.
pos: u64,
/// The value which was actually read.
found: Box<dyn fmt::Debug + Send + Sync>,
},
/// An assertion failed.
///
/// This variant is used for [`assert`] directives which use a string
/// literal instead of an error object. Assertions that use error objects
/// are represented by the [`Custom`] variant.
///
/// [`assert`]: crate::docs::attribute#assert
/// [`Custom`]: Self::Custom
AssertFail {
/// The byte position of the start of the field or object that raised
/// an error.
pos: u64,
/// The failure message.
message: String,
},
/// An error occurred in the underlying reader while reading or seeking to
/// data.
Io(io::Error),
/// A user-generated error.
///
/// This variant is used for [`assert`] directives which use an error object
/// instead of a string literal. Assertions that use string literals are
/// represented by the [`AssertFail`] variant.
///
/// [`assert`]: crate::docs::attribute#assert
/// [`AssertFail`]: Self::AssertFail
Custom {
/// The byte position of the start of the field or object that raised
/// an error.
pos: u64,
/// The original error.
err: Box<dyn CustomError>,
},
/// None of the variants of an enum could successfully be parsed from the
/// data in the reader.
///
/// This variant is used when the [`return_unexpected_error`] directive is
/// set on an enum.
///
/// [`return_unexpected_error`]: crate::docs::attribute#enum-errors
NoVariantMatch {
/// The byte position of the unparsable data in the reader.
pos: u64,
},
/// None of the variants of an enum could successfully be parsed from the
/// data in the reader.
///
/// This variant is used when the [`return_all_errors`] directive is
/// set on an enum (which is the default).
///
/// [`return_all_errors`]: crate::docs::attribute#enum-errors
EnumErrors {
/// The byte position of the unparsable data in the reader.
pos: u64,
/// The original errors which occurred when trying to parse each
/// variant.
///
/// The first field of the tuple is the name of the variant, and the
/// second field is the error that occurred when parsing that variant.
variant_errors: Vec<(&'static str, Error)>,
},
/// An error with additional frames of context used to construct a backtrace
Backtrace(Backtrace),
}
impl Error {
/// Returns the source error. For a Backtrace this is the error that caused it, for every
/// other error this returns self
#[must_use]
pub fn root_cause(&self) -> &Self {
match self {
Self::Backtrace(backtrace) => &backtrace.error,
error => error,
}
}
/// Check if the [root cause][`Self::root_cause`] of this error is an [`Error::Io`] and an
/// [`io::ErrorKind::UnexpectedEof`].
#[must_use]
pub fn is_eof(&self) -> bool {
match self {
Error::Io(err) if err.kind() == io::ErrorKind::UnexpectedEof => true,
Error::EnumErrors { variant_errors, .. } => {
variant_errors.iter().all(|(_, err)| err.is_eof())
}
Error::Backtrace(bt) => bt.error.is_eof(),
_ => false,
}
}
/// Returns a reference to the boxed error object if this `Error` is a
/// custom error of type `T`, or `None` if it isn’t.
#[must_use]
pub fn custom_err<T: CustomError + 'static>(&self) -> Option<&T> {
if let Error::Custom { err, .. } = self.root_cause() {
err.downcast_ref()
} else {
None
}
}
}
impl From<io::Error> for Error {
fn from(err: io::Error) -> Self {
Self::Io(err)
}
}
impl fmt::Display for Error {
fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
match self {
Self::BadMagic { pos, found } => write!(f, "bad magic at 0x{pos:x}: {found:?}"),
Self::AssertFail { pos, message } => write!(f, "{message} at 0x{pos:x}"),
Self::Io(err) => fmt::Display::fmt(err, f),
Self::Custom { pos, err } => write!(f, "{err} at 0x{pos:x}"),
Self::NoVariantMatch { pos } => write!(f, "no variants matched at 0x{pos:x}"),
Self::EnumErrors {
pos,
variant_errors,
} => {
write!(f, "no variants matched at 0x{pos:x}:")?;
for (name, err) in variant_errors {
write!(f, "\n {name}: {err}")?;
}
Ok(())
}
Self::Backtrace(backtrace) => fmt::Display::fmt(backtrace, f),
}
}
}
impl fmt::Debug for Error {
fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
<Error as fmt::Display>::fmt(self, f)
}
}
#[cfg(feature = "std")]
impl std::error::Error for Error {}
mod private {
use core::fmt;
pub trait Sealed {}
impl<T: fmt::Display + fmt::Debug + Send + Sync + 'static> Sealed for T {}
}