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 347 348 349 350 351 352 353 354 355 356 357 358 359 360 361 362 363 364 365 366 367 368 369 370 371 372 373 374 375 376 377 378 379 380 381 382 383 384 385 386 387 388 389 390 391 392 393 394 395 396 397 398 399 400 401 402
use super::header::{Handle, Header};
use super::strings::*;
use crate::structs::{DefinedStruct, SMBiosEndOfTable, SMBiosStruct};
use serde::{Serialize, Serializer};
use std::fmt;
use std::{
convert::TryInto,
fs::File,
io::{prelude::*, Error, ErrorKind, SeekFrom},
slice::Iter,
};
/// # Embodies the three basic parts of an SMBIOS structure
///
/// Every SMBIOS structure contains three distinct sections:
/// - A header
/// - A formatted structure of fields (offsets and widths)
/// - String data
///
/// A consumer of BIOS data ultimately wants to work with a [DefinedStruct].
/// [UndefinedStruct] provides a set of fields and functions that enables
/// downcasting to a [DefinedStruct]. Further, the OEM is allowed to define
/// their own structures and in such cases working with UndefinedStruct is
/// necessary. Therefore, [UndefinedStruct] is public for the case of OEM,
/// as well as when working with structures that are defined in an SMBIOS
/// standard newer than the one this library currently supports.
#[derive(Serialize)]
pub struct UndefinedStruct {
/// The [Header] of the structure
pub header: Header,
/// The raw data for the header and fields
///
/// `fields` is used by the `get_field_*()` functions. `fields` does not
/// include _strings_; therefore, preventing accidentally retrieving
/// data from the _strings_ area. This avoids a need to check
/// `header.length()` during field retrieval.
///
/// Note: A better design is for this to only hold the fields, however,
/// that will shift field offsets given in code by 4 (the header size).
/// The SMBIOS specification gives offsets relative to the start of the
/// header, and therefore maintaining this library code is easier to
/// keep the header.
///
/// An alternative would be to make the `get_field_*()` functions adjust
/// for the header offset though this adds a small cost to every field
/// retrieval in comparison to just keeping an extra 4 bytes for every
/// structure.
pub fields: Vec<u8>,
/// The strings of the structure
#[serde(serialize_with = "ser_strings")]
pub strings: SMBiosStringSet,
}
fn ser_strings<S>(data: &SMBiosStringSet, serializer: S) -> Result<S::Ok, S::Error>
where
S: Serializer,
{
serializer.serialize_str(format!("{:?}", data).as_str())
}
impl<'a> UndefinedStruct {
/// Creates a structure instance of the given byte array slice
pub fn new(raw: &Vec<u8>) -> Self {
match raw.get(Header::LENGTH_OFFSET) {
Some(&header_length) => UndefinedStruct {
header: Header::new(raw[..Header::SIZE].try_into().expect("4 bytes")),
fields: raw.get(..(header_length as usize)).unwrap_or(&[]).to_vec(),
strings: {
SMBiosStringSet::new(
raw.get((header_length as usize)..raw.len() - 2)
.unwrap_or(&[])
.to_vec(),
)
},
},
None => UndefinedStruct {
..Default::default()
},
}
}
/// Retrieve a byte at the given offset from the structure's data section
pub fn get_field_byte(&self, offset: usize) -> Option<u8> {
match self.fields.get(offset..offset + 1) {
Some(val) => Some(val[0]),
None => None,
}
}
/// Retrieve a WORD at the given offset from the structure's data section
pub fn get_field_word(&self, offset: usize) -> Option<u16> {
match self.fields.get(offset..offset + 2) {
Some(val) => Some(u16::from_le_bytes(val.try_into().expect("u16 is 2 bytes"))),
None => None,
}
}
/// Retrieve a [Handle] at the given offset from the structure's data section
pub fn get_field_handle(&self, offset: usize) -> Option<Handle> {
match self.fields.get(offset..offset + Handle::SIZE) {
Some(val) => Some(Handle(u16::from_le_bytes(
val.try_into().expect("u16 is 2 bytes"),
))),
None => None,
}
}
/// Retrieve a DWORD at the given offset from the structure's data section
pub fn get_field_dword(&self, offset: usize) -> Option<u32> {
match self.fields.get(offset..offset + 4) {
Some(val) => Some(u32::from_le_bytes(val.try_into().expect("u32 is 4 bytes"))),
None => None,
}
}
/// Retrieve a QWORD at the given offset from the structure's data section
pub fn get_field_qword(&self, offset: usize) -> Option<u64> {
match self.fields.get(offset..offset + 8) {
Some(val) => Some(u64::from_le_bytes(val.try_into().expect("u64 is 8 bytes"))),
None => None,
}
}
/// Retrieve a String of the given offset
///
/// Retrieval of strings is a two part operation. The given offset
/// contains a byte whose value is a 1 based index into the strings section.
/// The string is thus retrieved from the strings section based on the
/// byte value at the given offset.
pub fn get_field_string(&self, offset: usize) -> SMBiosString {
match self.get_field_byte(offset) {
Some(val) => self.strings.get_string(val),
None => Err(SMBiosStringError::FieldOutOfBounds).into(),
}
}
// todo: learn how to pass an index range (SliceIndex?) rather than start/end indices.
// This would better conform to the Rust design look and feel.
/// Retrieve a block of bytes from the structure's data section
pub fn get_field_data(&self, start_index: usize, end_index: usize) -> Option<&[u8]> {
return self.fields.get(start_index..end_index);
}
/// Cast to a given structure
///
/// When this library does not contain a [DefinedStruct] variant
/// matching the SMBiosStruct::STRUCT_TYPE, this function affords a cast to the
/// given type. Such would be the case with OEM structure type T
/// (which implements the [SMBiosStruct] trait).
///
/// TODO: This should panic (not be Option) when the STRUCT_TYPE does not match because
/// this would be a logic error in code, not a runtime error.
///
/// Make this a "try_into"
pub fn as_type<T: SMBiosStruct<'a>>(&'a self) -> Option<T> {
if T::STRUCT_TYPE == self.header.struct_type() {
Some(T::new(self))
} else {
None
}
}
/// Down casts the current structure to its specific defined BIOS structure type
pub fn defined_struct(&self) -> DefinedStruct<'_> {
self.into()
}
}
impl fmt::Debug for UndefinedStruct {
fn fmt(&self, fmt: &mut fmt::Formatter<'_>) -> fmt::Result {
let fields = &self.fields[Header::SIZE..];
fmt.debug_struct(std::any::type_name::<UndefinedStruct>())
.field("header", &self.header)
.field("fields", &fields)
.field("strings", &self.strings)
.finish()
}
}
impl Default for UndefinedStruct {
fn default() -> Self {
let v: [u8; 4] = [0; 4];
UndefinedStruct {
header: Header::new(v),
fields: (&[]).to_vec(),
strings: { SMBiosStringSet::new((&[]).to_vec()) },
}
}
}
/// # Undefined Struct Table
///
/// A collection of [UndefinedStruct] items.
#[derive(Debug, Serialize)]
pub struct UndefinedStructTable(Vec<UndefinedStruct>);
impl<'a> UndefinedStructTable {
fn new() -> UndefinedStructTable {
UndefinedStructTable(Vec::new())
}
fn add(&mut self, elem: UndefinedStruct) {
self.0.push(elem);
}
/// Iterator of the contained [UndefinedStruct] items.
pub fn iter(&self) -> Iter<'_, UndefinedStruct> {
self.0.iter()
}
/// An iterator over the defined type instances within the table.
pub fn defined_struct_iter<T>(&'a self) -> impl Iterator<Item = T> + 'a
where
T: SMBiosStruct<'a>,
{
self.iter()
.take_while(|undefined_struct| {
undefined_struct.header.struct_type() != SMBiosEndOfTable::STRUCT_TYPE
})
.filter_map(|undefined_struct| {
if undefined_struct.header.struct_type() == T::STRUCT_TYPE {
Some(T::new(undefined_struct))
} else {
None
}
})
}
/// Tests if every element of the defined struct iterator matches a predicate.
pub fn all<T, F>(&'a self, f: F) -> bool
where
T: SMBiosStruct<'a>,
F: FnMut(T) -> bool,
{
self.defined_struct_iter().all(f)
}
/// Tests if any element of the defined struct iterator matches a predicate.
pub fn any<T, F>(&'a self, f: F) -> bool
where
T: SMBiosStruct<'a>,
F: FnMut(T) -> bool,
{
self.defined_struct_iter().any(f)
}
/// Finds the first occurance of the structure
pub fn first<T>(&'a self) -> Option<T>
where
T: SMBiosStruct<'a>,
{
self.defined_struct_iter().next()
}
/// Finds the first occurance of the structure that satisfies a predicate.
pub fn find<T, P>(&'a self, predicate: P) -> Option<T>
where
T: SMBiosStruct<'a>,
P: FnMut(&T) -> bool,
{
self.defined_struct_iter().find(predicate)
}
/// Applies function to the defined struct elements and returns the first non-none result.
pub fn find_map<A, B, F>(&'a self, f: F) -> Option<B>
where
A: SMBiosStruct<'a>,
F: FnMut(A) -> Option<B>,
{
self.defined_struct_iter().find_map(f)
}
/// Creates an iterator of the defined structure which uses a closure to determine if an element should be yielded.
pub fn filter<T: 'a, P: 'a>(&'a self, predicate: P) -> impl Iterator<Item = T> + 'a
where
T: SMBiosStruct<'a>,
P: FnMut(&T) -> bool,
{
self.defined_struct_iter().filter(predicate)
}
/// Maps the defined struct to another type given by the closure.
pub fn map<A: 'a, B, F: 'a>(&'a self, f: F) -> impl Iterator<Item = B> + 'a
where
A: SMBiosStruct<'a>,
F: FnMut(A) -> B,
{
self.defined_struct_iter().map(f)
}
/// Creates an iterator that both filters and maps from the defined struct iterator.
pub fn filter_map<A: 'a, B, F: 'a>(&'a self, f: F) -> impl Iterator<Item = B> + 'a
where
A: SMBiosStruct<'a>,
F: FnMut(A) -> Option<B>,
{
self.defined_struct_iter().filter_map(f)
}
/// Finds the structure matching the given handle
///
/// To downcast to the defined struct, call .defined_struct() on the result.
pub fn find_by_handle(&'a self, handle: &Handle) -> Option<&'a UndefinedStruct> {
self.iter()
.find(|smbios_struct| smbios_struct.header.handle() == *handle)
.and_then(|undefined_struct| Some(undefined_struct))
}
/// Returns all occurances of the structure
pub fn collect<T>(&'a self) -> Vec<T>
where
T: SMBiosStruct<'a>,
{
self.defined_struct_iter().collect()
}
/// Load an [UndefinedStructTable] by seeking and reading the file offsets.
pub fn try_load_from_file_offset(
file: &mut File,
table_offset: u64,
table_len: usize,
) -> Result<Self, Error> {
if table_len < Header::SIZE + 2 {
return Err(Error::new(
ErrorKind::InvalidData,
format!("The table has an invalid size: {}", table_len),
));
}
file.seek(SeekFrom::Start(table_offset))?;
let mut table = Vec::with_capacity(table_len);
table.resize(table_len, 0);
file.read_exact(&mut table)?;
Ok(table.into())
}
}
impl From<Vec<u8>> for UndefinedStructTable {
fn from(data: Vec<u8>) -> Self {
const DOUBLE_ZERO_SIZE: usize = 2usize;
const MIN_STRUCT_SIZE: usize = Header::SIZE + DOUBLE_ZERO_SIZE;
let mut result = Self::new();
let mut current_index = 0usize;
loop {
// Is the next structure long enough?
match data.get(current_index..current_index + MIN_STRUCT_SIZE) {
Some(min_struct) => {
// Read the structure's self-reported length in its header
let struct_len = min_struct[Header::LENGTH_OFFSET] as usize;
// Bad reported length
if struct_len < Header::SIZE {
break;
}
// Beyond the structure length are the structure's strings
// Find the /0/0 which marks the end of this structure and the
// beginning of the next.
match data.get(current_index + struct_len..) {
Some(strings_etc) => {
match strings_etc
.windows(DOUBLE_ZERO_SIZE)
.position(|x| x[0] == x[1] && x[1] == 0)
{
Some(double_zero_position) => {
// The next structure will start at this index
let next_index = current_index
+ struct_len
+ double_zero_position
+ DOUBLE_ZERO_SIZE;
// Copy the current structure to the collection
result.add(UndefinedStruct::new(
&data[current_index..next_index].to_vec(),
));
current_index = next_index;
}
None => break,
}
}
None => break,
};
}
None => break,
}
}
result
}
}
impl IntoIterator for UndefinedStructTable {
type Item = UndefinedStruct;
type IntoIter = std::vec::IntoIter<Self::Item>;
fn into_iter(self) -> Self::IntoIter {
self.0.into_iter()
}
}