Remove the shim kernel crate

This commit is contained in:
Zhang Junyang
2024-08-19 19:15:22 +08:00
committed by Tate, Hongliang Tian
parent d76c7a5b1e
commit dafd16075f
416 changed files with 231 additions and 273 deletions

8
kernel/src/sched/mod.rs Normal file
View File

@ -0,0 +1,8 @@
// SPDX-License-Identifier: MPL-2.0
pub mod nice;
mod priority_scheduler;
// There may be multiple scheduling policies in the system,
// and subsequent schedulers can be placed under this module.
pub use self::priority_scheduler::init;

103
kernel/src/sched/nice.rs Normal file
View File

@ -0,0 +1,103 @@
// SPDX-License-Identifier: MPL-2.0
use bytemuck_derive::NoUninit;
use crate::prelude::*;
/// The process scheduling nice value.
///
/// The nice value is an attribute that can be used to influence the
/// CPU scheduler to favor or disfavor a process in scheduling decisions.
///
/// It is a value in the range -20 to 19, with -20 being the highest priority
/// and 19 being the lowest priority. The smaller values give a process a higher
/// scheduling priority.
#[repr(transparent)]
#[derive(Copy, Clone, Debug, PartialEq, Eq, PartialOrd, Ord, NoUninit)]
pub struct Nice {
value: i8,
}
impl Nice {
/// The minimum nice, whose value is -20.
pub const MIN: Self = Self { value: -20 };
/// The maximum nice, whose value is 19.
pub const MAX: Self = Self { value: 19 };
/// Creates a new `Nice` from the raw value.
///
/// Values given beyond the permissible range are automatically adjusted
/// to the nearest boundary value.
pub fn new(raw: i8) -> Self {
Self {
value: raw.clamp(Self::MIN.to_raw(), Self::MAX.to_raw()),
}
}
/// Converts to the raw value.
pub fn to_raw(self) -> i8 {
self.value
}
}
#[allow(clippy::derivable_impls)]
impl Default for Nice {
fn default() -> Self {
Self {
// The default nice value is 0
value: 0,
}
}
}
impl From<Priority> for Nice {
fn from(priority: Priority) -> Self {
Self {
value: 20 - priority.to_raw() as i8,
}
}
}
/// The process scheduling priority value.
///
/// It is a value in the range 1 (corresponding to a nice value of 19)
/// to 40 (corresponding to a nice value of -20), with 1 being the lowest priority
/// and 40 being the highest priority. The greater values give a process a higher
/// scheduling priority.
#[repr(transparent)]
#[derive(Copy, Clone, Debug, PartialEq, Eq, PartialOrd, Ord, NoUninit)]
pub struct Priority {
value: u8,
}
impl Priority {
/// The minimum priority, whose value is 1.
pub const MIN: Self = Self { value: 1 };
/// The maximum priority, whose value is 40.
pub const MAX: Self = Self { value: 40 };
/// Creates a new `Priority` from the raw value.
///
/// Values given beyond the permissible range are automatically adjusted
/// to the nearest boundary value.
pub fn new(raw: u8) -> Self {
Self {
value: raw.clamp(Self::MIN.to_raw(), Self::MAX.to_raw()),
}
}
/// Converts to the raw value.
pub fn to_raw(self) -> u8 {
self.value
}
}
impl From<Nice> for Priority {
fn from(nice: Nice) -> Self {
Self {
value: (20 - nice.to_raw()) as u8,
}
}
}

View File

