1
0
mirror of https://github.com/rcore-os/rCore.git synced 2024-11-26 09:53:28 +04:00
rCore/kernel/src/backtrace.rs

99 lines
2.7 KiB
Rust
Raw Normal View History

use core::mem::size_of;
2019-02-26 19:59:18 +04:00
use rcore_memory::PAGE_SIZE;
extern "C" {
fn stext();
fn etext();
}
2019-02-26 19:59:18 +04:00
/// Returns the current frame pointer.or stack base pointer
#[inline(always)]
pub fn fp() -> usize {
let ptr: usize;
#[cfg(target_arch = "aarch64")]
unsafe {
asm!("mov $0, x29" : "=r"(ptr));
}
#[cfg(any(target_arch = "riscv32", target_arch = "riscv64"))]
unsafe {
asm!("mv $0, s0" : "=r"(ptr));
}
2019-02-26 19:59:18 +04:00
#[cfg(target_arch = "x86_64")]
unsafe {
asm!("mov %rbp, $0" : "=r"(ptr));
}
2019-04-05 19:31:30 +04:00
#[cfg(any(target_arch = "mips"))]
unsafe {
asm!("mov $0, fp" : "=r"(ptr));
}
ptr
}
2019-02-26 19:59:18 +04:00
/// Returns the current link register.or return address
#[inline(always)]
pub fn lr() -> usize {
let ptr: usize;
#[cfg(target_arch = "aarch64")]
unsafe {
asm!("mov $0, x30" : "=r"(ptr));
}
2019-04-05 19:31:30 +04:00
#[cfg(any(target_arch = "riscv32",
target_arch = "riscv64",
target_arch = "mips"))]
unsafe {
asm!("mv $0, ra" : "=r"(ptr));
}
2019-02-26 19:59:18 +04:00
#[cfg(target_arch = "x86_64")]
unsafe {
asm!("movq 8(%rbp), $0" : "=r"(ptr));
}
ptr
}
// Print the backtrace starting from the caller
pub fn backtrace() {
unsafe {
let mut current_pc = lr();
let mut current_fp = fp();
let mut stack_num = 0;
2019-03-27 14:35:08 +04:00
while current_pc >= stext as usize
&& current_pc <= etext as usize
&& current_fp as usize != 0
{
println!(
"#{} {:#018X} fp {:#018X}",
stack_num,
current_pc - size_of::<usize>(),
current_fp
);
stack_num = stack_num + 1;
#[cfg(any(target_arch = "riscv32", target_arch = "riscv64"))]
{
current_fp = *(current_fp as *const usize).offset(-2);
current_pc = *(current_fp as *const usize).offset(-1);
}
#[cfg(target_arch = "aarch64")]
{
current_fp = *(current_fp as *const usize);
if current_fp != 0 {
current_pc = *(current_fp as *const usize).offset(1);
}
}
2019-02-26 19:59:18 +04:00
#[cfg(target_arch = "x86_64")]
{
// Kernel stack at 0x0000_57ac_0000_0000 (defined in bootloader crate)
// size = 512 pages
current_fp = *(current_fp as *const usize).offset(0);
2019-03-27 14:35:08 +04:00
if current_fp >= 0x0000_57ac_0000_0000 + 512 * PAGE_SIZE - size_of::<usize>()
&& current_fp <= 0xffff_ff00_0000_0000
{
2019-02-26 19:59:18 +04:00
break;
}
current_pc = *(current_fp as *const usize).offset(1);
}
}
}
}