Skip to content

Commit cfa79f1

Browse files
committedFeb 17, 2025
Build a trust anchors file with --build-anchors option
1 parent 522581b commit cfa79f1

File tree

5 files changed

+210
-76
lines changed

5 files changed

+210
-76
lines changed
 

‎client/src/bin/spaced.rs

+4-1
Original file line numberDiff line numberDiff line change
@@ -1,3 +1,4 @@
1+
use std::path::PathBuf;
12
use std::sync::Arc;
23

34
use anyhow::anyhow;
@@ -83,6 +84,7 @@ impl Composer {
8384

8485
let (async_chain_state, async_chain_state_handle) = create_async_store(
8586
spaced.rpc.clone(),
87+
spaced.anchors_path.clone(),
8688
spaced.chain.state.clone(),
8789
spaced.block_index.as_ref().map(|index| index.state.clone()),
8890
self.shutdown.subscribe(),
@@ -142,6 +144,7 @@ impl Composer {
142144

143145
async fn create_async_store(
144146
rpc: BitcoinRpc,
147+
anchors: Option<PathBuf>,
145148
chain_state: LiveSnapshot,
146149
block_index: Option<LiveSnapshot>,
147150
shutdown: broadcast::Receiver<()>,
@@ -150,7 +153,7 @@ async fn create_async_store(
150153
let async_store = AsyncChainState::new(tx);
151154
let client = reqwest::Client::new();
152155
let handle = tokio::spawn(async move {
153-
AsyncChainState::handler(&client, rpc, chain_state, block_index, rx, shutdown).await
156+
AsyncChainState::handler(&client, rpc, anchors, chain_state, block_index, rx, shutdown).await
154157
});
155158
(async_store, handle)
156159
}

‎client/src/config.rs

+9
Original file line numberDiff line numberDiff line change
@@ -76,6 +76,9 @@ pub struct Args {
7676
/// Index blocks including the full transaction data
7777
#[arg(long, env = "SPACED_BLOCK_INDEX_FULL", default_value = "false")]
7878
block_index_full: bool,
79+
/// Whether to maintain a trust anchors file
80+
#[arg(long, env = "SPACED_BUILD_ANCHORS", default_value = "false")]
81+
build_anchors: bool,
7982
}
8083

8184
#[derive(Copy, Clone, PartialEq, Eq, PartialOrd, Ord, Debug, ValueEnum, Serialize, Deserialize)]
@@ -176,6 +179,10 @@ impl Args {
176179
store: chain_store,
177180
};
178181

182+
let build_anchors = match args.build_anchors {
183+
true => Some(data_dir.join("trust_anchors.json")),
184+
false => None,
185+
};
179186
let block_index_enabled = args.block_index || args.block_index_full;
180187
let block_index = if block_index_enabled {
181188
let block_db_path = data_dir.join("block_index.sdb");
@@ -212,6 +219,8 @@ impl Args {
212219
block_index,
213220
block_index_full: args.block_index_full,
214221
num_workers: args.jobs as usize,
222+
anchors_path: build_anchors,
223+
synced: false,
215224
})
216225
}
217226

‎client/src/rpc.rs

+109-55
Original file line numberDiff line numberDiff line change
@@ -1,7 +1,7 @@
11
use std::{
22
collections::BTreeMap, fs, io::Write, net::SocketAddr, path::PathBuf, str::FromStr, sync::Arc,
33
};
4-
4+
use std::fs::File;
55
use anyhow::{anyhow, Context};
66
use base64::Engine;
77
use bdk::{
@@ -18,21 +18,12 @@ use jsonrpsee::{core::async_trait, proc_macros::rpc, server::Server, types::Erro
1818
use log::info;
1919
use serde::{Deserialize, Deserializer, Serialize, Serializer};
2020
use spacedb::{encode::SubTreeEncoder, tx::ProofType};
21-
use spaces_protocol::{
22-
bitcoin,
23-
bitcoin::{
24-
bip32::Xpriv,
25-
secp256k1,
26-
Network::{Regtest, Testnet},
27-
OutPoint,
28-
},
29-
constants::ChainAnchor,
30-
hasher::{BaseHash, KeyHasher, OutpointKey, SpaceKey},
31-
prepare::DataSource,
32-
slabel::SLabel,
33-
validate::TxChangeSet,
34-
Bytes, FullSpaceOut, SpaceOut,
35-
};
21+
use spaces_protocol::{bitcoin, bitcoin::{
22+
bip32::Xpriv,
23+
secp256k1,
24+
Network::{Regtest, Testnet},
25+
OutPoint,
26+
}, constants::ChainAnchor, hasher::{BaseHash, KeyHasher, OutpointKey, SpaceKey}, prepare::DataSource, slabel::SLabel, validate::TxChangeSet, Bytes, Covenant, FullSpaceOut, SpaceOut};
3627
use spaces_wallet::{
3728
bdk_wallet as bdk, bdk_wallet::template::Bip86, bitcoin::hashes::Hash as BitcoinHash,
3829
export::WalletExport, Balance, DoubleUtxo, Listing, SpacesWallet, WalletConfig,
@@ -55,6 +46,7 @@ use crate::{
5546
WalletResponse,
5647
},
5748
};
49+
use crate::sync::{TRUST_ANCHORS_COUNT, COMMIT_BLOCK_INTERVAL};
5850

5951
pub(crate) type Responder<T> = oneshot::Sender<T>;
6052

@@ -77,9 +69,8 @@ pub struct TrustAnchor {
7769
serialize_with = "serialize_hash",
7870
deserialize_with = "deserialize_hash"
7971
)]
80-
pub state_root: spaces_protocol::hasher::Hash,
81-
pub block_hash: BlockHash,
82-
pub block_height: u32,
72+
pub root: spaces_protocol::hasher::Hash,
73+
pub block: ChainAnchor
8374
}
8475

8576
pub enum ChainStateCommand {
@@ -94,7 +85,6 @@ pub enum ChainStateCommand {
9485
hash: SpaceKey,
9586
resp: Responder<anyhow::Result<Option<FullSpaceOut>>>,
9687
},
97-
9888
GetSpaceout {
9989
outpoint: OutPoint,
10090
resp: Responder<anyhow::Result<Option<SpaceOut>>>,
@@ -129,14 +119,15 @@ pub enum ChainStateCommand {
129119
},
130120
ProveSpaceout {
131121
outpoint: OutPoint,
122+
oldest: bool,
132123
resp: Responder<anyhow::Result<ProofResult>>,
133124
},
134125
ProveSpaceOutpoint {
135126
space_or_hash: String,
136127
resp: Responder<anyhow::Result<ProofResult>>,
137128
},
138-
GetAnchor {
139-
resp: Responder<anyhow::Result<TrustAnchor>>,
129+
GetTrustAnchors {
130+
resp: Responder<anyhow::Result<Vec<TrustAnchor>>>,
140131
},
141132
}
142133

@@ -256,16 +247,16 @@ pub trait Rpc {
256247
async fn verify_listing(&self, listing: Listing) -> Result<(), ErrorObjectOwned>;
257248

258249
#[method(name = "provespaceout")]
259-
async fn prove_spaceout(&self, outpoint: OutPoint) -> Result<ProofResult, ErrorObjectOwned>;
250+
async fn prove_spaceout(&self, outpoint: OutPoint, oldest: bool) -> Result<ProofResult, ErrorObjectOwned>;
260251

261252
#[method(name = "provespaceoutpoint")]
262253
async fn prove_space_outpoint(
263254
&self,
264255
space_or_hash: &str,
265256
) -> Result<ProofResult, ErrorObjectOwned>;
266257

267-
#[method(name = "getanchor")]
268-
async fn get_anchor(&self) -> Result<TrustAnchor, ErrorObjectOwned>;
258+
#[method(name = "gettrustanchors")]
259+
async fn get_trust_anchors(&self) -> Result<Vec<TrustAnchor>, ErrorObjectOwned>;
269260

270261
#[method(name = "walletlisttransactions")]
271262
async fn wallet_list_transactions(
@@ -384,13 +375,15 @@ pub struct RpcServerImpl {
384375
}
385376

386377
#[derive(Clone, Serialize, Deserialize)]
387-
pub struct ProofResult(
378+
pub struct ProofResult {
379+
root: Bytes,
388380
#[serde(
389381
serialize_with = "serialize_base64",
390382
deserialize_with = "deserialize_base64"
391383
)]
392-
Vec<u8>,
393-
);
384+
proof: Vec<u8>,
385+
386+
}
394387

395388
fn serialize_base64<S>(bytes: &Vec<u8>, serializer: S) -> Result<S::Ok, S::Error>
396389
where
@@ -960,9 +953,9 @@ impl RpcServer for RpcServerImpl {
960953
.map_err(|error| ErrorObjectOwned::owned(-1, error.to_string(), None::<String>))
961954
}
962955

963-
async fn prove_spaceout(&self, outpoint: OutPoint) -> Result<ProofResult, ErrorObjectOwned> {
956+
async fn prove_spaceout(&self, outpoint: OutPoint, oldest: bool) -> Result<ProofResult, ErrorObjectOwned> {
964957
self.store
965-
.prove_spaceout(outpoint)
958+
.prove_spaceout(outpoint, oldest)
966959
.await
967960
.map_err(|error| ErrorObjectOwned::owned(-1, error.to_string(), None::<String>))
968961
}
@@ -977,9 +970,9 @@ impl RpcServer for RpcServerImpl {
977970
.map_err(|error| ErrorObjectOwned::owned(-1, error.to_string(), None::<String>))
978971
}
979972

980-
async fn get_anchor(&self) -> Result<TrustAnchor, ErrorObjectOwned> {
973+
async fn get_trust_anchors(&self) -> Result<Vec<TrustAnchor>, ErrorObjectOwned> {
981974
self.store
982-
.get_anchor()
975+
.get_trust_anchors()
983976
.await
984977
.map_err(|error| ErrorObjectOwned::owned(-1, error.to_string(), None::<String>))
985978
}
@@ -1124,6 +1117,7 @@ impl AsyncChainState {
11241117
pub async fn handle_command(
11251118
client: &reqwest::Client,
11261119
rpc: &BitcoinRpc,
1120+
anchors_path: &Option<PathBuf>,
11271121
chain_state: &mut LiveSnapshot,
11281122
block_index: &mut Option<LiveSnapshot>,
11291123
cmd: ChainStateCommand,
@@ -1196,11 +1190,11 @@ impl AsyncChainState {
11961190
msg.message.as_slice(),
11971191
&msg.signature,
11981192
)
1199-
.map(|_| ()),
1193+
.map(|_| ()),
12001194
);
12011195
}
1202-
ChainStateCommand::ProveSpaceout { outpoint, resp } => {
1203-
_ = resp.send(Self::handle_prove_spaceout(chain_state, outpoint));
1196+
ChainStateCommand::ProveSpaceout { oldest, outpoint, resp } => {
1197+
_ = resp.send(Self::handle_prove_spaceout(chain_state, outpoint, oldest));
12041198
}
12051199
ChainStateCommand::ProveSpaceOutpoint {
12061200
space_or_hash,
@@ -1211,21 +1205,30 @@ impl AsyncChainState {
12111205
&space_or_hash,
12121206
));
12131207
}
1214-
ChainStateCommand::GetAnchor { resp } => {
1215-
_ = resp.send(Self::handle_get_anchor(chain_state));
1208+
ChainStateCommand::GetTrustAnchors { resp } => {
1209+
_ = resp.send(Self::handle_get_anchor(anchors_path, chain_state));
12161210
}
12171211
}
12181212
}
12191213

1220-
fn handle_get_anchor(state: &mut LiveSnapshot) -> anyhow::Result<TrustAnchor> {
1214+
fn handle_get_anchor(anchors_path: &Option<PathBuf>, state: &mut LiveSnapshot) -> anyhow::Result<Vec<TrustAnchor>> {
1215+
if let Some(anchors_path) = anchors_path {
1216+
let anchors: Vec<TrustAnchor> = serde_json::from_reader(File::open(anchors_path)
1217+
.or_else(|e| Err(anyhow!("Could not open anchors file: {}", e)))?)
1218+
.or_else(|e| Err(anyhow!("Could not read anchors file: {}", e)))?;
1219+
return Ok(anchors);
1220+
}
1221+
12211222
let snapshot = state.inner()?;
12221223
let root = snapshot.compute_root()?;
12231224
let meta: ChainAnchor = snapshot.metadata().try_into()?;
1224-
Ok(TrustAnchor {
1225-
state_root: root,
1226-
block_hash: meta.hash,
1227-
block_height: meta.height,
1228-
})
1225+
Ok(vec![TrustAnchor {
1226+
root,
1227+
block: ChainAnchor {
1228+
hash: meta.hash,
1229+
height: meta.height,
1230+
},
1231+
}])
12291232
}
12301233

12311234
fn handle_prove_space_outpoint(
@@ -1236,37 +1239,88 @@ impl AsyncChainState {
12361239
let snapshot = state.inner()?;
12371240

12381241
// warm up hash cache
1239-
_ = snapshot.compute_root()?;
1242+
let root = snapshot.compute_root()?;
12401243
let proof = snapshot.prove(&[key.into()], ProofType::Standard)?;
12411244

12421245
let mut buf = vec![0u8; 4096];
12431246
let offset = proof.write_to_slice(&mut buf)?;
12441247
buf.truncate(offset);
12451248

1246-
Ok(ProofResult(buf))
1249+
Ok(ProofResult{ proof: buf, root: Bytes::new(root.to_vec()) })
1250+
}
1251+
1252+
/// Determines the optimal snapshot block height for creating a Merkle proof.
1253+
///
1254+
/// This function finds a suitable historical snapshot that:
1255+
/// 1. Is not older than when the space was last updated.
1256+
/// 2. Falls within [TRUST_ANCHORS_COUNT] range (for proof verification)
1257+
/// 3. Skips the oldest trust anchors to prevent the proof from becoming stale too quickly.
1258+
///
1259+
/// Parameters:
1260+
/// - last_update: Block height when the space was last updated
1261+
/// - tip: Current blockchain tip height
1262+
///
1263+
/// Returns: Target block height aligned to [COMMIT_BLOCK_INTERVAL]
1264+
fn compute_target_snapshot(last_update: u32, tip: u32) -> u32 {
1265+
const SAFETY_MARGIN: u32 = 8; // Skip oldest trust anchors to prevent proof staleness
1266+
const USABLE_ANCHORS: u32 = TRUST_ANCHORS_COUNT - SAFETY_MARGIN;
1267+
1268+
// Align block heights to commit intervals
1269+
let last_update_aligned = last_update.div_ceil(COMMIT_BLOCK_INTERVAL)
1270+
* COMMIT_BLOCK_INTERVAL;
1271+
let current_tip_aligned = (tip / COMMIT_BLOCK_INTERVAL)
1272+
* COMMIT_BLOCK_INTERVAL;
1273+
1274+
// Calculate the oldest allowed snapshot while maintaining safety margin
1275+
let lookback_window = USABLE_ANCHORS * COMMIT_BLOCK_INTERVAL;
1276+
let oldest_allowed_snapshot = current_tip_aligned.saturating_sub(lookback_window);
1277+
1278+
// Choose the most recent of last update or oldest allowed snapshot
1279+
// to ensure both data freshness and proof verifiability
1280+
std::cmp::max(last_update_aligned, oldest_allowed_snapshot)
12471281
}
12481282

12491283
fn handle_prove_spaceout(
12501284
state: &mut LiveSnapshot,
12511285
outpoint: OutPoint,
1286+
oldest: bool,
12521287
) -> anyhow::Result<ProofResult> {
12531288
let key = OutpointKey::from_outpoint::<Sha256>(outpoint);
1254-
let snapshot = state.inner()?;
12551289

1256-
// warm up hash cache
1257-
_ = snapshot.compute_root()?;
1258-
let proof = snapshot.prove(&[key.into()], ProofType::Standard)?;
1290+
let proof = if oldest {
1291+
let spaceout = match state.get_spaceout(&outpoint)? {
1292+
Some(spaceot) => spaceot,
1293+
None => return Err(anyhow!("Cannot find older proofs for a non-existent utxo (try with oldest: false)")),
1294+
};
1295+
let target_snapshot = match spaceout.space.as_ref() {
1296+
None => return Ok(ProofResult { proof: vec![], root: Bytes::new(vec![]) }),
1297+
Some(space) => match space.covenant {
1298+
Covenant::Transfer { expire_height, .. } => {
1299+
let tip = state.tip.read().expect("read lock").height;
1300+
let last_update = expire_height.saturating_sub(spaces_protocol::constants::RENEWAL_INTERVAL);
1301+
Self::compute_target_snapshot(last_update, tip)
1302+
},
1303+
_ => return Err(anyhow!("Cannot find older proofs for a non-registered space (try with oldest: false)")),
1304+
}
1305+
};
1306+
state.prove_with_snapshot(&[key.into()], target_snapshot)?
1307+
} else {
1308+
let snapshot = state.inner()?;
1309+
snapshot.prove(&[key.into()], ProofType::Standard)?
1310+
};
12591311

1312+
let root = proof.compute_root()?.to_vec();
12601313
let mut buf = vec![0u8; 4096];
12611314
let offset = proof.write_to_slice(&mut buf)?;
12621315
buf.truncate(offset);
12631316

1264-
Ok(ProofResult(buf))
1317+
Ok(ProofResult { proof: buf, root:Bytes::new(root)})
12651318
}
12661319

12671320
pub async fn handler(
12681321
client: &reqwest::Client,
12691322
rpc: BitcoinRpc,
1323+
anchors_path: Option<PathBuf>,
12701324
mut chain_state: LiveSnapshot,
12711325
mut block_index: Option<LiveSnapshot>,
12721326
mut rx: mpsc::Receiver<ChainStateCommand>,
@@ -1278,7 +1332,7 @@ impl AsyncChainState {
12781332
break;
12791333
}
12801334
Some(cmd) = rx.recv() => {
1281-
Self::handle_command(client, &rpc, &mut chain_state, &mut block_index, cmd).await;
1335+
Self::handle_command(client, &rpc, &anchors_path, &mut chain_state, &mut block_index, cmd).await;
12821336
}
12831337
}
12841338
}
@@ -1310,10 +1364,10 @@ impl AsyncChainState {
13101364
resp_rx.await?
13111365
}
13121366

1313-
pub async fn prove_spaceout(&self, outpoint: OutPoint) -> anyhow::Result<ProofResult> {
1367+
pub async fn prove_spaceout(&self, outpoint: OutPoint, oldest: bool) -> anyhow::Result<ProofResult> {
13141368
let (resp, resp_rx) = oneshot::channel();
13151369
self.sender
1316-
.send(ChainStateCommand::ProveSpaceout { outpoint, resp })
1370+
.send(ChainStateCommand::ProveSpaceout { outpoint, oldest, resp })
13171371
.await?;
13181372
resp_rx.await?
13191373
}
@@ -1329,10 +1383,10 @@ impl AsyncChainState {
13291383
resp_rx.await?
13301384
}
13311385

1332-
pub async fn get_anchor(&self) -> anyhow::Result<TrustAnchor> {
1386+
pub async fn get_trust_anchors(&self) -> anyhow::Result<Vec<TrustAnchor>> {
13331387
let (resp, resp_rx) = oneshot::channel();
13341388
self.sender
1335-
.send(ChainStateCommand::GetAnchor { resp })
1389+
.send(ChainStateCommand::GetTrustAnchors { resp })
13361390
.await?;
13371391
resp_rx.await?
13381392
}

‎client/src/store.rs

+57-18
Original file line numberDiff line numberDiff line change
@@ -1,14 +1,7 @@
1-
use std::{
2-
collections::{BTreeMap, BTreeSet},
3-
fs::OpenOptions,
4-
io,
5-
io::ErrorKind,
6-
mem,
7-
path::PathBuf,
8-
sync::{Arc, RwLock},
9-
};
10-
11-
use anyhow::{Context, Result};
1+
use std::{collections::{BTreeMap, BTreeSet}, fs, fs::OpenOptions, io, io::ErrorKind, mem, path::PathBuf, sync::{Arc, RwLock}};
2+
use std::collections::HashMap;
3+
use std::path::Path;
4+
use anyhow::{anyhow, Context, Result};
125
use bincode::{config, Decode, Encode};
136
use jsonrpsee::core::Serialize;
147
use serde::Deserialize;
@@ -18,13 +11,10 @@ use spacedb::{
1811
tx::{KeyIterator, ReadTransaction, WriteTransaction},
1912
Configuration, Hash, NodeHasher, Sha256Hasher,
2013
};
21-
use spaces_protocol::{
22-
bitcoin::{BlockHash, OutPoint},
23-
constants::{ChainAnchor, ROLLOUT_BATCH_SIZE},
24-
hasher::{BidKey, KeyHash, OutpointKey, SpaceKey},
25-
prepare::DataSource,
26-
Covenant, FullSpaceOut, SpaceOut,
27-
};
14+
use spacedb::subtree::SubTree;
15+
use spacedb::tx::ProofType;
16+
use spaces_protocol::{bitcoin::{BlockHash, OutPoint}, constants::{ChainAnchor, ROLLOUT_BATCH_SIZE}, hasher::{BidKey, KeyHash, OutpointKey, SpaceKey}, prepare::DataSource, Covenant, FullSpaceOut, SpaceOut};
17+
use crate::rpc::TrustAnchor;
2818

2919
#[derive(Debug, Clone, Serialize, Deserialize)]
3020
pub struct RolloutEntry {
@@ -63,6 +53,7 @@ pub struct Staged {
6353
memory: WriteMemory,
6454
}
6555

56+
6657
impl Store {
6758
pub fn open(path: PathBuf) -> Result<Self> {
6859
let db = Self::open_db(path)?;
@@ -93,6 +84,38 @@ impl Store {
9384
Ok(self.0.begin_write()?)
9485
}
9586

87+
pub fn update_anchors(&self, file_path: &Path, count: u32) -> Result<Vec<TrustAnchor>> {
88+
let previous: Vec<TrustAnchor> = match fs::read(file_path) {
89+
Ok(bytes) => serde_json::from_slice(&bytes)?,
90+
Err(e) if e.kind() == io::ErrorKind::NotFound => Vec::new(),
91+
Err(e) => return Err(e.into()),
92+
};
93+
let prev_map: HashMap<(BlockHash, u32), TrustAnchor> = previous
94+
.into_iter()
95+
.map(|anchor| ((anchor.block.hash, anchor.block.height), anchor))
96+
.collect();
97+
98+
let mut anchors = Vec::new();
99+
for snap in self.0.iter().take(count as _) {
100+
let mut snap = snap?;
101+
let anchor: ChainAnchor = snap.metadata().try_into()?;
102+
103+
if let Some(existing) = prev_map.get(&(anchor.hash, anchor.height)) {
104+
anchors.push(existing.clone());
105+
} else {
106+
let root = snap.compute_root()?;
107+
anchors.push(TrustAnchor {
108+
root,
109+
block: anchor,
110+
});
111+
}
112+
}
113+
114+
let updated = serde_json::to_vec_pretty(&anchors)?;
115+
fs::write(file_path, updated)?;
116+
Ok(anchors)
117+
}
118+
96119
pub fn begin(&self, genesis_block: &ChainAnchor) -> Result<LiveSnapshot> {
97120
let snapshot = self.0.begin_read()?;
98121
let anchor: ChainAnchor = if snapshot.metadata().len() == 0 {
@@ -210,6 +233,22 @@ impl LiveSnapshot {
210233
};
211234
}
212235

236+
pub fn prove_with_snapshot(&self, keys: &[Hash], snapshot_block_height: u32) -> Result<SubTree<Sha256Hasher>> {
237+
let snapshot = self.db.iter()
238+
.filter_map(|s| s.ok()).find(|s| {
239+
let anchor: ChainAnchor = match s.metadata().try_into() {
240+
Ok(a) => a,
241+
_ => return false,
242+
};
243+
anchor.height == snapshot_block_height
244+
});
245+
if let Some(mut snapshot) = snapshot {
246+
return snapshot.prove(keys, ProofType::Standard)
247+
.or_else(|err| Err(anyhow!("Could not prove: {}", err)))
248+
}
249+
Err(anyhow!("Older snapshot targeting block {} could not be found", snapshot_block_height))
250+
}
251+
213252
pub fn inner(&mut self) -> anyhow::Result<&mut ReadTx> {
214253
{
215254
let rlock = self.staged.read().expect("acquire lock");

‎client/src/sync.rs

+31-2
Original file line numberDiff line numberDiff line change
@@ -9,6 +9,8 @@ use spaces_protocol::{
99
};
1010
use tokio::sync::broadcast;
1111

12+
pub const TRUST_ANCHORS_COUNT: u32 = 120;
13+
1214
use crate::{
1315
client::{BlockMeta, BlockSource, Client},
1416
config::ExtendedNetwork,
@@ -26,7 +28,7 @@ macro_rules! const_assert {
2628
}
2729
}
2830

29-
const COMMIT_BLOCK_INTERVAL: u32 = 36;
31+
pub const COMMIT_BLOCK_INTERVAL: u32 = 36;
3032
const_assert!(
3133
spaces_protocol::constants::ROLLOUT_BLOCK_INTERVAL % COMMIT_BLOCK_INTERVAL == 0,
3234
"commit and rollout intervals must be aligned"
@@ -41,6 +43,8 @@ pub struct Spaced {
4143
pub data_dir: PathBuf,
4244
pub bind: Vec<SocketAddr>,
4345
pub num_workers: usize,
46+
pub anchors_path: Option<PathBuf>,
47+
pub synced: bool
4448
}
4549

4650
impl Spaced {
@@ -110,6 +114,25 @@ impl Spaced {
110114
Ok(())
111115
}
112116

117+
pub fn update_anchors(&self) -> anyhow::Result<()> {
118+
if !self.synced {
119+
return Ok(()) ;
120+
}
121+
info!("Updating trust anchors ...");
122+
let anchors_path = match self.anchors_path.as_ref() {
123+
None => return Ok(()),
124+
Some(path) => path,
125+
};
126+
127+
let result = self.chain.store.update_anchors(anchors_path, TRUST_ANCHORS_COUNT)
128+
.or_else(|e| Err(anyhow!("Could not update trust anchors: {}",e)))?;
129+
130+
if let Some(result) = result.first() {
131+
info!("Latest trust anchor root {} (height: {})", hex::encode(result.root), result.block.height)
132+
}
133+
Ok(())
134+
}
135+
113136
pub fn handle_block(
114137
&mut self,
115138
node: &mut Client,
@@ -140,6 +163,7 @@ impl Spaced {
140163
let tx = index.store.write().expect("write handle");
141164
index.state.commit(state_meta, tx)?;
142165
}
166+
self.update_anchors()?;
143167
}
144168

145169
Ok(())
@@ -168,7 +192,12 @@ impl Spaced {
168192
}
169193
match receiver.try_recv() {
170194
Ok(event) => match event {
171-
BlockEvent::Tip(_) => {}
195+
BlockEvent::Tip(_) => {
196+
self.synced = true;
197+
if self.anchors_path.as_ref().is_some_and(|file| !file.exists()) {
198+
self.update_anchors()?;
199+
}
200+
},
172201
BlockEvent::Block(id, block) => {
173202
self.handle_block(&mut node, id, block)?;
174203
info!("block={} height={}", id.hash, id.height);

0 commit comments

Comments
 (0)
Please sign in to comment.