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
use crate::{consensusdb::ConsensusDB, epoch_manager::LivenessStorageData, error::DbError};
use anyhow::{format_err, Context, Result};
use consensus_types::{
block::Block, common::Author, quorum_cert::QuorumCert,
timeout_2chain::TwoChainTimeoutCertificate, timeout_certificate::TimeoutCertificate,
vote::Vote, vote_data::VoteData,
};
use diem_config::config::NodeConfig;
use diem_crypto::{ed25519::Ed25519Signature, HashValue};
use diem_logger::prelude::*;
use diem_types::{
block_info::Round,
epoch_change::EpochChangeProof,
ledger_info::{LedgerInfo, LedgerInfoWithSignatures},
transaction::Version,
};
use executor_types::ExecutedTrees;
use serde::Deserialize;
use std::{cmp::max, collections::HashSet, sync::Arc};
use storage_interface::DbReader;
pub trait PersistentLivenessStorage: Send + Sync {
fn save_tree(&self, blocks: Vec<Block>, quorum_certs: Vec<QuorumCert>) -> Result<()>;
fn prune_tree(&self, block_ids: Vec<HashValue>) -> Result<()>;
fn save_vote(&self, vote: &Vote) -> Result<()>;
fn recover_from_ledger(&self) -> LedgerRecoveryData;
fn start(&self) -> LivenessStorageData;
fn save_highest_timeout_cert(&self, highest_timeout_cert: TimeoutCertificate) -> Result<()>;
fn save_highest_2chain_timeout_cert(
&self,
highest_timeout_cert: &TwoChainTimeoutCertificate,
) -> Result<()>;
fn retrieve_epoch_change_proof(&self, version: u64) -> Result<EpochChangeProof>;
fn diem_db(&self) -> Arc<dyn DbReader>;
}
#[derive(Clone)]
pub struct RootInfo(
pub Block,
pub QuorumCert,
pub QuorumCert,
pub LedgerInfoWithSignatures,
);
#[derive(Clone)]
pub struct LedgerRecoveryData {
storage_ledger: LedgerInfoWithSignatures,
}
impl LedgerRecoveryData {
pub fn new(storage_ledger: LedgerInfoWithSignatures) -> Self {
LedgerRecoveryData { storage_ledger }
}
pub fn commit_round(&self) -> Round {
self.storage_ledger.ledger_info().round()
}
fn find_root(
&self,
blocks: &mut Vec<Block>,
quorum_certs: &mut Vec<QuorumCert>,
) -> Result<RootInfo> {
info!(
"The last committed block id as recorded in storage: {}",
self.storage_ledger
);
let (root_id, latest_ledger_info_sig) = if self.storage_ledger.ledger_info().ends_epoch() {
let genesis =
Block::make_genesis_block_from_ledger_info(self.storage_ledger.ledger_info());
let genesis_qc = QuorumCert::certificate_for_genesis_from_ledger_info(
self.storage_ledger.ledger_info(),
genesis.id(),
);
let genesis_ledger_info = genesis_qc.ledger_info().clone();
let genesis_id = genesis.id();
blocks.push(genesis);
quorum_certs.push(genesis_qc);
(genesis_id, genesis_ledger_info)
} else {
(
self.storage_ledger.ledger_info().consensus_block_id(),
self.storage_ledger.clone(),
)
};
blocks.sort_by_key(|b| (b.epoch(), b.round()));
let root_idx = blocks
.iter()
.position(|block| block.id() == root_id)
.ok_or_else(|| format_err!("unable to find root: {}", root_id))?;
let root_block = blocks.remove(root_idx);
let root_quorum_cert = quorum_certs
.iter()
.find(|qc| qc.certified_block().id() == root_block.id())
.ok_or_else(|| format_err!("No QC found for root: {}", root_id))?
.clone();
let root_ordered_cert = quorum_certs
.iter()
.find(|qc| qc.commit_info().id() == root_block.id())
.ok_or_else(|| format_err!("No LI found for root: {}", root_id))?
.clone();
info!("Consensus root block is {}", root_block);
Ok(RootInfo(
root_block,
root_quorum_cert,
root_ordered_cert,
latest_ledger_info_sig,
))
}
}
pub struct RootMetadata {
pub accu_hash: HashValue,
pub frozen_root_hashes: Vec<HashValue>,
pub num_leaves: Version,
}
impl RootMetadata {
pub fn new(num_leaves: u64, accu_hash: HashValue, frozen_root_hashes: Vec<HashValue>) -> Self {
Self {
accu_hash,
frozen_root_hashes,
num_leaves,
}
}
pub fn version(&self) -> Version {
max(self.num_leaves, 1) - 1
}
#[cfg(any(test, feature = "fuzzing"))]
pub fn new_empty() -> Self {
Self::new(0, *diem_crypto::hash::ACCUMULATOR_PLACEHOLDER_HASH, vec![])
}
}
pub struct RecoveryData {
last_vote: Option<Vote>,
root: RootInfo,
root_metadata: RootMetadata,
blocks: Vec<Block>,
quorum_certs: Vec<QuorumCert>,
blocks_to_prune: Option<Vec<HashValue>>,
highest_timeout_certificate: Option<TimeoutCertificate>,
highest_2chain_timeout_certificate: Option<TwoChainTimeoutCertificate>,
}
impl RecoveryData {
pub fn new(
last_vote: Option<Vote>,
ledger_recovery_data: LedgerRecoveryData,
mut blocks: Vec<Block>,
root_metadata: RootMetadata,
mut quorum_certs: Vec<QuorumCert>,
highest_timeout_certificate: Option<TimeoutCertificate>,
highest_2chain_timeout_cert: Option<TwoChainTimeoutCertificate>,
) -> Result<Self> {
let root = ledger_recovery_data
.find_root(&mut blocks, &mut quorum_certs)
.with_context(|| {
quorum_certs.sort_by_key(|qc| qc.certified_block().round());
format!(
"\nRoot id: {}\nBlocks in db: {}\nQuorum Certs in db: {}\n",
ledger_recovery_data
.storage_ledger
.ledger_info()
.consensus_block_id(),
blocks
.iter()
.map(|b| format!("\n\t{}", b))
.collect::<Vec<String>>()
.concat(),
quorum_certs
.iter()
.map(|qc| format!("\n\t{}", qc))
.collect::<Vec<String>>()
.concat(),
)
})?;
let blocks_to_prune = Some(Self::find_blocks_to_prune(
root.0.id(),
&mut blocks,
&mut quorum_certs,
));
let epoch = root.0.epoch();
Ok(RecoveryData {
last_vote: match last_vote {
Some(v) if v.epoch() == epoch => Some(v),
_ => None,
},
root,
root_metadata,
blocks,
quorum_certs,
blocks_to_prune,
highest_timeout_certificate: match highest_timeout_certificate {
Some(tc) if tc.epoch() == epoch => Some(tc),
_ => None,
},
highest_2chain_timeout_certificate: match highest_2chain_timeout_cert {
Some(tc) if tc.epoch() == epoch => Some(tc),
_ => None,
},
})
}
pub fn root_block(&self) -> &Block {
&self.root.0
}
pub fn last_vote(&self) -> Option<Vote> {
self.last_vote.clone()
}
pub fn take(self) -> (RootInfo, RootMetadata, Vec<Block>, Vec<QuorumCert>) {
(
self.root,
self.root_metadata,
self.blocks,
self.quorum_certs,
)
}
pub fn take_blocks_to_prune(&mut self) -> Vec<HashValue> {
self.blocks_to_prune
.take()
.expect("blocks_to_prune already taken")
}
pub fn highest_timeout_certificate(&self) -> Option<TimeoutCertificate> {
self.highest_timeout_certificate.clone()
}
pub fn highest_2chain_timeout_certificate(&self) -> Option<TwoChainTimeoutCertificate> {
self.highest_2chain_timeout_certificate.clone()
}
fn find_blocks_to_prune(
root_id: HashValue,
blocks: &mut Vec<Block>,
quorum_certs: &mut Vec<QuorumCert>,
) -> Vec<HashValue> {
let mut tree = HashSet::new();
let mut to_remove = vec![];
tree.insert(root_id);
blocks.retain(|block| {
if tree.contains(&block.parent_id()) {
tree.insert(block.id());
true
} else {
to_remove.push(block.id());
false
}
});
quorum_certs.retain(|qc| tree.contains(&qc.certified_block().id()));
to_remove
}
}
pub struct StorageWriteProxy {
db: Arc<ConsensusDB>,
diem_db: Arc<dyn DbReader>,
}
impl StorageWriteProxy {
pub fn new(config: &NodeConfig, diem_db: Arc<dyn DbReader>) -> Self {
let db = Arc::new(ConsensusDB::new(config.storage.dir()));
StorageWriteProxy { db, diem_db }
}
}
impl PersistentLivenessStorage for StorageWriteProxy {
fn save_tree(&self, blocks: Vec<Block>, quorum_certs: Vec<QuorumCert>) -> Result<()> {
Ok(self
.db
.save_blocks_and_quorum_certificates(blocks, quorum_certs)?)
}
fn prune_tree(&self, block_ids: Vec<HashValue>) -> Result<()> {
if !block_ids.is_empty() {
self.db.delete_blocks_and_quorum_certificates(block_ids)?;
}
Ok(())
}
fn save_vote(&self, vote: &Vote) -> Result<()> {
Ok(self.db.save_vote(bcs::to_bytes(vote)?)?)
}
fn recover_from_ledger(&self) -> LedgerRecoveryData {
let startup_info = self
.diem_db
.get_startup_info()
.expect("unable to read ledger info from storage")
.expect("startup info is None");
LedgerRecoveryData::new(startup_info.latest_ledger_info)
}
fn start(&self) -> LivenessStorageData {
info!("Start consensus recovery.");
let raw_data = self
.db
.get_data()
.expect("unable to recover consensus data");
let last_vote = raw_data.0.map(|bytes| {
#[derive(Deserialize)]
struct OldVote {
pub vote_data: VoteData,
pub author: Author,
pub ledger_info: LedgerInfo,
pub signature: Ed25519Signature,
pub timeout_signature: Option<Ed25519Signature>,
}
match bcs::from_bytes(&bytes[..]) {
Ok(v) => v,
Err(_) => {
let OldVote {
vote_data,
author,
ledger_info,
signature,
timeout_signature,
} = bcs::from_bytes(&bytes).expect("unable to deserialize last vote");
let mut vote =
Vote::new_with_signature(vote_data, author, ledger_info, signature);
if let Some(sig) = timeout_signature {
vote.add_timeout_signature(sig);
}
vote
}
}
});
let highest_timeout_certificate = raw_data.1.map(|ts| {
bcs::from_bytes(&ts[..]).expect("unable to deserialize highest timeout certificate")
});
let highest_2chain_timeout_cert = raw_data.2.map(|b| {
bcs::from_bytes(&b).expect("unable to deserialize highest 2-chain timeout cert")
});
let blocks = raw_data.3;
let quorum_certs: Vec<_> = raw_data.4;
let blocks_repr: Vec<String> = blocks.iter().map(|b| format!("\n\t{}", b)).collect();
info!(
"The following blocks were restored from ConsensusDB : {}",
blocks_repr.concat()
);
let qc_repr: Vec<String> = quorum_certs
.iter()
.map(|qc| format!("\n\t{}", qc))
.collect();
info!(
"The following quorum certs were restored from ConsensusDB: {}",
qc_repr.concat()
);
let startup_info = self
.diem_db
.get_startup_info()
.expect("unable to read ledger info from storage")
.expect("startup info is None");
let ledger_recovery_data = LedgerRecoveryData::new(startup_info.latest_ledger_info.clone());
let frozen_root_hashes = startup_info
.committed_tree_state
.ledger_frozen_subtree_hashes
.clone();
let root_executed_trees = ExecutedTrees::from(startup_info.committed_tree_state);
match RecoveryData::new(
last_vote,
ledger_recovery_data.clone(),
blocks,
RootMetadata::new(
root_executed_trees.txn_accumulator().num_leaves(),
root_executed_trees.state_id(),
frozen_root_hashes,
),
quorum_certs,
highest_timeout_certificate,
highest_2chain_timeout_cert,
) {
Ok(mut initial_data) => {
(self as &dyn PersistentLivenessStorage)
.prune_tree(initial_data.take_blocks_to_prune())
.expect("unable to prune dangling blocks during restart");
if initial_data.last_vote.is_none() {
self.db
.delete_last_vote_msg()
.expect("unable to cleanup last vote");
}
if initial_data.highest_timeout_certificate.is_none() {
self.db
.delete_highest_timeout_certificate()
.expect("unable to cleanup highest timeout cert");
}
if initial_data.highest_2chain_timeout_certificate.is_none() {
self.db
.delete_highest_2chain_timeout_certificate()
.expect("unable to cleanup highest 2-chain timeout cert");
}
info!(
"Starting up the consensus state machine with recovery data - [last_vote {}], [highest timeout certificate: {}]",
initial_data.last_vote.as_ref().map_or("None".to_string(), |v| v.to_string()),
initial_data.highest_timeout_certificate.as_ref().map_or("None".to_string(), |v| v.to_string()),
);
LivenessStorageData::RecoveryData(initial_data)
}
Err(e) => {
error!(error = ?e, "Failed to construct recovery data");
LivenessStorageData::LedgerRecoveryData(ledger_recovery_data)
}
}
}
fn save_highest_timeout_cert(&self, highest_timeout_cert: TimeoutCertificate) -> Result<()> {
Ok(self
.db
.save_highest_timeout_certificate(bcs::to_bytes(&highest_timeout_cert)?)?)
}
fn save_highest_2chain_timeout_cert(
&self,
highest_timeout_cert: &TwoChainTimeoutCertificate,
) -> Result<()> {
Ok(self
.db
.save_highest_2chain_timeout_certificate(bcs::to_bytes(highest_timeout_cert)?)?)
}
fn retrieve_epoch_change_proof(&self, version: u64) -> Result<EpochChangeProof> {
let (_, proofs, _) = self
.diem_db
.get_state_proof(version)
.map_err(DbError::from)?
.into_inner();
Ok(proofs)
}
fn diem_db(&self) -> Arc<dyn DbReader> {
self.diem_db.clone()
}
}