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 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111
/* Copyright (c) [2023] [Syswonder Community]
* [Rukos] is licensed under Mulan PSL v2.
* You can use this software according to the terms and conditions of the Mulan PSL v2.
* You may obtain a copy of Mulan PSL v2 at:
* http://license.coscl.org.cn/MulanPSL2
* THIS SOFTWARE IS PROVIDED ON AN "AS IS" BASIS, WITHOUT WARRANTIES OF ANY KIND, EITHER EXPRESS OR IMPLIED, INCLUDING BUT NOT LIMITED TO NON-INFRINGEMENT, MERCHANTABILITY OR FIT FOR A PARTICULAR PURPOSE.
* See the Mulan PSL v2 for more details.
*/
use alloc::sync::Arc;
use core::ops::Deref;
use linked_list::{Adapter, Links, List};
use crate::BaseScheduler;
/// A task wrapper for the [`FifoScheduler`].
///
/// It add extra states to use in [`linked_list::List`].
pub struct FifoTask<T> {
inner: T,
links: Links<Self>,
}
unsafe impl<T> Adapter for FifoTask<T> {
type EntryType = Self;
#[inline]
fn to_links(t: &Self) -> &Links<Self> {
&t.links
}
}
impl<T> FifoTask<T> {
/// Creates a new [`FifoTask`] from the inner task struct.
pub const fn new(inner: T) -> Self {
Self {
inner,
links: Links::new(),
}
}
/// Returns a reference to the inner task struct.
pub const fn inner(&self) -> &T {
&self.inner
}
}
impl<T> Deref for FifoTask<T> {
type Target = T;
#[inline]
fn deref(&self) -> &Self::Target {
&self.inner
}
}
/// A simple FIFO (First-In-First-Out) cooperative scheduler.
///
/// When a task is added to the scheduler, it's placed at the end of the ready
/// queue. When picking the next task to run, the head of the ready queue is
/// taken.
///
/// As it's a cooperative scheduler, it does nothing when the timer tick occurs.
///
/// It internally uses a linked list as the ready queue.
pub struct FifoScheduler<T> {
ready_queue: List<Arc<FifoTask<T>>>,
}
impl<T> FifoScheduler<T> {
/// Creates a new empty [`FifoScheduler`].
pub const fn new() -> Self {
Self {
ready_queue: List::new(),
}
}
/// get the name of scheduler
pub fn scheduler_name() -> &'static str {
"FIFO"
}
}
impl<T> BaseScheduler for FifoScheduler<T> {
type SchedItem = Arc<FifoTask<T>>;
fn init(&mut self) {}
fn add_task(&mut self, task: Self::SchedItem) {
self.ready_queue.push_back(task);
}
fn remove_task(&mut self, task: &Self::SchedItem) -> Option<Self::SchedItem> {
unsafe { self.ready_queue.remove(task) }
}
fn pick_next_task(&mut self) -> Option<Self::SchedItem> {
self.ready_queue.pop_front()
}
fn put_prev_task(&mut self, prev: Self::SchedItem, _preempt: bool) {
self.ready_queue.push_back(prev);
}
fn task_tick(&mut self, _current: &Self::SchedItem) -> bool {
false // no reschedule
}
fn set_priority(&mut self, _task: &Self::SchedItem, _prio: isize) -> bool {
false
}
}