@ -0,0 +1,234 @@
// SPDX-License-Identifier: MPL-2.0
use ostd::{
cpu::{num_cpus, this_cpu},
task::{
scheduler::{inject_scheduler, EnqueueFlags, LocalRunQueue, Scheduler, UpdateFlags},
AtomicCpuId, Priority, Task,
},
};
use crate::prelude::*;
pub fn init() {
let preempt_scheduler = Box::new(PreemptScheduler::default());
let scheduler = Box::<PreemptScheduler<Task>>::leak(preempt_scheduler);
inject_scheduler(scheduler);
}
/// The preempt scheduler.
///
/// Real-time tasks are placed in the `real_time_entities` queue and
/// are always prioritized during scheduling.
/// Normal tasks are placed in the `normal_entities` queue and are only
/// scheduled for execution when there are no real-time tasks.
struct PreemptScheduler<T: PreemptSchedInfo> {
rq: Vec<SpinLock<PreemptRunQueue<T>>>,
}
impl<T: PreemptSchedInfo> PreemptScheduler<T> {
fn new(nr_cpus: u32) -> Self {
let mut rq = Vec::with_capacity(nr_cpus as usize);
for _ in 0..nr_cpus {
rq.push(SpinLock::new(PreemptRunQueue::new()));
}
Self { rq }
}
/// Selects a cpu for task to run on.
fn select_cpu(&self, _runnable: &Arc<T>) -> u32 {
// FIXME: adopt more reasonable policy once we fully enable SMP.
0
}
}
impl<T: Sync + Send + PreemptSchedInfo> Scheduler<T> for PreemptScheduler<T> {
fn enqueue(&self, runnable: Arc<T>, flags: EnqueueFlags) -> Option<u32> {
let mut still_in_rq = false;
let target_cpu = {
let mut cpu_id = self.select_cpu(&runnable);
if let Err(task_cpu_id) = runnable.cpu().set_if_is_none(cpu_id) {
debug_assert!(flags != EnqueueFlags::Spawn);
still_in_rq = true;
cpu_id = task_cpu_id;
}
cpu_id
};
let mut rq = self.rq[target_cpu as usize].disable_irq().lock();
if still_in_rq && let Err(_) = runnable.cpu().set_if_is_none(target_cpu) {
return None;
}
let entity = PreemptSchedEntity::new(runnable);
if entity.is_real_time() {
rq.real_time_entities.push_back(entity);
} else {
rq.normal_entities.push_back(entity);
}
Some(target_cpu)
}
fn local_rq_with(&self, f: &mut dyn FnMut(&dyn LocalRunQueue<T>)) {
let local_rq: &PreemptRunQueue<T> = &self.rq[this_cpu() as usize].disable_irq().lock();
f(local_rq);
}
fn local_mut_rq_with(&self, f: &mut dyn FnMut(&mut dyn LocalRunQueue<T>)) {
let local_rq: &mut PreemptRunQueue<T> =
&mut self.rq[this_cpu() as usize].disable_irq().lock();
f(local_rq);
}
}
impl Default for PreemptScheduler<Task> {
fn default() -> Self {
Self::new(num_cpus())
}
}
struct PreemptRunQueue<T: PreemptSchedInfo> {
current: Option<PreemptSchedEntity<T>>,
real_time_entities: VecDeque<PreemptSchedEntity<T>>,
normal_entities: VecDeque<PreemptSchedEntity<T>>,
}
impl<T: PreemptSchedInfo> PreemptRunQueue<T> {
pub fn new() -> Self {
Self {
current: None,
real_time_entities: VecDeque::new(),
normal_entities: VecDeque::new(),
}
}
}
impl<T: Sync + Send + PreemptSchedInfo> LocalRunQueue<T> for PreemptRunQueue<T> {
fn current(&self) -> Option<&Arc<T>> {
self.current.as_ref().map(|entity| &entity.runnable)
}
fn update_current(&mut self, flags: UpdateFlags) -> bool {
match flags {
UpdateFlags::Tick => {
let Some(ref mut current_entity) = self.current else {
return false;
};
current_entity.tick()
|| (!current_entity.is_real_time() && !self.real_time_entities.is_empty())
}
_ => true,
}
}
fn pick_next_current(&mut self) -> Option<&Arc<T>> {
let next_entity = if !self.real_time_entities.is_empty() {
self.real_time_entities.pop_front()
} else {
self.normal_entities.pop_front()
}?;
if let Some(prev_entity) = self.current.replace(next_entity) {
if prev_entity.is_real_time() {
self.real_time_entities.push_back(prev_entity);
} else {
self.normal_entities.push_back(prev_entity);
}
}
Some(&self.current.as_ref().unwrap().runnable)
}
fn dequeue_current(&mut self) -> Option<Arc<T>> {
self.current.take().map(|entity| {
let runnable = entity.runnable;
runnable.cpu().set_to_none();
runnable
})
}
}
struct PreemptSchedEntity<T: PreemptSchedInfo> {
runnable: Arc<T>,
time_slice: TimeSlice,
}
impl<T: PreemptSchedInfo> PreemptSchedEntity<T> {
fn new(runnable: Arc<T>) -> Self {
Self {
runnable,
time_slice: TimeSlice::default(),
}
}
fn is_real_time(&self) -> bool {
self.runnable.is_real_time()
}
fn tick(&mut self) -> bool {
self.time_slice.elapse()
}
}
impl<T: PreemptSchedInfo> Clone for PreemptSchedEntity<T> {
fn clone(&self) -> Self {
Self {
runnable: self.runnable.clone(),
time_slice: self.time_slice,
}
}
}
#[derive(Clone, Copy)]
pub struct TimeSlice {
elapsed_ticks: u32,
}
impl TimeSlice {
const DEFAULT_TIME_SLICE: u32 = 100;
pub const fn new() -> Self {
TimeSlice { elapsed_ticks: 0 }
}
pub fn elapse(&mut self) -> bool {
self.elapsed_ticks = (self.elapsed_ticks + 1) % Self::DEFAULT_TIME_SLICE;
self.elapsed_ticks == 0
}
}
impl Default for TimeSlice {
fn default() -> Self {
Self::new()
}
}
impl PreemptSchedInfo for Task {
type PRIORITY = Priority;
const REAL_TIME_TASK_PRIORITY: Self::PRIORITY = Priority::new(100);
fn priority(&self) -> Self::PRIORITY {
self.priority()
}
fn cpu(&self) -> &AtomicCpuId {
self.cpu()
}
}
trait PreemptSchedInfo {
type PRIORITY: Ord + PartialOrd + Eq + PartialEq;
const REAL_TIME_TASK_PRIORITY: Self::PRIORITY;
fn priority(&self) -> Self::PRIORITY;
fn cpu(&self) -> &AtomicCpuId;
fn is_real_time(&self) -> bool {
self.priority() < Self::REAL_TIME_TASK_PRIORITY
}
}