artichoke_backend/error.rs
1//! Error types for Ruby exceptions and unwinding support.
2//!
3//! This module contains the boxed trait object and underlying trait that
4//! unifies all error types in this crate as a Ruby `Exception`.
5//!
6//! [`raise`] can convert any [`RubyException`] into an unwinding action.
7
8use std::borrow::Cow;
9use std::error;
10use std::ffi::CStr;
11use std::fmt;
12use std::hint;
13
14use crate::sys;
15use crate::{Artichoke, Guard};
16
17/// The `Error` type, a wrapper around a dynamic exception type.
18///
19/// `Error` works a lot like `Box<dyn std::error::Error>`, but with these
20/// differences:
21///
22/// - `Error` requires that the error is `'static`.
23/// - `Error` requires that the error implement [`RubyException`].
24/// - `Error` can convert itself to a backtrace on the underlying Ruby VM.
25///
26/// All types that implement [`RubyException`] are able to be converted to
27/// `Error`.
28#[derive(Debug)]
29pub struct Error(Box<dyn RubyException>);
30
31impl RubyException for Error {
32 fn message(&self) -> Cow<'_, [u8]> {
33 self.0.message()
34 }
35
36 /// Class name of the `Exception`.
37 fn name(&self) -> Cow<'_, str> {
38 self.0.name()
39 }
40
41 fn vm_backtrace(&self, interp: &mut Artichoke) -> Option<Vec<Vec<u8>>> {
42 self.0.vm_backtrace(interp)
43 }
44
45 fn as_mrb_value(&self, interp: &mut Artichoke) -> Option<sys::mrb_value> {
46 self.0.as_mrb_value(interp)
47 }
48}
49
50impl fmt::Display for Error {
51 fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
52 write!(f, "{}", self.0)
53 }
54}
55
56impl error::Error for Error {}
57
58impl From<Box<dyn RubyException>> for Error {
59 fn from(exc: Box<dyn RubyException>) -> Self {
60 Self(exc)
61 }
62}
63
64static RUNTIME_ERROR_CSTR: &CStr = c"RuntimeError";
65static UNABLE_TO_RAISE_MESSAGE: &CStr = c"Unable to raise exception";
66
67/// Raise implementation for [`RubyException`] boxed trait objects.
68///
69/// # Safety
70///
71/// This function unwinds the stack with `longjmp`, which will ignore all Rust
72/// landing pads for panics and exit routines for cleaning up borrows. Callers
73/// should ensure that only [`Copy`] items are alive in the current stack frame.
74///
75/// Because this precondition must hold for all frames between the caller and
76/// the closest [`sys::mrb_protect`] landing pad, this function should only be
77/// called in the entry point into Rust from mruby.
78pub unsafe fn raise<T>(mut guard: Guard<'_>, exception: T) -> !
79where
80 T: RubyException + fmt::Debug,
81{
82 // Convert the `RubyException` into a raisable boxed Ruby value.
83 let exc = exception.as_mrb_value(&mut guard);
84
85 // Pull out the raw pointer to the `mrb_state` so we can drop down to raw
86 // `MRB_API` functions.
87 //
88 // SAFETY: The `Guard` ensures that the `mrb_state` is valid and
89 // initialized.
90 let mrb: *mut sys::mrb_state = unsafe { guard.mrb.as_mut() };
91
92 // Ensure the Artichoke `State` is moved back into the `mrb_state`.
93 drop(guard);
94
95 let Some(exc) = exc else {
96 // Being unable to turn the given exception into an `mrb_value` is a bug, so
97 // log loudly to stderr and attempt to fallback to a runtime error.
98 emit_fatal_warning!("Unable to raise exception: {:?}", exception);
99
100 // Any non-`Copy` objects that we haven't cleaned up at this point will
101 // leak, so drop everything.
102 drop(exception);
103
104 // `mrb_sys_raise` will call longjmp which will unwind the stack.
105 //
106 // SAFETY: all remaining live objects are `Copy` and the `mrb_state` is
107 // valid.
108 unsafe {
109 sys::mrb_sys_raise(mrb, RUNTIME_ERROR_CSTR.as_ptr(), UNABLE_TO_RAISE_MESSAGE.as_ptr());
110 }
111
112 // SAFETY: This line is unreachable because `raise` will unwind the stack
113 // with `longjmp` when calling `sys::mrb_exc_raise` in the preceding line.
114 unsafe {
115 hint::unreachable_unchecked();
116 }
117 };
118
119 // Any non-`Copy` objects that we haven't cleaned up at this point will
120 // leak, so drop everything.
121 drop(exception);
122
123 // `mrb_exc_raise` will call longjmp which will unwind the stack.
124 //
125 // SAFETY: all remaining live objects are `Copy` and the `mrb_state` is
126 // valid.
127 unsafe {
128 sys::mrb_exc_raise(mrb, exc);
129 }
130
131 // SAFETY: This line is unreachable because `raise` will unwind the
132 // stack with `longjmp` when calling `sys::mrb_exc_raise` in the
133 // preceding line.
134 unsafe {
135 hint::unreachable_unchecked();
136 }
137}
138
139/// Polymorphic exception type that corresponds to Ruby's `Exception`.
140///
141/// All types that implement `RubyException` can be raised with
142/// [`error::raise`](raise). Rust code can re-raise a trait object to
143/// propagate exceptions from native code back into the interpreter.
144pub trait RubyException: error::Error + 'static {
145 /// Message of the `Exception`.
146 ///
147 /// This value is a byte slice since Ruby `String`s are equivalent to
148 /// `Vec<u8>`.
149 fn message(&self) -> Cow<'_, [u8]>;
150
151 /// Class name of the `Exception`.
152 fn name(&self) -> Cow<'_, str>;
153
154 /// Optional backtrace specified by a `Vec` of frames.
155 fn vm_backtrace(&self, interp: &mut Artichoke) -> Option<Vec<Vec<u8>>>;
156
157 /// Return a raise-able [`sys::mrb_value`].
158 fn as_mrb_value(&self, interp: &mut Artichoke) -> Option<sys::mrb_value>;
159}
160
161impl RubyException for Box<dyn RubyException> {
162 fn message(&self) -> Cow<'_, [u8]> {
163 self.as_ref().message()
164 }
165
166 fn name(&self) -> Cow<'_, str> {
167 self.as_ref().name()
168 }
169
170 fn vm_backtrace(&self, interp: &mut Artichoke) -> Option<Vec<Vec<u8>>> {
171 self.as_ref().vm_backtrace(interp)
172 }
173
174 fn as_mrb_value(&self, interp: &mut Artichoke) -> Option<sys::mrb_value> {
175 self.as_ref().as_mrb_value(interp)
176 }
177}
178
179impl error::Error for Box<dyn RubyException> {}