burritos/src/kernel/scheduler.rs

67 lines
1.9 KiB
Rust
Raw Normal View History

use std::rc::Rc;
2023-03-01 16:55:17 +01:00
2023-02-28 16:39:40 +01:00
use crate::utility::list::List;
use crate::kernel::thread::Thread;
use super::system::System;
2023-03-08 15:48:33 +01:00
#[derive(PartialEq)]
2023-03-01 16:55:17 +01:00
pub struct Scheduler {
2023-03-08 15:54:10 +01:00
ready_list: List<Rc<Thread>>
2023-02-28 16:39:40 +01:00
}
impl Scheduler {
/// Constructor
///
/// Initilize the list of ready thread
pub fn new() -> Self {
Self {
ready_list: List::new()
}
}
/// Mark a thread as aready, but not necessarily running yet.
///
/// Put it in the ready list, for later scheduling onto the CPU.
///
/// ## Pamameter
///
2023-03-01 10:11:19 +01:00
/// **thread** is the thread to be put on the read list
2023-03-08 15:54:10 +01:00
pub fn ready_to_run(&mut self, thread: Rc<Thread>) {
2023-03-01 16:55:17 +01:00
self.ready_list.push(thread);
2023-02-28 16:39:40 +01:00
}
2023-03-01 10:11:19 +01:00
/// Return the next thread to be scheduled onto the CPU.
/// If there are no ready threads, return Option::None
///
/// Thread is removed from the ready list.
///
/// **return** Thread thread to be scheduled
2023-03-08 15:54:10 +01:00
pub fn find_next_to_run(&mut self) -> Option<Rc<Thread>> {
2023-03-01 16:55:17 +01:00
self.ready_list.pop()
2023-03-01 10:11:19 +01:00
}
/// Dispatch the CPU to next_thread. Save the state of the old thread
/// and load the state of the new thread.
///
/// We assume the state of the previously running thread has already been changed from running to blocked or ready.
///
/// Global variable g_current_thread become next_thread
///
/// ## Parameter
///
/// **next_thread** thread to dispatch to the CPU
pub fn switch_to(&self, system: Rc<System>, next_thread: Thread) {
/* if let Some(old_thread) = system.get_g_current_thread() {
old_thread.save_processor_state();
old_thread.save_simulator_state();
2023-03-01 10:11:19 +01:00
if old_thread != &next_thread {
next_thread.restore_processor_state();
next_thread.restore_simulator_state();
system.set_g_current_thread(Option::Some(next_thread));
2023-03-01 11:10:15 +01:00
}
} */
2023-03-01 10:11:19 +01:00
}
2023-02-28 16:39:40 +01:00
}