mirror of
https://github.com/edera-dev/sprout.git
synced 2026-03-22 16:00:18 +00:00
chore(code): split much of the efi support code to crates/eficore
This commit is contained in:
94
crates/eficore/src/platform/timer.rs
Normal file
94
crates/eficore/src/platform/timer.rs
Normal file
@@ -0,0 +1,94 @@
|
||||
// Referenced https://github.com/sheroz/tick_counter (MIT license) as a baseline.
|
||||
// Architecturally modified to support UEFI and remove x86 (32-bit) support.
|
||||
|
||||
use core::time::Duration;
|
||||
|
||||
/// Support for aarch64 timers.
|
||||
#[cfg(target_arch = "aarch64")]
|
||||
pub mod aarch64;
|
||||
|
||||
/// Support for x86_64 timers.
|
||||
#[cfg(target_arch = "x86_64")]
|
||||
pub mod x86_64;
|
||||
|
||||
/// The tick frequency of the platform.
|
||||
#[derive(Clone, Copy, Debug, PartialEq, Eq)]
|
||||
pub enum TickFrequency {
|
||||
/// The platform provides the tick frequency.
|
||||
Hardware(u64),
|
||||
/// The tick frequency is measured internally.
|
||||
Measured(u64),
|
||||
}
|
||||
|
||||
impl TickFrequency {
|
||||
/// Acquire the tick frequency reported by the platform.
|
||||
fn ticks(&self) -> u64 {
|
||||
match self {
|
||||
TickFrequency::Hardware(frequency) => *frequency,
|
||||
TickFrequency::Measured(frequency) => *frequency,
|
||||
}
|
||||
}
|
||||
|
||||
/// Calculate the nanoseconds represented by a tick.
|
||||
fn nanos(&self) -> f64 {
|
||||
1.0e9_f64 / (self.ticks() as f64)
|
||||
}
|
||||
|
||||
/// Produce a duration from the provided elapsed `ticks` value.
|
||||
fn duration(&self, ticks: u64) -> Duration {
|
||||
let accuracy = self.nanos();
|
||||
let nanos = ticks as f64 * accuracy;
|
||||
Duration::from_nanos(nanos as u64)
|
||||
}
|
||||
}
|
||||
|
||||
/// Acquire the tick value reported by the platform.
|
||||
fn arch_ticks() -> u64 {
|
||||
#[cfg(target_arch = "aarch64")]
|
||||
return aarch64::ticks();
|
||||
#[cfg(target_arch = "x86_64")]
|
||||
return x86_64::ticks();
|
||||
}
|
||||
|
||||
/// Acquire the tick frequency reported by the platform.
|
||||
fn arch_frequency() -> TickFrequency {
|
||||
#[cfg(target_arch = "aarch64")]
|
||||
let frequency = aarch64::frequency();
|
||||
#[cfg(target_arch = "x86_64")]
|
||||
let frequency = x86_64::frequency();
|
||||
// If the frequency is 0, then something went very wrong and we should panic.
|
||||
if frequency.ticks() == 0 {
|
||||
panic!("timer frequency is zero");
|
||||
}
|
||||
frequency
|
||||
}
|
||||
|
||||
/// Platform timer that allows measurement of the elapsed time.
|
||||
#[derive(Clone, Copy, Debug, PartialEq, Eq)]
|
||||
pub struct PlatformTimer {
|
||||
/// The start tick value.
|
||||
start: u64,
|
||||
/// The tick frequency of the platform.
|
||||
frequency: TickFrequency,
|
||||
}
|
||||
|
||||
impl PlatformTimer {
|
||||
/// Start a platform timer at the current instant.
|
||||
pub fn start() -> Self {
|
||||
Self {
|
||||
start: arch_ticks(),
|
||||
frequency: arch_frequency(),
|
||||
}
|
||||
}
|
||||
|
||||
/// Measure the elapsed duration since the hardware started ticking upwards.
|
||||
pub fn elapsed_since_lifetime(&self) -> Duration {
|
||||
self.frequency.duration(arch_ticks())
|
||||
}
|
||||
|
||||
/// Measure the elapsed duration since the timer was started.
|
||||
pub fn elapsed_since_start(&self) -> Duration {
|
||||
let duration = arch_ticks().wrapping_sub(self.start);
|
||||
self.frequency.duration(duration)
|
||||
}
|
||||
}
|
||||
23
crates/eficore/src/platform/timer/aarch64.rs
Normal file
23
crates/eficore/src/platform/timer/aarch64.rs
Normal file
@@ -0,0 +1,23 @@
|
||||
use crate::platform::timer::TickFrequency;
|
||||
use core::arch::asm;
|
||||
|
||||
/// Reads the cntvct_el0 counter and returns the value.
|
||||
pub fn ticks() -> u64 {
|
||||
let counter: u64;
|
||||
unsafe {
|
||||
asm!("mrs x0, cntvct_el0", out("x0") counter);
|
||||
}
|
||||
counter
|
||||
}
|
||||
|
||||
/// Our frequency is provided by cntfrq_el0 on the platform.
|
||||
pub fn frequency() -> TickFrequency {
|
||||
let frequency: u64;
|
||||
unsafe {
|
||||
asm!(
|
||||
"mrs x0, cntfrq_el0",
|
||||
out("x0") frequency
|
||||
);
|
||||
}
|
||||
TickFrequency::Hardware(frequency)
|
||||
}
|
||||
29
crates/eficore/src/platform/timer/x86_64.rs
Normal file
29
crates/eficore/src/platform/timer/x86_64.rs
Normal file
@@ -0,0 +1,29 @@
|
||||
use crate::platform::timer::TickFrequency;
|
||||
use core::time::Duration;
|
||||
|
||||
/// We will measure the frequency of the timer based on 1000 microseconds.
|
||||
/// This will result in a call to BS->Stall(1000) in the end.
|
||||
const MEASURE_FREQUENCY_DURATION: Duration = Duration::from_micros(1000);
|
||||
|
||||
/// Read the number of ticks from the platform timer.
|
||||
pub fn ticks() -> u64 {
|
||||
// SAFETY: Reads the platform timer, which is safe in any context.
|
||||
unsafe { core::arch::x86_64::_rdtsc() }
|
||||
}
|
||||
|
||||
/// Measure the frequency of the platform timer.
|
||||
/// NOTE: Intentionally, we do not synchronize rdtsc during measurement to match systemd behavior.
|
||||
fn measure_frequency() -> u64 {
|
||||
let start = ticks();
|
||||
uefi::boot::stall(MEASURE_FREQUENCY_DURATION);
|
||||
let stop = ticks();
|
||||
let elapsed = stop.wrapping_sub(start) as f64;
|
||||
(elapsed / MEASURE_FREQUENCY_DURATION.as_secs_f64()) as u64
|
||||
}
|
||||
|
||||
/// Acquire the platform timer frequency.
|
||||
/// On x86_64, this is slightly expensive, so it should be done once.
|
||||
pub fn frequency() -> TickFrequency {
|
||||
let frequency = measure_frequency();
|
||||
TickFrequency::Measured(frequency)
|
||||
}
|
||||
129
crates/eficore/src/platform/tpm.rs
Normal file
129
crates/eficore/src/platform/tpm.rs
Normal file
@@ -0,0 +1,129 @@
|
||||
use anyhow::{Context, Result};
|
||||
use uefi::ResultExt;
|
||||
use uefi::boot::ScopedProtocol;
|
||||
use uefi::proto::tcg::PcrIndex;
|
||||
use uefi::proto::tcg::v2::{PcrEventInputs, Tcg};
|
||||
use uefi_raw::protocol::tcg::EventType;
|
||||
use uefi_raw::protocol::tcg::v2::{Tcg2HashLogExtendEventFlags, Tcg2Protocol, Tcg2Version};
|
||||
|
||||
/// Represents the platform TPM.
|
||||
pub struct PlatformTpm;
|
||||
|
||||
/// Represents an open TPM handle.
|
||||
pub struct TpmProtocolHandle {
|
||||
/// The version of the TPM protocol.
|
||||
version: Tcg2Version,
|
||||
/// The protocol itself.
|
||||
protocol: ScopedProtocol<Tcg>,
|
||||
}
|
||||
|
||||
impl TpmProtocolHandle {
|
||||
/// Construct a new [TpmProtocolHandle] from the `version` and `protocol`.
|
||||
pub fn new(version: Tcg2Version, protocol: ScopedProtocol<Tcg>) -> Self {
|
||||
Self { version, protocol }
|
||||
}
|
||||
|
||||
/// Access the version provided by the tcg2 protocol.
|
||||
pub fn version(&self) -> Tcg2Version {
|
||||
self.version
|
||||
}
|
||||
|
||||
/// Access the protocol interface for tcg2.
|
||||
pub fn protocol(&mut self) -> &mut ScopedProtocol<Tcg> {
|
||||
&mut self.protocol
|
||||
}
|
||||
}
|
||||
|
||||
impl PlatformTpm {
|
||||
/// The PCR for measuring the bootloader configuration into.
|
||||
pub const PCR_BOOT_LOADER_CONFIG: PcrIndex = PcrIndex(5);
|
||||
|
||||
/// Acquire access to the TPM protocol handle, if possible.
|
||||
/// Returns None if TPM is not available.
|
||||
fn protocol() -> Result<Option<TpmProtocolHandle>> {
|
||||
// Attempt to acquire the TCG2 protocol handle. If it's not available, return None.
|
||||
let Some(handle) = crate::handle::find_handle(&Tcg2Protocol::GUID)
|
||||
.context("unable to determine tpm presence")?
|
||||
else {
|
||||
return Ok(None);
|
||||
};
|
||||
|
||||
// If we reach here, we've already validated that the handle
|
||||
// implements the TCG2 protocol.
|
||||
let mut protocol = uefi::boot::open_protocol_exclusive::<Tcg>(handle)
|
||||
.context("unable to open tcg2 protocol")?;
|
||||
|
||||
// Acquire the capabilities of the TPM.
|
||||
let capability = protocol
|
||||
.get_capability()
|
||||
.context("unable to get tcg2 boot service capability")?;
|
||||
|
||||
// If the TPM is not present, return None.
|
||||
if !capability.tpm_present() {
|
||||
return Ok(None);
|
||||
}
|
||||
|
||||
// If the TPM is present, we need to determine the version of the TPM.
|
||||
let version = capability.protocol_version;
|
||||
|
||||
// We have a TPM, so return the protocol version and the protocol handle.
|
||||
Ok(Some(TpmProtocolHandle::new(version, protocol)))
|
||||
}
|
||||
|
||||
/// Determines whether the platform TPM is present.
|
||||
pub fn present() -> Result<bool> {
|
||||
Ok(PlatformTpm::protocol()?.is_some())
|
||||
}
|
||||
|
||||
/// Determine the number of active PCR banks on the TPM.
|
||||
/// If no TPM is available, this will return zero.
|
||||
pub fn active_pcr_banks() -> Result<u32> {
|
||||
// Acquire access to the TPM protocol handle.
|
||||
let Some(mut handle) = PlatformTpm::protocol()? else {
|
||||
return Ok(0);
|
||||
};
|
||||
|
||||
// Check if the TPM supports `GetActivePcrBanks`, and if it doesn't return zero.
|
||||
if (handle.version().major < 1)
|
||||
|| (handle.version().major == 1 && (handle.version().minor < 1))
|
||||
{
|
||||
return Ok(0);
|
||||
}
|
||||
|
||||
// The safe wrapper for this function will decode the bitmap.
|
||||
// Strictly speaking, it's not future-proof to re-encode that, but in practice it will work.
|
||||
let banks = handle
|
||||
.protocol()
|
||||
.get_active_pcr_banks()
|
||||
.context("unable to get active pcr banks")?;
|
||||
|
||||
// Return the number of active PCR banks.
|
||||
Ok(banks.bits())
|
||||
}
|
||||
|
||||
/// Log an event into the TPM pcr `pcr_index` with `buffer` as data. The `description`
|
||||
/// is used to describe what the event is.
|
||||
///
|
||||
/// If a TPM is not available, this will do nothing.
|
||||
pub fn log_event(pcr_index: PcrIndex, buffer: &[u8], description: &str) -> Result<()> {
|
||||
// Acquire access to the TPM protocol handle.
|
||||
let Some(mut handle) = PlatformTpm::protocol()? else {
|
||||
return Ok(());
|
||||
};
|
||||
|
||||
// Encode the description as UTF-8.
|
||||
let description = description.as_bytes().to_vec();
|
||||
|
||||
// Construct an event input for the TPM.
|
||||
let event = PcrEventInputs::new_in_box(pcr_index, EventType::IPL, &description)
|
||||
.discard_errdata()
|
||||
.context("unable to construct pcr event inputs")?;
|
||||
|
||||
// Log the event into the TPM.
|
||||
handle
|
||||
.protocol()
|
||||
.hash_log_extend_event(Tcg2HashLogExtendEventFlags::empty(), buffer, &event)
|
||||
.context("unable to log event to tpm")?;
|
||||
Ok(())
|
||||
}
|
||||
}
|
||||
Reference in New Issue
Block a user