// SPDX-License-Identifier: MIT OR Apache-2.0 // // Copyright (c) 2018-2022 Andre Richter //! A panic handler that infinitely waits. use crate::{bsp, cpu}; use core::{fmt, panic::PanicInfo}; //-------------------------------------------------------------------------------------------------- // Private Code //-------------------------------------------------------------------------------------------------- fn _panic_print(args: fmt::Arguments) { use fmt::Write; unsafe { bsp::console::panic_console_out().write_fmt(args).unwrap() }; } /// Prints with a newline - only use from the panic handler. /// /// Carbon copy from #[macro_export] macro_rules! panic_println { ($($arg:tt)*) => ({ _panic_print(format_args_nl!($($arg)*)); }) } /// Stop immediately if called a second time. /// /// # Note /// /// Using atomics here relieves us from needing to use `unsafe` for the static variable. /// /// On `AArch64`, which is the only implemented architecture at the time of writing this, /// [`AtomicBool::load`] and [`AtomicBool::store`] are lowered to ordinary load and store /// instructions. They are therefore safe to use even with MMU + caching deactivated. /// /// [`AtomicBool::load`]: core::sync::atomic::AtomicBool::load /// [`AtomicBool::store`]: core::sync::atomic::AtomicBool::store fn panic_prevent_reenter() { use core::sync::atomic::{AtomicBool, Ordering}; #[cfg(not(target_arch = "aarch64"))] compile_error!("Add the target_arch to above's check if the following code is safe to use"); static PANIC_IN_PROGRESS: AtomicBool = AtomicBool::new(false); if !PANIC_IN_PROGRESS.load(Ordering::Relaxed) { PANIC_IN_PROGRESS.store(true, Ordering::Relaxed); return; } cpu::wait_forever() } #[panic_handler] fn panic(info: &PanicInfo) -> ! { use crate::time::interface::TimeManager; // Protect against panic infinite loops if any of the following code panics itself. panic_prevent_reenter(); let timestamp = crate::time::time_manager().uptime(); if let Some(args) = info.message() { panic_println!( "[ {:>3}.{:06}] Kernel panic: {}", timestamp.as_secs(), timestamp.subsec_micros(), args, ); } else { panic_println!( "[ {:>3}.{:06}] Kernel panic!", timestamp.as_secs(), timestamp.subsec_micros(), ); } cpu::wait_forever() }