watchdog_vmgs_format/
lib.rs#![forbid(unsafe_code)]
use thiserror::Error;
use vmcore::non_volatile_store::NonVolatileStore;
#[derive(Debug, Error)]
#[error("expected single byte (0 or 1), got {0} bytes, starting with {1:?}")]
pub struct InvalidFormatError(usize, Option<u8>);
struct WatchdogVmgsFormat {
boot_failure: bool,
}
impl WatchdogVmgsFormat {
fn new() -> Self {
Self {
boot_failure: false,
}
}
fn update_from_slice(&mut self, buf: &[u8]) -> Result<(), InvalidFormatError> {
let boot_status = match buf {
[] => return Err(InvalidFormatError(0, None)),
[0] => false,
[1] => true,
[other, ..] => return Err(InvalidFormatError(buf.len(), Some(*other))),
};
self.boot_failure = boot_status;
Ok(())
}
fn as_slice(&self) -> &[u8] {
if self.boot_failure { &[1] } else { &[0] }
}
}
#[derive(Debug, Error)]
#[expect(missing_docs)] pub enum WatchdogVmgsFormatStoreError {
#[error("could not access non-volatile store")]
NonVolatileStoreAccessError(#[source] vmcore::non_volatile_store::NonVolatileStoreError),
#[error("invalid data pull from non-volatile store")]
InvalidFormat(#[source] InvalidFormatError),
}
pub struct WatchdogVmgsFormatStore {
store: Box<dyn NonVolatileStore>,
state: WatchdogVmgsFormat,
}
impl WatchdogVmgsFormatStore {
pub async fn new(
mut store: Box<dyn NonVolatileStore>,
) -> Result<Self, WatchdogVmgsFormatStoreError> {
use WatchdogVmgsFormatStoreError as Error;
let buf = store
.restore()
.await
.map_err(Error::NonVolatileStoreAccessError)?;
let mut state = WatchdogVmgsFormat::new();
if let Some(buf) = buf {
state
.update_from_slice(&buf)
.map_err(Error::InvalidFormat)?;
}
Ok(Self { store, state })
}
async fn flush(&mut self) -> Result<(), WatchdogVmgsFormatStoreError> {
use WatchdogVmgsFormatStoreError as Error;
self.store
.persist(self.state.as_slice().to_vec())
.await
.map_err(Error::NonVolatileStoreAccessError)?;
Ok(())
}
pub async fn set_boot_failure(&mut self) -> Result<(), WatchdogVmgsFormatStoreError> {
let prev = self.state.boot_failure;
self.state.boot_failure = true;
if !prev {
self.flush().await?;
}
Ok(())
}
pub async fn read_and_clear_boot_status(
&mut self,
) -> Result<bool, WatchdogVmgsFormatStoreError> {
let prev = self.state.boot_failure;
self.state.boot_failure = false;
if prev {
self.flush().await?;
}
Ok(prev)
}
}