1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
use super::{ParkHandle, Thread, ThreadStack, ThreadState, STACK_SIZE, THREAD_MAGIC};
use alloc::boxed::Box;
use core::arch::asm;
pub trait Scheduler {
fn next_to_run(&self) -> Option<Box<Thread>>;
fn push_to_queue(&self, th: Box<Thread>);
fn timer_tick(&self);
}
static mut SCHEDULER: Option<&'static dyn Scheduler> = None;
pub unsafe fn set_scheduler(t: impl Scheduler + 'static) {
SCHEDULER = (Box::into_raw(Box::new(t)) as *const dyn Scheduler).as_ref();
crate::interrupt::register(32, || scheduler().timer_tick());
}
pub fn scheduler() -> &'static (dyn Scheduler + 'static) {
unsafe { *SCHEDULER.as_mut().unwrap() }
}
impl dyn Scheduler {
pub fn reschedule(&self) {
let _p = Thread::pin();
if let Some(th) = self.next_to_run() {
th.run();
} else {
unsafe {
IDLE[abyss::x86_64::intrinsics::cpuid()]
.as_mut()
.unwrap()
.do_run();
}
}
}
pub(crate) unsafe fn park_thread(&self, th: &mut Thread) -> Result<ParkHandle, ()> {
if matches!(th.state, ThreadState::Parked) {
return Err(());
}
th.state = ThreadState::Parked;
unsafe {
Ok(ParkHandle {
th: Box::from_raw(th),
})
}
}
}
const INIT: Option<Box<Thread>> = None;
static mut IDLE: [Option<Box<Thread>>; abyss::MAX_CPU] = [INIT; abyss::MAX_CPU];
pub unsafe fn start_idle(core_id: usize) -> ! {
let mut sp: usize;
asm!("mov {}, rsp", out(reg) sp);
let mut tcb = Thread::new("idle");
tcb.state = ThreadState::Idle;
tcb.stack = Box::from_raw((sp & !(STACK_SIZE - 1)) as *mut ThreadStack);
tcb.stack.magic = THREAD_MAGIC;
tcb.stack.thread = tcb.as_mut() as *mut _;
IDLE[core_id] = Some(tcb);
let scheduler = scheduler();
loop {
if let Some(th) = scheduler.next_to_run() {
th.run();
}
}
}