clementine_core/states/mod.rs
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 403 404 405 406 407 408 409 410 411 412 413 414 415 416 417 418 419 420 421 422 423 424 425 426 427 428 429 430 431 432 433 434 435 436 437 438 439 440 441 442 443 444 445 446 447 448 449 450 451 452 453 454 455 456 457 458 459 460 461 462 463 464 465 466 467 468 469 470 471 472 473 474 475 476 477 478 479 480 481 482 483 484 485 486 487 488 489 490 491 492 493 494 495 496 497 498 499 500 501 502 503 504 505 506 507 508 509 510 511 512 513 514 515 516 517 518 519 520 521 522 523 524 525 526 527 528 529 530 531 532 533 534 535 536 537 538 539 540 541 542 543 544 545 546 547 548 549 550 551 552 553 554 555 556 557 558 559 560 561 562 563 564 565 566 567 568 569 570 571 572 573 574 575 576 577 578 579 580 581 582 583 584 585 586 587 588 589 590
//! State manager module
//!
//! This module contains the state manager, which is responsible for holding the state machines
//! of the system representing the current operator state for each operator, and kickoff state for each kickoff
//! (Each operator and kickoff process has its own state machine).
//!
//! The main responsibility of the state manager is to process each finalized block in Bitcoin and update the state machines.
//! The blocks are scanned for relevant Clementine tx's and internal state of the state machines is updated. This relevant data
//! is passed on verifiers/operators when its time to send bridge transactions (like operator asserts, watchtower challenges, etc).
//!
//! Operator state machine: Stores where in the collateral chain the operator is. (Which round or ready to reimburse tx)
//! Additionally during rounds it stores which kickoff utxos of the round are spent.
//! Kickoff state machine:
//! - Stores if the kickoff was challenged.
//! - Stores/tracks watchtower challenges, latest blockhash commit by operator, operator asserts, any relevant information needed
//! for proving and disproving the kickoff.
//!
//! For state machines we use the [statig](https://github.com/mdeloof/statig) crate.
//!
pub use crate::builder::block_cache;
use crate::config::protocol::ProtocolParamset;
use crate::database::{Database, DatabaseTransaction};
use crate::errors::BridgeError;
use eyre::Context;
use futures::future::{join, join_all};
use kickoff::KickoffEvent;
use matcher::BlockMatcher;
use pgmq::PGMQueueExt;
use round::RoundEvent;
use statig::awaitable::{InitializedStateMachine, UninitializedStateMachine};
use statig::prelude::*;
use std::cmp::max;
use std::future::Future;
use std::sync::Arc;
use thiserror::Error;
pub mod context;
mod event;
pub mod kickoff;
mod matcher;
pub mod round;
pub mod task;
pub use context::{Duty, Owner};
pub use event::SystemEvent;
#[derive(Debug, Error)]
pub enum StateMachineError {
#[error("State machine received event that it doesn't know how to handle: {0}")]
UnhandledEvent(String),
#[error(transparent)]
Other(#[from] eyre::Report),
}
pub(crate) enum ContextProcessResult<
T: Owner,
M: IntoStateMachine,
Fut: Future<Output = (InitializedStateMachine<M>, context::StateContext<T>)> + Send,
> {
Unchanged(InitializedStateMachine<M>),
Processing(Fut),
}
/// Utility trait to make processing generic
pub(crate) trait ContextProcessor<T: Owner, M: IntoStateMachine> {
/// Processes the machine with the given state context (which contains the block cache)
/// If the machine is unchanged, it is returned as is. Otherwise, the machine is processed
/// and the result is returned as a future that processes the new events.
fn process_with_ctx(
self,
block: &context::StateContext<T>,
) -> ContextProcessResult<
T,
M,
impl Future<Output = (InitializedStateMachine<M>, context::StateContext<T>)> + Send,
>;
}
/// Generic implementation for all state machines
impl<T, M> ContextProcessor<T, M> for InitializedStateMachine<M>
where
T: Owner,
for<'evt, 'ctx> M: IntoStateMachine<Event<'evt> = M::StateEvent, Context<'ctx> = context::StateContext<T>>
+ Send
+ BlockMatcher
+ Clone,
M::State: awaitable::State<M> + 'static + Send,
for<'sub> M::Superstate<'sub>: awaitable::Superstate<M> + Send,
for<'evt> M::Event<'evt>: Send + Sync,
{
fn process_with_ctx(
mut self,
block: &context::StateContext<T>,
) -> ContextProcessResult<T, M, impl Future<Output = (Self, context::StateContext<T>)> + Send>
{
let events = self.match_block(&block.cache);
if events.is_empty() {
ContextProcessResult::Unchanged(self)
} else {
let mut ctx = block.clone();
ContextProcessResult::Processing(async move {
for event in events {
self.handle_with_context(&event, &mut ctx).await;
}
(self, ctx)
})
}
}
}
/// State manager stores the state machines.
/// It is responsible for following:
/// - Persisting current state of the state machines to the database.
/// - Collecting new [`SystemEvent`]s from the message queue and passing them to the state machines,
/// thus updating the state machines.
#[derive(Debug, Clone)]
pub struct StateManager<T: Owner> {
pub db: Database,
queue: PGMQueueExt,
owner: T,
round_machines: Vec<InitializedStateMachine<round::RoundStateMachine<T>>>,
kickoff_machines: Vec<InitializedStateMachine<kickoff::KickoffStateMachine<T>>>,
context: context::StateContext<T>,
paramset: &'static ProtocolParamset,
next_height_to_process: u32,
}
impl<T: Owner + std::fmt::Debug + 'static> StateManager<T> {
/// Returns message queue name for the state manager.
pub fn queue_name() -> String {
format!("{}_state_mgr_events", T::ENTITY_NAME)
}
pub async fn new(
db: Database,
owner: T,
paramset: &'static ProtocolParamset,
) -> eyre::Result<Self> {
let queue = PGMQueueExt::new_with_pool(db.get_pool()).await;
queue.create(&Self::queue_name()).await.wrap_err_with(|| {
format!("Error creating pqmq queue with name {}", Self::queue_name())
})?;
let mut mgr = Self {
context: context::StateContext::new(
db.clone(),
Arc::new(owner.clone()),
Default::default(),
paramset,
),
db,
owner,
paramset,
round_machines: Vec::new(),
kickoff_machines: Vec::new(),
queue,
next_height_to_process: paramset.start_height,
};
mgr.load_from_db().await?;
Ok(mgr)
}
/// Loads the state machines from the database.
/// This method should be called when initializing the StateManager.
///
/// # Errors
/// Returns a `BridgeError` if the database operation fails
pub async fn load_from_db(&mut self) -> Result<(), BridgeError> {
// Get the owner type from the context
let owner_type = &self.context.owner_type;
// First, check if we have any state saved
let status = self.db.get_next_height_to_process(None, owner_type).await?;
// If no state is saved, return early
let Some(block_height) = status else {
tracing::info!("No state machines found in the database");
return Ok(());
};
tracing::info!("Loading state machines from block height {}", block_height);
// Load kickoff machines
let kickoff_machines = self.db.load_kickoff_machines(None, owner_type).await?;
// Load round machines
let round_machines = self.db.load_round_machines(None, owner_type).await?;
// Process and recreate kickoff machines
for (state_json, kickoff_id, saved_block_height) in &kickoff_machines {
tracing::debug!(
"Loaded kickoff machine: state={}, block_height={}",
state_json,
saved_block_height
);
// Deserialize the machine state from JSON
let machine: Result<UninitializedStateMachine<kickoff::KickoffStateMachine<T>>, _> =
serde_json::from_str(state_json);
match machine {
Ok(uninitialized) => {
// Create a context for initialization
let mut ctx = context::StateContext::new(
self.db.clone(),
Arc::new(self.owner.clone()),
Default::default(),
self.paramset,
);
// Initialize the machine with the context
let initialized = uninitialized.init_with_context(&mut ctx).await;
self.kickoff_machines.push(initialized);
}
Err(e) => {
tracing::warn!(
"Failed to deserialize kickoff machine with ID {}: {}",
kickoff_id,
e
);
}
}
}
// Process and recreate round machines
for (state_json, operator_xonly_pk, saved_block_height) in &round_machines {
tracing::debug!(
"Loaded round machine: state={}, block_height={}",
state_json,
saved_block_height
);
// Deserialize the machine state from JSON
let machine: Result<UninitializedStateMachine<round::RoundStateMachine<T>>, _> =
serde_json::from_str(state_json);
match machine {
Ok(uninitialized) => {
// Create a context for initialization
let mut ctx = context::StateContext::new(
self.db.clone(),
Arc::new(self.owner.clone()),
Default::default(),
self.paramset,
);
// Initialize the machine with the context
let initialized = uninitialized.init_with_context(&mut ctx).await;
self.round_machines.push(initialized);
}
Err(e) => {
tracing::error!(
"Failed to deserialize round machine with operator index {:?}: {}",
operator_xonly_pk,
e
);
}
}
}
tracing::info!(
"Loaded {} kickoff machines and {} round machines from the database",
kickoff_machines.len(),
round_machines.len()
);
self.next_height_to_process =
u32::try_from(block_height).wrap_err(BridgeError::IntConversionError)?;
Ok(())
}
#[cfg(test)]
#[doc(hidden)]
pub fn round_machines(&self) -> Vec<InitializedStateMachine<round::RoundStateMachine<T>>> {
self.round_machines.clone()
}
#[cfg(test)]
#[doc(hidden)]
pub fn kickoff_machines(
&self,
) -> Vec<InitializedStateMachine<kickoff::KickoffStateMachine<T>>> {
self.kickoff_machines.clone()
}
/// Saves the state machines with dirty flag set to the database.
/// Resets the dirty flag for all machines after successful save.
///
/// # Errors
/// Returns a `BridgeError` if the database operation fails.
pub async fn save_state_to_db(
&mut self,
block_height: u32,
dbtx: Option<DatabaseTransaction<'_, '_>>,
) -> eyre::Result<()> {
// Get the owner type from the context
let owner_type = &self.context.owner_type;
// Prepare kickoff machines data with direct serialization
let kickoff_machines: eyre::Result<Vec<_>> = self
.kickoff_machines
.iter()
// Only serialize machines that are dirty
.filter(|machine| machine.dirty)
.map(|machine| -> eyre::Result<_> {
let state_json = serde_json::to_string(&machine).wrap_err_with(|| {
format!("Failed to serialize kickoff machine: {:?}", machine)
})?;
let kickoff_id =
serde_json::to_string(&machine.kickoff_data).wrap_err_with(|| {
format!("Failed to serialize kickoff id for machine: {:?}", machine)
})?;
Ok((state_json, (kickoff_id)))
})
.collect();
// Prepare round machines data with direct serialization
let round_machines: eyre::Result<Vec<_>> = self
.round_machines
.iter()
// Only serialize machines that are dirty
.filter(|machine| machine.dirty)
.map(|machine| -> eyre::Result<_> {
let state_json = serde_json::to_string(machine).wrap_err_with(|| {
format!("Failed to serialize round machine: {:?}", machine)
})?;
let operator_xonly_pk = machine.operator_data.xonly_pk;
// Use the machine's dirty flag to determine if it needs updating
Ok((state_json, (operator_xonly_pk)))
})
.collect();
// Use the database function to save the state machines
self.db
.save_state_machines(
dbtx,
kickoff_machines?,
round_machines?,
block_height as i32,
owner_type,
)
.await?;
// Reset the dirty flag for all machines after successful save
for machine in &mut self.kickoff_machines {
if machine.dirty {
machine
.handle_with_context(&KickoffEvent::SavedToDb, &mut self.context)
.await;
}
}
for machine in &mut self.round_machines {
if machine.dirty {
machine
.handle_with_context(&RoundEvent::SavedToDb, &mut self.context)
.await;
}
}
Ok(())
}
pub fn get_next_height_to_process(&self) -> u32 {
self.next_height_to_process
}
/// Updates the machines using the context and returns machines without
/// events and futures that process new events for machines that changed.
/// Empties the `machines` vector.
///
/// # Parameters
/// * `machines`: A mutable reference to the vector of state machines to update.
/// * `base_context`: A reference to the base state context.
///
/// # Returns
/// A tuple of the unchanged machines and the futures that process new
/// events for machines that generated events.
///
/// # Type Parameters
/// * `M`: The type of the state machine.
/// * `a`: The lifetime of the state context reference (the future captures the context by reference).
#[allow(clippy::type_complexity)]
fn update_machines<'a, M>(
machines: &mut Vec<InitializedStateMachine<M>>,
base_context: &'a context::StateContext<T>,
) -> (
Vec<InitializedStateMachine<M>>,
Vec<
impl Future<Output = (InitializedStateMachine<M>, context::StateContext<T>)> + Send + 'a,
>,
)
where
M: IntoStateMachine + Send + Sync + 'static,
M::State: Send + Sync + 'static,
InitializedStateMachine<M>: ContextProcessor<T, M>,
{
let mut unchanged_machines = Vec::new();
let mut processing_futures = Vec::new();
for machine in std::mem::take(machines).into_iter() {
match machine.process_with_ctx(base_context) {
ContextProcessResult::Processing(future) => processing_futures.push(future),
ContextProcessResult::Unchanged(machine) => unchanged_machines.push(machine),
}
}
(unchanged_machines, processing_futures)
}
/// Given some new states and a start height, process the states from the given start height until the next height to process.
/// Then append the new states to the current state machines.
pub async fn process_and_add_new_states_from_height(
&mut self,
new_round_machines: Vec<InitializedStateMachine<round::RoundStateMachine<T>>>,
new_kickoff_machines: Vec<InitializedStateMachine<kickoff::KickoffStateMachine<T>>>,
start_height: u32,
) -> Result<(), eyre::Report> {
// create a temporary state manager that only includes the new states
let mut temporary_manager = self.clone();
temporary_manager.round_machines = new_round_machines;
temporary_manager.kickoff_machines = new_kickoff_machines;
for block_height in start_height..temporary_manager.next_height_to_process {
let block = temporary_manager
.db
.get_full_block(None, block_height)
.await?;
if let Some(block) = block {
temporary_manager.update_block_cache(&block, block_height);
temporary_manager
.process_block_parallel(block_height)
.await?;
} else {
return Err(eyre::eyre!(
"Block at height {} not found in process_and_add_new_states_from_height",
block_height
));
}
}
// append new states to the current state manager
self.round_machines.extend(temporary_manager.round_machines);
self.kickoff_machines
.extend(temporary_manager.kickoff_machines);
Ok(())
}
/// It requires that the block cache is updated before calling this function.
/// Moves all state machines forward in parallel.
/// The state machines are updated until all of them stabilize in their state (ie.
/// the block does not generate any new events)
///
/// # Errors
/// If the state machines do not stabilize after some iterations, we return an error.
pub async fn process_block_parallel(&mut self, block_height: u32) -> Result<(), eyre::Report> {
eyre::ensure!(
self.context.cache.block_height == block_height,
"Block cache is not updated"
);
// Store the original machines to revert to in case of an error happens during processing
// If an error is encountered, the block processing will retry. If we don't store and revert all
// state machines during processing, some state machines can be left in an invalid state
// depending on where the error occurred. To be safe, we revert to the original machines.
let kickoff_machines_checkpoint = self.kickoff_machines.clone();
let round_machines_checkpoint = self.round_machines.clone();
// Process all machines, for those unaffected collect them them, otherwise return
// a future that processes the new events.
let (mut final_kickoff_machines, mut kickoff_futures) =
Self::update_machines(&mut self.kickoff_machines, &self.context);
let (mut final_round_machines, mut round_futures) =
Self::update_machines(&mut self.round_machines, &self.context);
// Here we store number of iterations to detect if the machines do not stabilize after a while
// to prevent infinite loops. If a matcher is used, it is deleted, but a bug in implementation
// can technically cause infinite loops.
let mut iterations = 0;
// On each iteration, we'll update the changed machines until all machines
// stabilize in their state.
while !kickoff_futures.is_empty() || !round_futures.is_empty() {
// Execute all futures in parallel
let (kickoff_results, round_results) =
join(join_all(kickoff_futures), join_all(round_futures)).await;
// Unzip the results into updated machines and state contexts
let (mut changed_kickoff_machines, mut kickoff_contexts): (Vec<_>, Vec<_>) =
kickoff_results.into_iter().unzip();
let (mut changed_round_machines, mut round_contexts): (Vec<_>, Vec<_>) =
round_results.into_iter().unzip();
// Merge and handle errors
let mut all_errors = Vec::new();
for ctx in kickoff_contexts.iter_mut().chain(round_contexts.iter_mut()) {
all_errors.extend(std::mem::take(&mut ctx.errors));
}
if !all_errors.is_empty() {
// revert state machines to the saved state as the content of the machines might be changed before the error occurred
self.kickoff_machines = kickoff_machines_checkpoint;
self.round_machines = round_machines_checkpoint;
// Return first error or create a combined error
return Err(eyre::eyre!(
"Multiple errors occurred during state processing: {:?}",
all_errors
));
}
// Append the newly generated state machines into the changed machines list
for ctx in kickoff_contexts.iter_mut().chain(round_contexts.iter_mut()) {
#[cfg(debug_assertions)]
for machine in &ctx.new_round_machines {
if !machine.dirty {
panic!(
"Round machine not dirty despite having been newly created: {:?}",
machine.state()
);
}
}
#[cfg(debug_assertions)]
for machine in &ctx.new_kickoff_machines {
if !machine.dirty {
panic!(
"Kickoff machine not dirty despite having been newly created: {:?}",
machine.state()
);
}
}
changed_round_machines.extend(std::mem::take(&mut ctx.new_round_machines));
changed_kickoff_machines.extend(std::mem::take(&mut ctx.new_kickoff_machines));
}
// If the machines do not stabilize after a while, we return an error
//
// Something like max(2 * num_kickoffs_per_round, number of utxos in a kickoff * 2) is possibly a safe value
if iterations > 100000 {
return Err(eyre::eyre!(
r#"{}/{} kickoff and {}/{} round state machines did not stabilize after 100000 iterations, debug repr of changed machines:
---- Kickoff machines ----
{:?}
---- Round machines ----
{:?}
"#,
changed_kickoff_machines.len(),
final_kickoff_machines.len() + changed_kickoff_machines.len(),
changed_round_machines.len(),
final_round_machines.len() + changed_round_machines.len(),
changed_kickoff_machines
.iter()
.map(|m| m.state())
.collect::<Vec<_>>(),
changed_round_machines
.iter()
.map(|m| m.state())
.collect::<Vec<_>>(),
));
}
// Reprocess changed machines and commit these futures to be handled
// in the next round If they're empty, we'll exit the loop.
let (finalized_kickoff_machines, new_kickoff_futures) =
Self::update_machines(&mut changed_kickoff_machines, &self.context);
let (finalized_round_machines, new_round_futures) =
Self::update_machines(&mut changed_round_machines, &self.context);
final_kickoff_machines.extend(finalized_kickoff_machines);
final_round_machines.extend(finalized_round_machines);
// Update the futures to be processed
kickoff_futures = new_kickoff_futures;
round_futures = new_round_futures;
iterations += 1;
}
drop(kickoff_futures);
drop(round_futures);
// Set back the original machines
self.round_machines = final_round_machines;
self.kickoff_machines = final_kickoff_machines;
self.next_height_to_process = max(block_height + 1, self.next_height_to_process);
Ok(())
}
}