cat_gateway/cardano/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
//! Logic for orchestrating followers
use std::{fmt::Display, sync::Arc, time::Duration};
use cardano_chain_follower::{
ChainFollower, ChainSyncConfig, Network, Point, ORIGIN_POINT, TIP_POINT,
};
use duration_string::DurationString;
use futures::{stream::FuturesUnordered, StreamExt};
use rand::{Rng, SeedableRng};
use tracing::{debug, error, info, warn};
use crate::{
db::index::{
block::index_block,
queries::sync_status::{
get::{get_sync_status, SyncStatus},
update::update_sync_status,
},
session::CassandraSession,
},
settings::{chain_follower, Settings},
};
// pub(crate) mod cip36_registration_obsolete;
pub(crate) mod util;
/// Blocks batch length that will trigger the blocks buffer to be written to the database.
#[allow(dead_code)]
const MAX_BLOCKS_BATCH_LEN: usize = 1024;
/// How long we wait between checks for connection to the indexing DB to be ready.
const INDEXING_DB_READY_WAIT_INTERVAL: Duration = Duration::from_secs(1);
/// Start syncing a particular network
async fn start_sync_for(cfg: &chain_follower::EnvVars) -> anyhow::Result<()> {
let chain = cfg.chain;
let dl_config = cfg.dl_config.clone();
let mut cfg = ChainSyncConfig::default_for(chain);
cfg.mithril_cfg = cfg.mithril_cfg.with_dl_config(dl_config);
info!(chain = %chain, "Starting Blockchain Sync");
if let Err(error) = cfg.run().await {
error!(chain=%chain, error=%error, "Failed to start chain sync task");
Err(error)?;
}
Ok(())
}
/// Data we return from a sync task.
#[derive(Clone)]
struct SyncParams {
/// What blockchain are we syncing.
chain: Network,
/// The starting point of this sync.
start: Point,
/// The ending point of this sync.
end: Point,
/// The first block we successfully synced.
first_indexed_block: Option<Point>,
/// Is the starting point immutable? (True = immutable, false = don't know.)
first_is_immutable: bool,
/// The last block we successfully synced.
last_indexed_block: Option<Point>,
/// Is the ending point immutable? (True = immutable, false = don't know.)
last_is_immutable: bool,
/// The number of blocks we successfully synced overall.
total_blocks_synced: u64,
/// The number of blocks we successfully synced, in the last attempt.
last_blocks_synced: u64,
/// The number of retries so far on this sync task.
retries: u64,
/// The number of retries so far on this sync task.
backoff_delay: Option<Duration>,
/// If the sync completed without error or not.
result: Arc<Option<anyhow::Result<()>>>,
/// Chain follower roll forward.
follower_roll_forward: Option<Point>,
}
impl Display for SyncParams {
fn fmt(&self, f: &mut std::fmt::Formatter<'_>) -> std::fmt::Result {
if self.result.is_none() {
write!(f, "Sync_Params {{ ")?;
} else {
write!(f, "Sync_Result {{ ")?;
}
write!(f, "start: {}, end: {}", self.start, self.end)?;
if let Some(first) = self.first_indexed_block.as_ref() {
write!(
f,
", first_indexed_block: {first}{}",
if self.first_is_immutable { ":I" } else { "" }
)?;
}
if let Some(last) = self.last_indexed_block.as_ref() {
write!(
f,
", last_indexed_block: {last}{}",
if self.last_is_immutable { ":I" } else { "" }
)?;
}
if self.retries > 0 {
write!(f, ", retries: {}", self.retries)?;
}
if self.retries > 0 || self.result.is_some() {
write!(f, ", synced_blocks: {}", self.total_blocks_synced)?;
}
if self.result.is_some() {
write!(f, ", last_sync: {}", self.last_blocks_synced)?;
}
if let Some(backoff) = self.backoff_delay.as_ref() {
write!(f, ", backoff: {}", DurationString::from(*backoff))?;
}
if let Some(result) = self.result.as_ref() {
match result {
Ok(()) => write!(f, ", Success")?,
Err(error) => write!(f, ", {error}")?,
};
}
f.write_str(" }")
}
}
/// The range we generate random backoffs within given a base backoff value.
const BACKOFF_RANGE_MULTIPLIER: u32 = 3;
impl SyncParams {
/// Create a new `SyncParams`.
fn new(chain: Network, start: Point, end: Point) -> Self {
Self {
chain,
start,
end,
first_indexed_block: None,
first_is_immutable: false,
last_indexed_block: None,
last_is_immutable: false,
total_blocks_synced: 0,
last_blocks_synced: 0,
retries: 0,
backoff_delay: None,
result: Arc::new(None),
follower_roll_forward: None,
}
}
/// Convert a result back into parameters for a retry.
fn retry(&self) -> Self {
let retry_count = self.retries + 1;
let mut backoff = None;
// If we did sync any blocks last time, first retry is immediate.
// Otherwise we backoff progressively more as we do more retries.
if self.last_blocks_synced == 0 {
// Calculate backoff based on number of retries so far.
backoff = match retry_count {
1 => Some(Duration::from_secs(1)), // 1-3 seconds
2..5 => Some(Duration::from_secs(10)), // 10-30 seconds
_ => Some(Duration::from_secs(30)), // 30-90 seconds.
};
}
let mut retry = self.clone();
retry.last_blocks_synced = 0;
retry.retries = retry_count;
retry.backoff_delay = backoff;
retry.result = Arc::new(None);
retry.follower_roll_forward = None;
retry
}
/// Convert Params into the result of the sync.
fn done(
&self, first: Option<Point>, first_immutable: bool, last: Option<Point>,
last_immutable: bool, synced: u64, result: anyhow::Result<()>,
) -> Self {
if result.is_ok() && first_immutable && last_immutable {
// Update sync status in the Immutable DB.
// Can fire and forget, because failure to update DB will simply cause the chunk to be
// re-indexed, on recovery.
update_sync_status(self.end.slot_or_default(), self.start.slot_or_default());
}
let mut done = self.clone();
done.first_indexed_block = first;
done.first_is_immutable = first_immutable;
done.last_indexed_block = last;
done.last_is_immutable = last_immutable;
done.total_blocks_synced += synced;
done.last_blocks_synced = synced;
done.result = Arc::new(Some(result));
done
}
/// Get where this sync run actually needs to start from.
fn actual_start(&self) -> Point {
self.last_indexed_block
.as_ref()
.unwrap_or(&self.start)
.clone()
}
/// Do the backoff delay processing.
///
/// The actual delay is a random time from the Delay itself to
/// `BACKOFF_RANGE_MULTIPLIER` times the delay. This is to prevent hammering the
/// service at regular intervals.
async fn backoff(&self) {
if let Some(backoff) = self.backoff_delay {
let mut rng = rand::rngs::StdRng::from_entropy();
let actual_backoff =
rng.gen_range(backoff..backoff.saturating_mul(BACKOFF_RANGE_MULTIPLIER));
tokio::time::sleep(actual_backoff).await;
}
}
}
/// Sync a portion of the blockchain.
/// Set end to `TIP_POINT` to sync the tip continuously.
fn sync_subchain(params: SyncParams) -> tokio::task::JoinHandle<SyncParams> {
tokio::spawn(async move {
info!(chain = %params.chain, params=%params, "Indexing Blockchain");
// Backoff hitting the database if we need to.
params.backoff().await;
// Wait for indexing DB to be ready before continuing.
CassandraSession::wait_is_ready(INDEXING_DB_READY_WAIT_INTERVAL).await;
info!(chain=%params.chain, params=%params,"Indexing DB is ready");
let mut first_indexed_block = params.first_indexed_block.clone();
let mut first_immutable = params.first_is_immutable;
let mut last_indexed_block = params.last_indexed_block.clone();
let mut last_immutable = params.last_is_immutable;
let mut blocks_synced = 0u64;
let mut follower =
ChainFollower::new(params.chain, params.actual_start(), params.end.clone()).await;
while let Some(chain_update) = follower.next().await {
match chain_update.kind {
cardano_chain_follower::Kind::ImmutableBlockRollForward => {
// We only process these on the follower tracking the TIP.
if params.end == TIP_POINT {
// What we need to do here is tell the primary follower to start a new sync
// for the new immutable data, and then purge the volatile database of the
// old data (after the immutable data has synced).
info!(chain=%params.chain, "Immutable chain rolled forward.");
let mut result = params.done(
first_indexed_block,
first_immutable,
last_indexed_block,
last_immutable,
blocks_synced,
Ok(()),
);
// Signal the point the immutable chain rolled forward to.
result.follower_roll_forward = Some(chain_update.block_data().point());
return result;
};
},
cardano_chain_follower::Kind::Block => {
let block = chain_update.block_data();
if let Err(error) = index_block(block).await {
let error_msg = format!("Failed to index block {}", block.point());
error!(chain=%params.chain, error=%error, params=%params, error_msg);
return params.done(
first_indexed_block,
first_immutable,
last_indexed_block,
last_immutable,
blocks_synced,
Err(error.context(error_msg)),
);
}
last_immutable = block.immutable();
last_indexed_block = Some(block.point());
if first_indexed_block.is_none() {
first_immutable = last_immutable;
first_indexed_block = Some(block.point());
}
blocks_synced += 1;
},
cardano_chain_follower::Kind::Rollback => {
warn!("TODO: Live Chain rollback");
// What we need to do here, is purge the live DB of records after the
// rollback point. We need to complete this operation here
// before we keep syncing the live chain.
},
}
}
let result = params.done(
first_indexed_block,
first_immutable,
last_indexed_block,
last_immutable,
blocks_synced,
Ok(()),
);
info!(chain = %params.chain, result=%result, "Indexing Blockchain Completed: OK");
result
})
}
/// The synchronisation task, and its state.
/// There should ONLY ever be one of these at any time.
struct SyncTask {
/// Chain follower configuration.
cfg: chain_follower::EnvVars,
/// The current running sync tasks.
sync_tasks: FuturesUnordered<tokio::task::JoinHandle<SyncParams>>,
/// // How many immutable chain follower sync tasks we are running.
current_sync_tasks: u16,
/// Start for the next block we would sync.
start_slot: u64,
/// The immutable tip slot.
immutable_tip_slot: u64,
/// The live tip slot.
live_tip_slot: u64,
/// Current Sync Status
sync_status: Vec<SyncStatus>,
}
impl SyncTask {
/// Create a new `SyncTask`.
fn new(cfg: chain_follower::EnvVars) -> SyncTask {
SyncTask {
cfg,
sync_tasks: FuturesUnordered::new(),
start_slot: 0,
current_sync_tasks: 0,
immutable_tip_slot: 0,
live_tip_slot: 0,
sync_status: Vec::new(),
}
}
/// Primary Chain Follower task.
///
/// This continuously runs in the background, and never terminates.
async fn run(&mut self) {
// We can't sync until the local chain data is synced.
// This call will wait until we sync.
let tips = cardano_chain_follower::ChainFollower::get_tips(self.cfg.chain).await;
self.immutable_tip_slot = tips.0.slot_or_default();
self.live_tip_slot = tips.1.slot_or_default();
info!(chain=%self.cfg.chain, immutable_tip=self.immutable_tip_slot, live_tip=self.live_tip_slot, "Blockchain ready to sync from.");
// Wait for indexing DB to be ready before continuing.
// We do this after the above, because other nodes may have finished already, and we don't
// want to wait do any work they already completed while we were fetching the blockchain.
CassandraSession::wait_is_ready(INDEXING_DB_READY_WAIT_INTERVAL).await;
info!(chain=%self.cfg.chain, "Indexing DB is ready - Getting recovery state");
self.sync_status = get_sync_status().await;
debug!(chain=%self.cfg.chain, "Sync Status: {:?}", self.sync_status);
// Start the Live Chain sync task - This can never end because it is syncing to TIP.
// So, if it fails, it will automatically be restarted.
self.sync_tasks.push(sync_subchain(SyncParams::new(
self.cfg.chain,
cardano_chain_follower::Point::fuzzy(self.immutable_tip_slot),
TIP_POINT,
)));
self.start_immutable_followers();
// Wait Sync tasks to complete. If they fail and have not completed, reschedule them.
// If an immutable sync task ends OK, and we still have immutable data to sync then
// start a new task.
// They will return from this iterator in the order they complete.
// This iterator actually never ends, because the live sync task is always restarted.
while let Some(completed) = self.sync_tasks.next().await {
match completed {
Ok(finished) => {
// Sync task finished. Check if it completed OK or had an error.
// If it failed, we need to reschedule it.
// The TIP follower should NEVER end, unless there is an immutable roll forward,
// or there is an error. If this is not a roll forward, log an error.
// It can fail if the index DB goes down in some way.
// Restart it always.
if finished.end == TIP_POINT {
if let Some(ref roll_forward_point) = finished.follower_roll_forward {
// Advance the known immutable tip, and try and start followers to reach
// it.
self.immutable_tip_slot = roll_forward_point.slot_or_default();
self.start_immutable_followers();
} else {
error!(chain=%self.cfg.chain, report=%finished,
"The TIP follower failed, restarting it.");
}
// Start the Live Chain sync task again from where it left off.
self.sync_tasks.push(sync_subchain(finished.retry()));
} else if let Some(result) = finished.result.as_ref() {
match result {
Ok(()) => {
self.current_sync_tasks -= 1;
info!(chain=%self.cfg.chain, report=%finished,
"The Immutable follower completed successfully.");
// If we need more immutable chain followers to sync the block
// chain, we can now start them.
self.start_immutable_followers();
},
Err(error) => {
error!(chain=%self.cfg.chain, report=%finished, error=%error,
"An Immutable follower failed, restarting it.");
// Restart the Immutable Chain sync task again from where it left
// off.
self.sync_tasks.push(sync_subchain(finished.retry()));
},
}
} else {
error!(chain=%self.cfg.chain, report=%finished,
"BUG: The Immutable follower completed, but without a proper result.");
}
},
Err(error) => {
error!(chain=%self.cfg.chain, error=%error, "BUG: Sync task failed. Can not restart it, not enough information. Sync is probably failed at this point.");
},
}
// TODO: IF there is only 1 chain follower left in sync_tasks, then all
// immutable followers have finished.
// When this happens we need to purge the live index of any records that exist
// before the current immutable tip.
// Note: to prevent a data race when multiple nodes are syncing, we probably
// want to put a gap in this, so that there are X slots of overlap
// between the live chain and immutable chain. This gap should be
// a parameter.
}
error!(chain=%self.cfg.chain,"BUG: Sync tasks have all stopped. This is an unexpected error!");
}
/// Start immutable followers, if we can
fn start_immutable_followers(&mut self) {
// Start the Immutable Chain sync tasks, as required.
// We will start at most the number of configured sync tasks.
// The live chain sync task is not counted as a sync task for this config value.
// Nothing to do if the start_slot is not less than the end of the immutable chain.
if self.start_slot < self.immutable_tip_slot {
// Will also break if there are no more slots left to sync.
while self.current_sync_tasks < self.cfg.sync_tasks {
let end_slot = self
.immutable_tip_slot
.min(self.start_slot + self.cfg.sync_chunk_max_slots);
if let Some((first_point, last_point)) =
self.get_syncable_range(self.start_slot, end_slot)
{
self.sync_tasks.push(sync_subchain(SyncParams::new(
self.cfg.chain,
first_point,
last_point.clone(),
)));
self.current_sync_tasks += 1;
}
// The one slot overlap is deliberate, it doesn't hurt anything and prevents all off
// by one problems that may occur otherwise.
self.start_slot = end_slot;
if end_slot == self.immutable_tip_slot {
break;
}
}
// `start_slot` is still used, because it is used to keep syncing chunks as required
// while each immutable sync task finishes.
info!(chain=%self.cfg.chain, tasks=self.current_sync_tasks, until=self.start_slot, "Persistent Indexing DB tasks started");
}
}
/// Check if the requested range has already been indexed.
/// If it hasn't just return the slots as points.
/// If it has, return a subset that hasn't been indexed if any, or None if its been
/// completely indexed already.
fn get_syncable_range(&self, start: u64, end: u64) -> Option<(Point, Point)> {
for sync_block in &self.sync_status {
// Check if we start within a previously synchronized block.
if start >= sync_block.start_slot && start <= sync_block.end_slot {
// Check if we are fully contained by the sync block, if so, nothing to sync.
if end <= sync_block.end_slot {
return None;
}
// In theory, we could extend into another sync block, but because we could extend
// into an unbounded number of sync blocks, we would need to bust
// this range into an unbounded number of sub chunks.
// It is not a problem to sync the same data mutiple times, so for simplicity we do
// not account for this, if the requested range goes beyond the sync
// block it starts within we assume that the rest is not synced.
return Some((
cardano_chain_follower::Point::fuzzy(sync_block.end_slot),
cardano_chain_follower::Point::fuzzy(end),
));
}
}
let start_slot = if start == 0 {
ORIGIN_POINT
} else {
cardano_chain_follower::Point::fuzzy(start)
};
Some((start_slot, cardano_chain_follower::Point::fuzzy(end)))
}
}
/// Start followers as per defined in the config
pub(crate) async fn start_followers() -> anyhow::Result<()> {
let cfg = Settings::follower_cfg();
// Log the chain follower configuration.
cfg.log();
// Start Syncing the blockchain, so we can consume its data as required.
start_sync_for(&cfg).await?;
info!(chain=%cfg.chain,"Chain Sync is started.");
tokio::spawn(async move {
let mut sync_task = SyncTask::new(cfg);
sync_task.run().await;
});
Ok(())
}