panicking.rs 2.1 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475
  1. use core::mem::ManuallyDrop;
  2. use crate::abi::*;
  3. pub unsafe trait Exception {
  4. const CLASS: [u8; 8];
  5. fn wrap(this: Self) -> *mut UnwindException;
  6. unsafe fn unwrap(ex: *mut UnwindException) -> Self;
  7. }
  8. pub fn begin_panic<E: Exception>(
  9. exception: E,
  10. trace: Option<UnwindTraceFn>,
  11. trace_argument: *mut core::ffi::c_void,
  12. ) -> UnwindReasonCode {
  13. unsafe extern "C" fn exception_cleanup<E: Exception>(
  14. _unwind_code: UnwindReasonCode,
  15. exception: *mut UnwindException,
  16. ) {
  17. unsafe { E::unwrap(exception) };
  18. }
  19. let ex = E::wrap(exception);
  20. unsafe {
  21. (*ex).exception_class = u64::from_ne_bytes(E::CLASS);
  22. (*ex).exception_cleanup = Some(exception_cleanup::<E>);
  23. _Unwind_RaiseException(ex, trace, trace_argument)
  24. }
  25. }
  26. pub fn catch_unwind<E: Exception, R, F: FnOnce() -> R>(f: F) -> Result<R, Option<E>> {
  27. #[repr(C)]
  28. union Data<F, R, E> {
  29. f: ManuallyDrop<F>,
  30. r: ManuallyDrop<R>,
  31. p: ManuallyDrop<Option<E>>,
  32. }
  33. let mut data = Data {
  34. f: ManuallyDrop::new(f),
  35. };
  36. let data_ptr = &mut data as *mut _ as *mut u8;
  37. unsafe {
  38. return if core::intrinsics::catch_unwind(do_call::<F, R>, data_ptr, do_catch::<E>) == 0 {
  39. Ok(ManuallyDrop::into_inner(data.r))
  40. } else {
  41. Err(ManuallyDrop::into_inner(data.p))
  42. };
  43. }
  44. #[inline]
  45. fn do_call<F: FnOnce() -> R, R>(data: *mut u8) {
  46. unsafe {
  47. let data = &mut *(data as *mut Data<F, R, ()>);
  48. let f = ManuallyDrop::take(&mut data.f);
  49. data.r = ManuallyDrop::new(f());
  50. }
  51. }
  52. #[cold]
  53. fn do_catch<E: Exception>(data: *mut u8, exception: *mut u8) {
  54. unsafe {
  55. let data = &mut *(data as *mut ManuallyDrop<Option<E>>);
  56. let exception = exception as *mut UnwindException;
  57. if (*exception).exception_class != u64::from_ne_bytes(E::CLASS) {
  58. _Unwind_DeleteException(exception);
  59. *data = ManuallyDrop::new(None);
  60. return;
  61. }
  62. *data = ManuallyDrop::new(Some(E::unwrap(exception)));
  63. }
  64. }
  65. }