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
/* 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.
*/
//! The TLSF (Two-Level Segregated Fit) dynamic memory allocation algorithm.
//!
//! This module wraps the implementation provided by the [rlsf] crate.
use super::{AllocError, AllocResult, BaseAllocator, ByteAllocator};
use core::alloc::Layout;
use core::ptr::NonNull;
use rlsf::Tlsf;
/// A TLSF (Two-Level Segregated Fit) memory allocator.
///
/// It's just a wrapper structure of [`rlsf::Tlsf`], with `FLLEN` and `SLLEN`
/// fixed to 28 and 32.
pub struct TlsfByteAllocator {
inner: Tlsf<'static, u32, u32, 28, 32>, // max pool size: 32 * 2^28 = 8G
total_bytes: usize,
used_bytes: usize,
}
impl TlsfByteAllocator {
/// Creates a new empty [`TlsfByteAllocator`].
pub const fn new() -> Self {
Self {
inner: Tlsf::new(),
total_bytes: 0,
used_bytes: 0,
}
}
}
impl BaseAllocator for TlsfByteAllocator {
fn init(&mut self, start: usize, size: usize) {
unsafe {
let pool = core::slice::from_raw_parts_mut(start as *mut u8, size);
self.inner
.insert_free_block_ptr(NonNull::new(pool).unwrap())
.unwrap();
}
self.total_bytes = size;
}
fn add_memory(&mut self, start: usize, size: usize) -> AllocResult {
unsafe {
let pool = core::slice::from_raw_parts_mut(start as *mut u8, size);
self.inner
.insert_free_block_ptr(NonNull::new(pool).unwrap())
.ok_or(AllocError::InvalidParam)?;
}
self.total_bytes += size;
Ok(())
}
}
impl ByteAllocator for TlsfByteAllocator {
fn alloc(&mut self, layout: Layout) -> AllocResult<NonNull<u8>> {
let ptr = self.inner.allocate(layout).ok_or(AllocError::NoMemory)?;
self.used_bytes += layout.size();
Ok(ptr)
}
fn dealloc(&mut self, pos: NonNull<u8>, layout: Layout) {
unsafe { self.inner.deallocate(pos, layout.align()) }
self.used_bytes -= layout.size();
}
fn total_bytes(&self) -> usize {
self.total_bytes
}
fn used_bytes(&self) -> usize {
self.used_bytes
}
fn available_bytes(&self) -> usize {
self.total_bytes - self.used_bytes
}
}