|
| 1 | +//! State versioning and migration system |
| 2 | +//! |
| 3 | +//! This module provides backward-compatible state serialization with automatic |
| 4 | +//! migration support. When ChainState structure changes between versions, |
| 5 | +//! old data can still be loaded and migrated to the current format. |
| 6 | +//! |
| 7 | +//! # Usage |
| 8 | +//! |
| 9 | +//! Instead of directly serializing/deserializing ChainState, use: |
| 10 | +//! - `VersionedState::from_state()` to wrap a ChainState for serialization |
| 11 | +//! - `VersionedState::into_state()` to get the migrated ChainState |
| 12 | +//! |
| 13 | +//! # Adding a new version |
| 14 | +//! |
| 15 | +//! 1. Increment `CURRENT_STATE_VERSION` |
| 16 | +//! 2. Keep the old `ChainStateVX` struct as-is (rename current to VX) |
| 17 | +//! 3. Create new `ChainState` with your changes |
| 18 | +//! 4. Implement migration in `migrate_state()` |
| 19 | +//! 5. Add `#[serde(default)]` to any new fields |
| 20 | +
|
| 21 | +use crate::{ |
| 22 | + BlockHeight, Challenge, ChallengeContainerConfig, ChallengeId, ChallengeWeightAllocation, |
| 23 | + Hotkey, Job, MechanismWeightConfig, NetworkConfig, Result, Stake, ValidatorInfo, |
| 24 | +}; |
| 25 | +use serde::{Deserialize, Serialize}; |
| 26 | +use std::collections::{HashMap, HashSet}; |
| 27 | +use tracing::{info, warn}; |
| 28 | + |
| 29 | +/// Current state version - increment when ChainState structure changes |
| 30 | +pub const CURRENT_STATE_VERSION: u32 = 2; |
| 31 | + |
| 32 | +/// Minimum supported version for migration |
| 33 | +pub const MIN_SUPPORTED_VERSION: u32 = 1; |
| 34 | + |
| 35 | +/// Versioned state wrapper for serialization |
| 36 | +/// |
| 37 | +/// This wrapper allows us to detect the version of serialized state and |
| 38 | +/// migrate it to the current format automatically. |
| 39 | +#[derive(Clone, Debug, Serialize, Deserialize)] |
| 40 | +pub struct VersionedState { |
| 41 | + /// State format version |
| 42 | + pub version: u32, |
| 43 | + /// Serialized state data (version-specific format) |
| 44 | + pub data: Vec<u8>, |
| 45 | +} |
| 46 | + |
| 47 | +impl VersionedState { |
| 48 | + /// Create a versioned state from current ChainState |
| 49 | + pub fn from_state(state: &crate::ChainState) -> Result<Self> { |
| 50 | + let data = bincode::serialize(state) |
| 51 | + .map_err(|e| crate::MiniChainError::Serialization(e.to_string()))?; |
| 52 | + Ok(Self { |
| 53 | + version: CURRENT_STATE_VERSION, |
| 54 | + data, |
| 55 | + }) |
| 56 | + } |
| 57 | + |
| 58 | + /// Deserialize and migrate to current ChainState |
| 59 | + pub fn into_state(self) -> Result<crate::ChainState> { |
| 60 | + if self.version == CURRENT_STATE_VERSION { |
| 61 | + // Current version - deserialize directly |
| 62 | + bincode::deserialize(&self.data) |
| 63 | + .map_err(|e| crate::MiniChainError::Serialization(e.to_string())) |
| 64 | + } else if self.version >= MIN_SUPPORTED_VERSION { |
| 65 | + // Old version - migrate |
| 66 | + info!( |
| 67 | + "Migrating state from version {} to {}", |
| 68 | + self.version, CURRENT_STATE_VERSION |
| 69 | + ); |
| 70 | + migrate_state(self.version, &self.data) |
| 71 | + } else { |
| 72 | + Err(crate::MiniChainError::Serialization(format!( |
| 73 | + "State version {} is too old (minimum supported: {})", |
| 74 | + self.version, MIN_SUPPORTED_VERSION |
| 75 | + ))) |
| 76 | + } |
| 77 | + } |
| 78 | +} |
| 79 | + |
| 80 | +// ============================================================================ |
| 81 | +// Version 1 State (original format, before registered_hotkeys) |
| 82 | +// ============================================================================ |
| 83 | + |
| 84 | +/// ChainState V1 - original format without registered_hotkeys |
| 85 | +#[derive(Clone, Debug, Serialize, Deserialize)] |
| 86 | +pub struct ChainStateV1 { |
| 87 | + pub block_height: BlockHeight, |
| 88 | + pub epoch: u64, |
| 89 | + pub config: NetworkConfig, |
| 90 | + pub sudo_key: Hotkey, |
| 91 | + pub validators: HashMap<Hotkey, ValidatorInfo>, |
| 92 | + pub challenges: HashMap<ChallengeId, Challenge>, |
| 93 | + pub challenge_configs: HashMap<ChallengeId, ChallengeContainerConfig>, |
| 94 | + pub mechanism_configs: HashMap<u8, MechanismWeightConfig>, |
| 95 | + pub challenge_weights: HashMap<ChallengeId, ChallengeWeightAllocation>, |
| 96 | + pub required_version: Option<crate::RequiredVersion>, |
| 97 | + pub pending_jobs: Vec<Job>, |
| 98 | + pub state_hash: [u8; 32], |
| 99 | + pub last_updated: chrono::DateTime<chrono::Utc>, |
| 100 | + // V1 did NOT have registered_hotkeys |
| 101 | +} |
| 102 | + |
| 103 | +impl ChainStateV1 { |
| 104 | + /// Migrate V1 to current ChainState |
| 105 | + pub fn migrate(self) -> crate::ChainState { |
| 106 | + crate::ChainState { |
| 107 | + block_height: self.block_height, |
| 108 | + epoch: self.epoch, |
| 109 | + config: self.config, |
| 110 | + sudo_key: self.sudo_key, |
| 111 | + validators: self.validators, |
| 112 | + challenges: self.challenges, |
| 113 | + challenge_configs: self.challenge_configs, |
| 114 | + mechanism_configs: self.mechanism_configs, |
| 115 | + challenge_weights: self.challenge_weights, |
| 116 | + required_version: self.required_version, |
| 117 | + pending_jobs: self.pending_jobs, |
| 118 | + state_hash: self.state_hash, |
| 119 | + last_updated: self.last_updated, |
| 120 | + // New field in V2 - initialize empty, will be populated from metagraph |
| 121 | + registered_hotkeys: HashSet::new(), |
| 122 | + } |
| 123 | + } |
| 124 | +} |
| 125 | + |
| 126 | +// ============================================================================ |
| 127 | +// Migration Logic |
| 128 | +// ============================================================================ |
| 129 | + |
| 130 | +/// Migrate state from an old version to current |
| 131 | +fn migrate_state(version: u32, data: &[u8]) -> Result<crate::ChainState> { |
| 132 | + match version { |
| 133 | + 1 => { |
| 134 | + // V1 -> V2: Add registered_hotkeys field |
| 135 | + let v1: ChainStateV1 = bincode::deserialize(data) |
| 136 | + .map_err(|e| crate::MiniChainError::Serialization(format!("V1 migration failed: {}", e)))?; |
| 137 | + info!( |
| 138 | + "Migrated state V1->V2: block_height={}, validators={}", |
| 139 | + v1.block_height, |
| 140 | + v1.validators.len() |
| 141 | + ); |
| 142 | + Ok(v1.migrate()) |
| 143 | + } |
| 144 | + _ => Err(crate::MiniChainError::Serialization(format!( |
| 145 | + "Unknown state version: {}", |
| 146 | + version |
| 147 | + ))), |
| 148 | + } |
| 149 | +} |
| 150 | + |
| 151 | +// ============================================================================ |
| 152 | +// Smart Deserialization (tries versioned first, then raw, then legacy) |
| 153 | +// ============================================================================ |
| 154 | + |
| 155 | +/// Deserialize state with automatic version detection and migration |
| 156 | +/// |
| 157 | +/// This function tries multiple strategies to load state: |
| 158 | +/// 1. Try as VersionedState (new format with version header) |
| 159 | +/// 2. Try as current ChainState directly (for states saved without version) |
| 160 | +/// 3. Try as ChainStateV1 (legacy format) |
| 161 | +/// 4. Return error if all fail |
| 162 | +pub fn deserialize_state_smart(data: &[u8]) -> Result<crate::ChainState> { |
| 163 | + // Strategy 1: Try as VersionedState (preferred format) |
| 164 | + if let Ok(versioned) = bincode::deserialize::<VersionedState>(data) { |
| 165 | + return versioned.into_state(); |
| 166 | + } |
| 167 | + |
| 168 | + // Strategy 2: Try as current ChainState (unversioned but current format) |
| 169 | + if let Ok(state) = bincode::deserialize::<crate::ChainState>(data) { |
| 170 | + info!("Loaded unversioned state (current format)"); |
| 171 | + return Ok(state); |
| 172 | + } |
| 173 | + |
| 174 | + // Strategy 3: Try as V1 (legacy format without registered_hotkeys) |
| 175 | + if let Ok(v1) = bincode::deserialize::<ChainStateV1>(data) { |
| 176 | + warn!("Loaded legacy V1 state, migrating..."); |
| 177 | + return Ok(v1.migrate()); |
| 178 | + } |
| 179 | + |
| 180 | + // All strategies failed |
| 181 | + Err(crate::MiniChainError::Serialization( |
| 182 | + "Failed to deserialize state: incompatible format".to_string(), |
| 183 | + )) |
| 184 | +} |
| 185 | + |
| 186 | +/// Serialize state with version header |
| 187 | +pub fn serialize_state_versioned(state: &crate::ChainState) -> Result<Vec<u8>> { |
| 188 | + let versioned = VersionedState::from_state(state)?; |
| 189 | + bincode::serialize(&versioned) |
| 190 | + .map_err(|e| crate::MiniChainError::Serialization(e.to_string())) |
| 191 | +} |
| 192 | + |
| 193 | +// ============================================================================ |
| 194 | +// Tests |
| 195 | +// ============================================================================ |
| 196 | + |
| 197 | +#[cfg(test)] |
| 198 | +mod tests { |
| 199 | + use super::*; |
| 200 | + use crate::{Keypair, NetworkConfig}; |
| 201 | + |
| 202 | + fn create_test_state() -> crate::ChainState { |
| 203 | + let sudo = Keypair::generate(); |
| 204 | + crate::ChainState::new(sudo.hotkey(), NetworkConfig::default()) |
| 205 | + } |
| 206 | + |
| 207 | + #[test] |
| 208 | + fn test_versioned_roundtrip() { |
| 209 | + let original = create_test_state(); |
| 210 | + |
| 211 | + // Serialize with version |
| 212 | + let data = serialize_state_versioned(&original).unwrap(); |
| 213 | + |
| 214 | + // Deserialize |
| 215 | + let loaded = deserialize_state_smart(&data).unwrap(); |
| 216 | + |
| 217 | + assert_eq!(original.block_height, loaded.block_height); |
| 218 | + assert_eq!(original.epoch, loaded.epoch); |
| 219 | + } |
| 220 | + |
| 221 | + #[test] |
| 222 | + fn test_v1_migration() { |
| 223 | + // Create a V1 state |
| 224 | + let sudo = Keypair::generate(); |
| 225 | + let v1 = ChainStateV1 { |
| 226 | + block_height: 100, |
| 227 | + epoch: 5, |
| 228 | + config: NetworkConfig::default(), |
| 229 | + sudo_key: sudo.hotkey(), |
| 230 | + validators: HashMap::new(), |
| 231 | + challenges: HashMap::new(), |
| 232 | + challenge_configs: HashMap::new(), |
| 233 | + mechanism_configs: HashMap::new(), |
| 234 | + challenge_weights: HashMap::new(), |
| 235 | + required_version: None, |
| 236 | + pending_jobs: Vec::new(), |
| 237 | + state_hash: [0u8; 32], |
| 238 | + last_updated: chrono::Utc::now(), |
| 239 | + }; |
| 240 | + |
| 241 | + // Serialize as V1 |
| 242 | + let v1_data = bincode::serialize(&v1).unwrap(); |
| 243 | + |
| 244 | + // Wrap in VersionedState with version 1 |
| 245 | + let versioned = VersionedState { |
| 246 | + version: 1, |
| 247 | + data: v1_data, |
| 248 | + }; |
| 249 | + let versioned_bytes = bincode::serialize(&versioned).unwrap(); |
| 250 | + |
| 251 | + // Load and migrate |
| 252 | + let migrated = deserialize_state_smart(&versioned_bytes).unwrap(); |
| 253 | + |
| 254 | + assert_eq!(migrated.block_height, 100); |
| 255 | + assert_eq!(migrated.epoch, 5); |
| 256 | + assert!(migrated.registered_hotkeys.is_empty()); // New field initialized |
| 257 | + } |
| 258 | + |
| 259 | + #[test] |
| 260 | + fn test_legacy_v1_direct() { |
| 261 | + // Test loading raw V1 data (no version wrapper) |
| 262 | + let sudo = Keypair::generate(); |
| 263 | + let v1 = ChainStateV1 { |
| 264 | + block_height: 50, |
| 265 | + epoch: 2, |
| 266 | + config: NetworkConfig::default(), |
| 267 | + sudo_key: sudo.hotkey(), |
| 268 | + validators: HashMap::new(), |
| 269 | + challenges: HashMap::new(), |
| 270 | + challenge_configs: HashMap::new(), |
| 271 | + mechanism_configs: HashMap::new(), |
| 272 | + challenge_weights: HashMap::new(), |
| 273 | + required_version: None, |
| 274 | + pending_jobs: Vec::new(), |
| 275 | + state_hash: [0u8; 32], |
| 276 | + last_updated: chrono::Utc::now(), |
| 277 | + }; |
| 278 | + |
| 279 | + // Serialize raw V1 (no version wrapper) |
| 280 | + let raw_v1 = bincode::serialize(&v1).unwrap(); |
| 281 | + |
| 282 | + // Smart deserialize should detect and migrate |
| 283 | + let migrated = deserialize_state_smart(&raw_v1).unwrap(); |
| 284 | + |
| 285 | + assert_eq!(migrated.block_height, 50); |
| 286 | + } |
| 287 | + |
| 288 | + #[test] |
| 289 | + fn test_version_constants() { |
| 290 | + assert!(CURRENT_STATE_VERSION >= MIN_SUPPORTED_VERSION); |
| 291 | + assert_eq!(CURRENT_STATE_VERSION, 2); |
| 292 | + } |
| 293 | +} |
0 commit comments