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
//! Error types.
//!
//! Errors indicate exceptional outcomes of system calls. Like most
//! traditional operating systems, they are represented by error codes in
//! μITRON.
//!
//! # Error Kind Types
//!
//! TODO: describe error kind types
//!
//! # Critical Errors
//!
//! The following errors may be escalated to panics or undefined behaviors:
//!
//! - Kernel integrity errors (some cases of `E_SYS` in the TOPPERS
//! kernels).
//!
//! - Memory access permission errors (`E_MACV`) caused by pointers that are
//! supposed to be accessible by the current thread (e.g., pointers referring
//! to local variables).
//!
//! - `E_PAR` caused by invalid timeout values.
//!
use core::{fmt, marker::PhantomData};
#[allow(unused_imports)]
use crate::abi;
/// Target-specific error value that can be categorized as one of the error
/// kinds represented by `Kind`.
#[derive(Clone, Copy, PartialEq, Eq)]
pub struct Error<Kind = ()> {
code: ErrorCode,
_phantom: PhantomData<Kind>,
}
/// Trait for [error kind types].
///
/// [error kind types]: super#error-kind-types
pub trait ErrorKind: Copy {
/// Categorize the specified error code.
///
/// Returns `None` if the error code is invalid in this context.
fn from_error_code(code: ErrorCode) -> Option<Self>;
}
impl<Kind: ErrorKind> Error<Kind> {
/// Construct `Error`.
///
/// # Safety
///
/// `Kind::from_error_code(code)` must return `Some(_)`. Otherwise,
/// [`Self::kind`] will cause an undefined behavior.
#[inline]
pub unsafe fn new_unchecked(code: ErrorCode) -> Self {
debug_assert!(Kind::from_error_code(code).is_some());
Self {
code,
_phantom: PhantomData,
}
}
/// Return `Ok(code)` if `code >= 0`; `Err(new_unchecked(code))` otherwise.
///
/// # Safety
///
/// See [`Self::new_unchecked`].
#[inline]
pub(crate) unsafe fn err_if_negative(code: abi::ER) -> Result<abi::ER, Self> {
if let Some(e) = ErrorCode::new(code) {
// Safety: Upheld by the caller
Err(unsafe { Self::new_unchecked(e) })
} else {
Ok(code)
}
}
/// Get the error kind.
#[inline]
pub fn kind(self) -> Kind {
// Safety: Upheld by `new_unchecked`'s caller
unsafe {
Kind::from_error_code(self.code).unwrap_or_else(|| core::hint::unreachable_unchecked())
}
}
/// Get the error code.
#[inline]
pub fn code(self) -> ErrorCode {
self.code
}
}
impl<Kind> fmt::Debug for Error<Kind> {
#[inline]
fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
fmt::Debug::fmt(&self.code, f)
}
}
/// Raw error code.
#[derive(Clone, Copy, PartialEq, Eq)]
pub struct ErrorCode(abi::NonZeroER);
impl ErrorCode {
/// Construct an `ErrorCode`.
///
/// Returns `None` if the specified value is not negative.
#[inline]
pub const fn new(code: abi::ER) -> Option<Self> {
if code >= 0 {
None
} else if let Some(x) = abi::NonZeroER::new(code) {
Some(Self(x))
} else {
None
}
}
/// Construct an `ErrorCode` without checking if `code` is a valid error
/// code.
//
/// # Safety
///
/// If `code` is not negative, this function causes an undefined
/// behavior.
#[inline]
pub const unsafe fn new_unchecked(code: abi::ER) -> Self {
Self(unsafe { abi::NonZeroER::new_unchecked(code) })
}
/// Get the numerical value.
#[inline]
pub const fn get(self) -> abi::ER {
self.0.get()
}
}
impl fmt::Debug for ErrorCode {
fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
let name = match () {
#[cfg(any(
feature = "asp3",
feature = "fmp3",
feature = "solid_asp3",
feature = "solid_fmp3"
))]
() => match self.get() {
abi::E_SYS => Some("E_SYS"),
abi::E_NOSPT => Some("E_NOSPT"),
abi::E_RSFN => Some("E_RSFN"),
abi::E_RSATR => Some("E_RSATR"),
abi::E_PAR => Some("E_PAR"),
abi::E_ID => Some("E_ID"),
abi::E_CTX => Some("E_CTX"),
abi::E_MACV => Some("E_MACV"),
abi::E_OACV => Some("E_OACV"),
abi::E_ILUSE => Some("E_ILUSE"),
abi::E_NOMEM => Some("E_NOMEM"),
abi::E_NOID => Some("E_NOID"),
abi::E_NORES => Some("E_NORES"),
abi::E_OBJ => Some("E_OBJ"),
abi::E_NOEXS => Some("E_NOEXS"),
abi::E_QOVR => Some("E_QOVR"),
abi::E_RLWAI => Some("E_RLWAI"),
abi::E_TMOUT => Some("E_TMOUT"),
abi::E_DLT => Some("E_DLT"),
abi::E_CLS => Some("E_CLS"),
abi::E_RASTER => Some("E_RASTER"),
abi::E_WBLK => Some("E_WBLK"),
abi::E_BOVR => Some("E_BOVR"),
abi::E_COMM => Some("E_COMM"),
_ => None,
},
#[cfg(feature = "none")]
() => None,
};
if let Some(name) = name {
f.write_str(name)
} else {
write!(f, "{}", self.get())
}
}
}
impl<Kind: ErrorKind> From<Error<Kind>> for ErrorCode {
#[inline]
fn from(x: Error<Kind>) -> Self {
x.code()
}
}
/// Placeholder for error kind variants.
///
/// **Do not refer to this type in your code!**
/// This type exists purely for documentation purposes. This type is replaced
/// with the inhabited type [`Kind`] if the variant is valid for the current
/// target kernel or the uninhabited type [`Never`] otherwise. This technique
/// lets us match against error kinds that do not exist in some kernels without
/// causing a compilation error.
///
/// ```
/// #![feature(exhaustive_patterns)]
/// use itron::error::{Kind, Never};
///
/// enum ExampleError {
/// Error1(Kind),
/// Error2(Never),
/// // displayed as the following in the doc
/// // Error1(MaybeKind),
/// // Error2(MaybeKind),
/// }
///
/// # fn a(error: ExampleError) {
/// // Portable code that handles all kinds
/// match error {
/// // `_` = don't care; the arm is just ignored if the
/// // error kind does not exist in this kernel
/// ExampleError::Error1(_) => println!("error1"),
/// ExampleError::Error2(_) => println!("error2"),
/// }
///
/// // Portable code that handles some kinds
/// match error {
/// ExampleError::Error2(_) => println!("error2"),
/// _ => println!("other"),
/// }
///
/// // Non-portable code that handles all kinds
/// match error {
/// // `Kind(_)` = assume that the error kind exists;
/// // raise a compile error if this assumption is broken
/// ExampleError::Error1(Kind(_)) => println!("error1"),
///
/// // (no arm) = assume that the error kind does not exist;
/// // raise a compile error if this assumption is broken
/// // (This requires `#[feature(exhaustive_patterns)]` for now.)
/// }
/// # }
/// ```
pub type MaybeKind = ();
/// Type for error kinds that are valid in the current target kernel.
#[derive(Debug, Clone, Copy, PartialEq, Eq)]
pub struct Kind(pub __Unstable);
impl Kind {
#[inline]
pub(crate) fn from_error_code(_: ErrorCode) -> Self {
Self(__Unstable)
}
}
/// I haven't decided what to put in [`Kind`].
#[doc(hidden)]
#[derive(Debug, Clone, Copy, PartialEq, Eq)]
pub struct __Unstable;
/// Indicates that the error kind never occurs in the current target kernel.
#[derive(Debug, Clone, Copy, PartialEq, Eq)]
pub enum Never {}
/// An internal macro to define error kind types.
macro_rules! define_error_kind {
(
$( #[$meta:meta] )*
pub enum $name:ident {
$(
$( #[doc = $doc:literal] )*
#[cfg( $($cfg:tt)* )]
$variant:ident
),*
$(,)*
}
) => {
$( #[$meta] )*
///
/// This type is an [error kind type].
///
/// [error kind type]: crate::error#error-kind-types
#[derive(Debug, Clone, Copy, PartialEq, Eq)]
pub enum $name {
$(
$( #[doc = $doc] )*
#[doc = ""]
// TODO: Replace this doc comment with `doc(cfg(...))`, which
// currently does not work
#[doc = concat!("<i>Requires</i>: `cfg(", stringify!($($cfg)*), ")`")]
#[cfg(doc)]
$variant(crate::error::MaybeKind),
#[cfg(all(not(doc), $($cfg)* ))]
$variant(crate::error::Kind),
#[cfg(all(not(doc), not( $($cfg)* )))]
$variant(crate::error::Never),
)*
}
};
}