Skip to content

Commit c37c461

Browse files
committed
mem: Add AlignedBuffer helper
AlignedBuffer is a helper class that manages the livetime of a memory region, allocated using a certain alignment. Like Box, it handles deallocation when the object isn't used anymore.
1 parent 8a858a7 commit c37c461

File tree

3 files changed

+122
-0
lines changed

3 files changed

+122
-0
lines changed

uefi/CHANGELOG.md

+1
Original file line numberDiff line numberDiff line change
@@ -5,6 +5,7 @@
55
- Added conversions between `proto::network::IpAddress` and `core::net` types.
66
- Added conversions between `proto::network::MacAddress` and the `[u8; 6]` type that's more commonly used to represent MAC addresses.
77
- Added `proto::media::disk_info::DiskInfo`.
8+
- Added `mem::AlignedBuffer`.
89

910
## Changed
1011
- **Breaking:** Removed `BootPolicyError` as `BootPolicy` construction is no

uefi/src/mem/aligned_buffer.rs

+116
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,116 @@
1+
// SPDX-License-Identifier: MIT OR Apache-2.0
2+
3+
use alloc::alloc::{alloc, dealloc, Layout, LayoutError};
4+
use core::error::Error;
5+
use core::fmt;
6+
use core::ptr::NonNull;
7+
8+
/// Helper class to maintain the lifetime of a memory region allocated with a non-standard alignment.
9+
/// Facilitates RAII to properly deallocate when lifetime of the object ends.
10+
///
11+
/// Note: This uses the global Rust allocator under the hood.
12+
#[derive(Debug)]
13+
pub struct AlignedBuffer {
14+
ptr: NonNull<u8>,
15+
layout: Layout,
16+
}
17+
18+
impl AlignedBuffer {
19+
/// Allocate a new memory region with the requested len and alignment.
20+
pub fn from_size_align(len: usize, alignment: usize) -> Result<Self, LayoutError> {
21+
let layout = Layout::from_size_align(len, alignment)?;
22+
Ok(Self::from_layout(layout))
23+
}
24+
25+
/// Allocate a new memory region with the requested layout.
26+
pub fn from_layout(layout: Layout) -> Self {
27+
let ptr = unsafe { alloc(layout.clone()) };
28+
let ptr = NonNull::new(ptr).expect("Allocation failed");
29+
Self { ptr, layout }
30+
}
31+
32+
// TODO: Add non-panicing method variants as soon as alloc::AllocError was stabilized (#32838).
33+
// - try_from_layout(layout: Layout) -> Result<Self, AllocError>;
34+
35+
/// Get a pointer to the aligned memory region managed by this instance.
36+
#[must_use]
37+
pub const fn ptr(&self) -> *const u8 {
38+
self.ptr.as_ptr().cast_const()
39+
}
40+
41+
/// Get a mutable pointer to the aligned memory region managed by this instance.
42+
#[must_use]
43+
pub fn ptr_mut(&mut self) -> *mut u8 {
44+
self.ptr.as_ptr()
45+
}
46+
47+
/// Get the size of the aligned memory region managed by this instance.
48+
#[must_use]
49+
pub const fn size(&self) -> usize {
50+
self.layout.size()
51+
}
52+
53+
/// Fill the aligned memory region with data from the given buffer.
54+
///
55+
/// The length of `src` must be the same as `self`.
56+
pub fn copy_from_slice(&mut self, src: &[u8]) {
57+
assert_eq!(self.size(), src.len());
58+
unsafe {
59+
self.ptr_mut().copy_from(src.as_ptr(), src.len());
60+
}
61+
}
62+
63+
/// Check the buffer's alignment against the `required_alignment`.
64+
pub fn check_alignment(&self, required_alignment: usize) -> Result<(), AlignmentError> {
65+
//TODO: use bfr.addr() when it's available
66+
if (self.ptr() as usize) % required_alignment != 0 {
67+
return Err(AlignmentError); //TODO: use >is_aligned_to< when it's available
68+
}
69+
Ok(())
70+
}
71+
}
72+
73+
impl Drop for AlignedBuffer {
74+
fn drop(&mut self) {
75+
unsafe {
76+
dealloc(self.ptr_mut(), self.layout);
77+
}
78+
}
79+
}
80+
81+
/// The `AlignmentError` is returned if a user-provided buffer doesn't fulfill alignment requirements.
82+
#[derive(Clone, PartialEq, Eq, Debug)]
83+
pub struct AlignmentError;
84+
impl Error for AlignmentError {}
85+
impl fmt::Display for AlignmentError {
86+
fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
87+
f.write_str("Buffer alignment does not fulfill requirements.")
88+
}
89+
}
90+
91+
#[cfg(test)]
92+
mod tests {
93+
use super::AlignedBuffer;
94+
95+
#[test]
96+
fn test_invalid_arguments() {
97+
// invalid alignments, valid len
98+
for request_alignment in [0, 3, 5, 7, 9] {
99+
for request_len in [1, 32, 64, 128, 1024] {
100+
assert!(AlignedBuffer::from_size_align(request_len, request_alignment).is_err());
101+
}
102+
}
103+
}
104+
105+
#[test]
106+
fn test_allocation_alignment() {
107+
for request_alignment in [1, 2, 4, 8, 16, 32, 64, 128] {
108+
for request_len in [1 as usize, 32, 64, 128, 1024] {
109+
let buffer =
110+
AlignedBuffer::from_size_align(request_len, request_alignment).unwrap();
111+
assert_eq!(buffer.ptr() as usize % request_alignment, 0);
112+
assert_eq!(buffer.size(), request_len);
113+
}
114+
}
115+
}
116+
}

uefi/src/mem/mod.rs

+5
Original file line numberDiff line numberDiff line change
@@ -14,6 +14,11 @@ pub(crate) mod util;
1414
#[cfg(feature = "alloc")]
1515
pub(crate) use util::*;
1616

17+
#[cfg(feature = "alloc")]
18+
mod aligned_buffer;
19+
#[cfg(feature = "alloc")]
20+
pub use aligned_buffer::{AlignedBuffer, AlignmentError};
21+
1722
/// Wrapper for memory allocated with UEFI's pool allocator. The memory is freed
1823
/// on drop.
1924
#[derive(Debug)]

0 commit comments

Comments
 (0)