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 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 209 210 211 212 213 214 215 216 217 218 219 220 221 222 223 224 225 226 227 228 229 230 231 232 233 234 235 236 237 238 239 240 241 242 243 244 245 246 247 248 249 250 251 252 253 254 255 256 257 258 259 260 261 262 263 264 265 266 267 268 269 270 271 272 273 274 275 276 277 278 279 280 281 282 283 284 285 286 287 288 289 290 291 292 293 294 295 296 297 298 299 300 301 302 303 304 305 306 307 308 309 310 311 312 313 314 315 316 317 318 319 320 321 322 323 324 325 326 327 328 329 330 331 332 333 334 335 336 337 338 339 340 341 342 343 344 345 346
use crate::{
AddressHeaderTag, ConsoleHeaderTag, EfiBootServiceHeaderTag, EntryAddressHeaderTag,
EntryEfi32HeaderTag, EntryEfi64HeaderTag, FramebufferHeaderTag, HeaderTagHeader, HeaderTagISA,
HeaderTagType, InformationRequestHeaderTag, ModuleAlignHeaderTag, RelocatableHeaderTag,
TagIter,
};
#[cfg(feature = "unstable")]
use core::error::Error;
use core::fmt::{Debug, Formatter};
use core::mem::size_of;
use core::ptr::NonNull;
use multiboot2_common::{DynSizedStructure, Header, MemoryError, Tag, ALIGNMENT};
/// Magic value for a [`Multiboot2Header`], as defined by the spec.
pub const MAGIC: u32 = 0xe85250d6;
/// Wrapper type around a pointer to the Multiboot2 header.
/// The Multiboot2 header is the [`Multiboot2BasicHeader`] followed
/// by all tags (see [`crate::tags::HeaderTagType`]).
/// Use this if you get a pointer to the header and just want
/// to parse it. If you want to construct the type by yourself,
/// please look at `HeaderBuilder` (requires the `builder` feature).
#[repr(transparent)]
pub struct Multiboot2Header<'a>(&'a DynSizedStructure<Multiboot2BasicHeader>);
impl<'a> Multiboot2Header<'a> {
/// Public constructor for this type with various validations.
///
/// If the header is invalid, it returns a [`LoadError`].
/// This may be because:
/// - `addr` is a null-pointer
/// - `addr` isn't 8-byte aligned
/// - the magic value of the header is not present
/// - the checksum field is invalid
///
/// # Safety
/// This function may produce undefined behaviour, if the provided `addr` is not a valid
/// Multiboot2 header pointer.
pub unsafe fn load(ptr: *const Multiboot2BasicHeader) -> Result<Self, LoadError> {
let ptr = NonNull::new(ptr.cast_mut()).ok_or(LoadError::Memory(MemoryError::Null))?;
let inner = DynSizedStructure::ref_from_ptr(ptr).map_err(LoadError::Memory)?;
let this = Self(inner);
let header = this.0.header();
if header.header_magic != MAGIC {
return Err(LoadError::MagicNotFound);
}
if !header.verify_checksum() {
return Err(LoadError::ChecksumMismatch);
}
Ok(this)
}
/// Find the header in a given slice.
///
/// If it succeeds, it returns a tuple consisting of the subslice containing
/// just the header and the index of the header in the given slice.
/// If it fails (either because the header is not properly 64-bit aligned
/// or because it is truncated), it returns a [`LoadError`].
/// If there is no header, it returns `None`.
pub fn find_header(buffer: &[u8]) -> Result<Option<(&[u8], u32)>, LoadError> {
if buffer.as_ptr().align_offset(ALIGNMENT) != 0 {
return Err(LoadError::Memory(MemoryError::WrongAlignment));
}
let mut windows = buffer[0..8192].windows(4);
let magic_index = match windows.position(|vals| {
u32::from_le_bytes(vals.try_into().unwrap()) // yes, there's 4 bytes here
== MAGIC
}) {
Some(idx) => {
if idx % 8 == 0 {
idx
} else {
return Err(LoadError::Memory(MemoryError::WrongAlignment));
}
}
None => return Ok(None),
};
// skip over rest of magic
windows.next();
windows.next();
windows.next();
// arch
windows.next();
windows.next();
windows.next();
windows.next();
let header_length: usize = u32::from_le_bytes(
windows
.next()
.ok_or(LoadError::Memory(MemoryError::MissingPadding))?
.try_into()
.unwrap(), // 4 bytes are a u32
)
.try_into()
.unwrap();
Ok(Some((
&buffer[magic_index..magic_index + header_length],
magic_index as u32,
)))
}
/// Returns a [`TagIter`].
#[must_use]
pub fn iter(&self) -> TagIter {
TagIter::new(self.0.payload())
}
/// Wrapper around [`Multiboot2BasicHeader::verify_checksum`].
#[must_use]
pub const fn verify_checksum(&self) -> bool {
self.0.header().verify_checksum()
}
/// Wrapper around [`Multiboot2BasicHeader::header_magic`].
#[must_use]
pub const fn header_magic(&self) -> u32 {
self.0.header().header_magic()
}
/// Wrapper around [`Multiboot2BasicHeader::arch`].
#[must_use]
pub const fn arch(&self) -> HeaderTagISA {
self.0.header().arch()
}
/// Wrapper around [`Multiboot2BasicHeader::length`].
#[must_use]
pub const fn length(&self) -> u32 {
self.0.header().length()
}
/// Wrapper around [`Multiboot2BasicHeader::checksum`].
#[must_use]
pub const fn checksum(&self) -> u32 {
self.0.header().checksum()
}
/// Wrapper around [`Multiboot2BasicHeader::calc_checksum`].
#[must_use]
pub const fn calc_checksum(magic: u32, arch: HeaderTagISA, length: u32) -> u32 {
Multiboot2BasicHeader::calc_checksum(magic, arch, length)
}
/// Search for the [`InformationRequestHeaderTag`] header tag.
#[must_use]
pub fn information_request_tag(&self) -> Option<&InformationRequestHeaderTag> {
self.get_tag()
}
/// Search for the [`AddressHeaderTag`] header tag.
#[must_use]
pub fn address_tag(&self) -> Option<&AddressHeaderTag> {
self.get_tag()
}
/// Search for the [`EntryAddressHeaderTag`] header tag.
#[must_use]
pub fn entry_address_tag(&self) -> Option<&EntryAddressHeaderTag> {
self.get_tag()
}
/// Search for the [`EntryEfi32HeaderTag`] header tag.
#[must_use]
pub fn entry_address_efi32_tag(&self) -> Option<&EntryEfi32HeaderTag> {
self.get_tag()
}
/// Search for the [`EntryEfi64HeaderTag`] header tag.
#[must_use]
pub fn entry_address_efi64_tag(&self) -> Option<&EntryEfi64HeaderTag> {
self.get_tag()
}
/// Search for the [`ConsoleHeaderTag`] header tag.
#[must_use]
pub fn console_flags_tag(&self) -> Option<&ConsoleHeaderTag> {
self.get_tag()
}
/// Search for the [`FramebufferHeaderTag`] header tag.
#[must_use]
pub fn framebuffer_tag(&self) -> Option<&FramebufferHeaderTag> {
self.get_tag()
}
/// Search for the [`ModuleAlignHeaderTag`] header tag.
#[must_use]
pub fn module_align_tag(&self) -> Option<&ModuleAlignHeaderTag> {
self.get_tag()
}
/// Search for the [`EfiBootServiceHeaderTag`] header tag.
#[must_use]
pub fn efi_boot_services_tag(&self) -> Option<&EfiBootServiceHeaderTag> {
self.get_tag()
}
/// Search for the [`RelocatableHeaderTag`] header tag.
#[must_use]
pub fn relocatable_tag(&self) -> Option<&RelocatableHeaderTag> {
self.get_tag()
}
/// Searches for the specified tag by iterating the structure and returns
/// the first occurrence, if present.
#[must_use]
fn get_tag<T: Tag<IDType = HeaderTagType, Header = HeaderTagHeader> + ?Sized + 'a>(
&'a self,
) -> Option<&'a T> {
self.iter()
.find(|tag| tag.header().typ() == T::ID)
.map(|tag| tag.cast::<T>())
}
}
impl Debug for Multiboot2Header<'_> {
fn fmt(&self, f: &mut Formatter<'_>) -> core::fmt::Result {
f.debug_struct("Multiboot2Header")
.field("magic", &self.header_magic())
.field("arch", &self.arch())
.field("length", &self.length())
.field("checksum", &self.checksum())
// TODO better debug impl
.field("tags", &"<tags iter>")
.finish()
}
}
/// Errors that occur when a chunk of memory can't be parsed as
/// [`Multiboot2Header`].
#[derive(Copy, Clone, Debug, derive_more::Display, PartialEq, Eq, PartialOrd, Ord, Hash)]
pub enum LoadError {
/// The provided checksum does not match the expected value.
ChecksumMismatch,
/// The header does not contain the correct magic number.
MagicNotFound,
/// The provided memory can't be parsed as [`Multiboot2Header`].
/// See [`MemoryError`].
Memory(MemoryError),
}
#[cfg(feature = "unstable")]
impl Error for LoadError {
fn source(&self) -> Option<&(dyn Error + 'static)> {
match self {
Self::Memory(inner) => Some(inner),
_ => None,
}
}
}
/// The "basic" Multiboot2 header. This means only the properties, that are known during
/// compile time. All other information are derived during runtime from the size property.
#[derive(Copy, Clone, PartialEq, Eq, PartialOrd, Ord, Hash)]
#[repr(C, align(8))]
pub struct Multiboot2BasicHeader {
/// Must be the value of [`MAGIC`].
header_magic: u32,
arch: HeaderTagISA,
length: u32,
checksum: u32,
// Followed by dynamic amount of dynamically sized header tags.
// At minimum, the end tag.
}
impl Multiboot2BasicHeader {
#[cfg(feature = "builder")]
/// Constructor for the basic header.
pub(crate) const fn new(arch: HeaderTagISA, length: u32) -> Self {
let magic = MAGIC;
let checksum = Self::calc_checksum(magic, arch, length);
Self {
header_magic: magic,
arch,
length,
checksum,
}
}
/// Verifies that a Multiboot2 header is valid.
#[must_use]
pub const fn verify_checksum(&self) -> bool {
let check = Self::calc_checksum(self.header_magic, self.arch, self.length);
check == self.checksum
}
/// Calculates the checksum as described in the spec.
#[must_use]
pub const fn calc_checksum(magic: u32, arch: HeaderTagISA, length: u32) -> u32 {
(0x100000000 - magic as u64 - arch as u64 - length as u64) as u32
}
/// Returns the header magic.
#[must_use]
pub const fn header_magic(&self) -> u32 {
self.header_magic
}
/// Returns the [`HeaderTagISA`].
#[must_use]
pub const fn arch(&self) -> HeaderTagISA {
self.arch
}
/// Returns the length.
#[must_use]
pub const fn length(&self) -> u32 {
self.length
}
/// Returns the checksum.
#[must_use]
pub const fn checksum(&self) -> u32 {
self.checksum
}
}
impl Header for Multiboot2BasicHeader {
fn payload_len(&self) -> usize {
self.length as usize - size_of::<Self>()
}
fn set_size(&mut self, total_size: usize) {
self.length = total_size as u32;
self.checksum = Self::calc_checksum(self.header_magic, self.arch, total_size as u32);
}
}
impl Debug for Multiboot2BasicHeader {
fn fmt(&self, f: &mut Formatter<'_>) -> core::fmt::Result {
f.debug_struct("Multiboot2Header")
.field("header_magic", &{ self.header_magic })
.field("arch", &{ self.arch })
.field("length", &{ self.length })
.field("checksum", &{ self.checksum })
//.field("tags", &self.iter())
.finish()
}
}
#[cfg(test)]
mod tests {
use crate::Multiboot2BasicHeader;
#[test]
fn test_assert_size() {
assert_eq!(core::mem::size_of::<Multiboot2BasicHeader>(), 4 + 4 + 4 + 4);
}
}