mirror of
https://github.com/phil-opp/blog_os.git
synced 2025-12-16 14:27:49 +00:00
50 lines
1.4 KiB
Rust
50 lines
1.4 KiB
Rust
// The x86-interrupt calling convention leads to the following LLVM error
|
|
// when compiled for a Windows target: "offset is not a multiple of 16". This
|
|
// happens for example when running `cargo test` on Windows. To avoid this
|
|
// problem we skip compilation of this module on Windows.
|
|
#![cfg(not(windows))]
|
|
|
|
use crate::{gdt, println};
|
|
use lazy_static::lazy_static;
|
|
use x86_64::structures::idt::{InterruptDescriptorTable, InterruptStackFrame};
|
|
|
|
lazy_static! {
|
|
static ref IDT: InterruptDescriptorTable = {
|
|
let mut idt = InterruptDescriptorTable::new();
|
|
idt.breakpoint.set_handler_fn(breakpoint_handler);
|
|
unsafe {
|
|
idt.double_fault
|
|
.set_handler_fn(double_fault_handler)
|
|
.set_stack_index(gdt::DOUBLE_FAULT_IST_INDEX);
|
|
}
|
|
idt
|
|
};
|
|
}
|
|
|
|
pub fn init_idt() {
|
|
IDT.load();
|
|
}
|
|
|
|
extern "x86-interrupt" fn breakpoint_handler(stack_frame: &mut InterruptStackFrame) {
|
|
println!("EXCEPTION: BREAKPOINT\n{:#?}", stack_frame);
|
|
}
|
|
|
|
extern "x86-interrupt" fn double_fault_handler(
|
|
stack_frame: &mut InterruptStackFrame,
|
|
_error_code: u64,
|
|
) {
|
|
println!("EXCEPTION: DOUBLE FAULT\n{:#?}", stack_frame);
|
|
loop {}
|
|
}
|
|
|
|
#[cfg(test)]
|
|
use crate::{serial_print, serial_println};
|
|
|
|
#[test_case]
|
|
fn test_breakpoint_exception() {
|
|
serial_print!("test_breakpoint_exception...");
|
|
// invoke a breakpoint exception
|
|
x86_64::instructions::interrupts::int3();
|
|
serial_println!("[ok]");
|
|
}
|