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
use crate::{
block_storage::{BlockReader, BlockStore},
logging::{LogEvent, LogSchema},
network::NetworkSender,
network_interface::ConsensusMsg,
persistent_liveness_storage::{PersistentLivenessStorage, RecoveryData},
state_replication::StateComputer,
};
use anyhow::{bail, format_err};
use consensus_types::{
block::Block,
block_retrieval::{BlockRetrievalRequest, BlockRetrievalStatus, MAX_BLOCKS_PER_REQUEST},
common::Author,
quorum_cert::QuorumCert,
sync_info::SyncInfo,
};
use diem_crypto::HashValue;
use diem_logger::prelude::*;
use diem_types::{
account_address::AccountAddress, epoch_change::EpochChangeProof,
ledger_info::LedgerInfoWithSignatures,
};
use mirai_annotations::checked_precondition;
use rand::{prelude::*, Rng};
use std::{clone::Clone, cmp::min, sync::Arc, time::Duration};
#[derive(Debug, PartialEq, Eq)]
pub enum NeedFetchResult {
QCRoundBeforeRoot,
QCAlreadyExist,
QCBlockExist,
NeedFetch,
}
impl BlockStore {
pub fn need_sync_for_quorum_cert(
&self,
qc: &QuorumCert,
li: &LedgerInfoWithSignatures,
) -> bool {
checked_precondition!(self.commit_root().round() < std::u64::MAX - 1);
!(self.block_exists(qc.commit_info().id())
|| self.commit_root().round() >= li.commit_info().round())
}
pub fn need_fetch_for_quorum_cert(&self, qc: &QuorumCert) -> NeedFetchResult {
if qc.certified_block().round() < self.ordered_root().round() {
return NeedFetchResult::QCRoundBeforeRoot;
}
if self
.get_quorum_cert_for_block(qc.certified_block().id())
.is_some()
{
return NeedFetchResult::QCAlreadyExist;
}
if self.block_exists(qc.certified_block().id()) {
return NeedFetchResult::QCBlockExist;
}
NeedFetchResult::NeedFetch
}
pub async fn add_certs(
&self,
sync_info: &SyncInfo,
mut retriever: BlockRetriever,
) -> anyhow::Result<()> {
self.sync_to_highest_ordered_cert(
sync_info.highest_ordered_cert().clone(),
sync_info.highest_ledger_info().clone(),
&mut retriever,
)
.await?;
self.insert_quorum_cert(sync_info.highest_ordered_cert(), &mut retriever)
.await?;
self.insert_quorum_cert(sync_info.highest_quorum_cert(), &mut retriever)
.await?;
if let Some(tc) = sync_info.highest_timeout_certificate() {
self.insert_timeout_certificate(Arc::new(tc.clone()))?;
}
if let Some(tc) = sync_info.highest_2chain_timeout_cert() {
self.insert_2chain_timeout_certificate(Arc::new(tc.clone()))?;
}
Ok(())
}
pub async fn insert_quorum_cert(
&self,
qc: &QuorumCert,
retriever: &mut BlockRetriever,
) -> anyhow::Result<()> {
match self.need_fetch_for_quorum_cert(qc) {
NeedFetchResult::NeedFetch => self.fetch_quorum_cert(qc.clone(), retriever).await?,
NeedFetchResult::QCBlockExist => self.insert_single_quorum_cert(qc.clone())?,
_ => (),
}
if self.ordered_root().round() < qc.commit_info().round() {
let finality_proof = qc.ledger_info();
self.commit(finality_proof.clone()).await?;
if qc.ends_epoch() {
retriever
.network
.broadcast(ConsensusMsg::EpochChangeProof(Box::new(
EpochChangeProof::new(
vec![finality_proof.clone()],
false,
),
)))
.await;
}
}
Ok(())
}
async fn fetch_quorum_cert(
&self,
qc: QuorumCert,
retriever: &mut BlockRetriever,
) -> anyhow::Result<()> {
let mut pending = vec![];
let mut retrieve_qc = qc.clone();
loop {
if self.block_exists(retrieve_qc.certified_block().id()) {
break;
}
let mut blocks = retriever.retrieve_block_for_qc(&retrieve_qc, 1).await?;
let block = blocks.remove(0);
retrieve_qc = block.quorum_cert().clone();
pending.push(block);
}
while let Some(block) = pending.pop() {
let block_qc = block.quorum_cert().clone();
self.insert_single_quorum_cert(block_qc)?;
self.execute_and_insert_block(block)?;
}
self.insert_single_quorum_cert(qc)
}
async fn sync_to_highest_ordered_cert(
&self,
highest_ordered_cert: QuorumCert,
highest_ledger_info: LedgerInfoWithSignatures,
retriever: &mut BlockRetriever,
) -> anyhow::Result<()> {
if !self.need_sync_for_quorum_cert(&highest_ordered_cert, &highest_ledger_info) {
return Ok(());
}
let (root, root_metadata, blocks, quorum_certs) = Self::fast_forward_sync(
&highest_ordered_cert,
highest_ledger_info.clone(),
retriever,
self.storage.clone(),
self.state_computer.clone(),
)
.await?
.take();
debug!(
LogSchema::new(LogEvent::CommitViaSync).round(self.ordered_root().round()),
committed_round = root.0.round(),
block_id = root.0.id(),
);
self.rebuild(root, root_metadata, blocks, quorum_certs)
.await;
if highest_ledger_info.ledger_info().ends_epoch() {
retriever
.network
.notify_epoch_change(EpochChangeProof::new(
vec![highest_ordered_cert.ledger_info().clone()],
false,
))
.await;
}
Ok(())
}
#[allow(clippy::needless_borrow)]
pub async fn fast_forward_sync<'a>(
highest_ordered_cert: &'a QuorumCert,
highest_ledger_info: LedgerInfoWithSignatures,
retriever: &'a mut BlockRetriever,
storage: Arc<dyn PersistentLivenessStorage>,
state_computer: Arc<dyn StateComputer>,
) -> anyhow::Result<RecoveryData> {
debug!(
LogSchema::new(LogEvent::StateSync).remote_peer(retriever.preferred_peer),
"Start state sync with peer to block: {}",
highest_ordered_cert.commit_info(),
);
let num_blocks = highest_ordered_cert.certified_block().round()
- highest_ledger_info.ledger_info().round()
+ 1;
let blocks = retriever
.retrieve_block_for_qc(highest_ordered_cert, num_blocks)
.await?;
assert_eq!(
blocks.first().expect("should have at least 3-chain").id(),
highest_ordered_cert.certified_block().id(),
);
assert_eq!(
blocks.last().expect("should have at least 3-chain").id(),
highest_ledger_info.commit_info().id(),
);
assert!(num_blocks < std::usize::MAX as u64);
let mut quorum_certs = vec![highest_ordered_cert.clone()];
quorum_certs.extend(
blocks
.iter()
.take(num_blocks as usize - 1)
.map(|block| block.quorum_cert().clone()),
);
for (i, block) in blocks.iter().enumerate() {
assert_eq!(block.id(), quorum_certs[i].certified_block().id());
}
storage.save_tree(blocks.clone(), quorum_certs.clone())?;
state_computer.sync_to(highest_ledger_info).await?;
let recovery_data = storage
.start()
.expect_recovery_data("Failed to construct recovery data after fast forward sync");
Ok(recovery_data)
}
}
pub struct BlockRetriever {
network: NetworkSender,
preferred_peer: Author,
}
impl BlockRetriever {
pub fn new(network: NetworkSender, preferred_peer: Author) -> Self {
Self {
network,
preferred_peer,
}
}
async fn retrieve_block_for_id(
&mut self,
block_id: HashValue,
peers: &mut Vec<&AccountAddress>,
num_blocks: u64,
) -> anyhow::Result<Vec<Block>> {
let mut attempt = 0_u32;
let mut progress = 0;
let mut last_block_id = block_id;
let mut result_blocks: Vec<Block> = vec![];
let mut retrieve_batch_size = MAX_BLOCKS_PER_REQUEST;
if peers.is_empty() {
bail!(
"Failed to fetch block {} in {} attempts: no more peers available",
block_id,
attempt
);
}
let mut peer = self.pick_peer(attempt, peers);
while progress < num_blocks {
retrieve_batch_size = min(retrieve_batch_size, num_blocks - progress);
attempt += 1;
debug!(
LogSchema::new(LogEvent::RetrieveBlock).remote_peer(peer),
block_id = block_id,
"Fetching {} blocks, attempt {}",
retrieve_batch_size,
attempt
);
let response = self
.network
.request_block(
BlockRetrievalRequest::new(last_block_id, retrieve_batch_size),
peer,
retrieval_timeout(attempt),
)
.await;
match response.and_then(|result| {
if result.status() == BlockRetrievalStatus::Succeeded {
Ok(result.blocks().clone())
} else {
Err(format_err!("{:?}", result.status()))
}
}) {
Ok(batch) => {
progress += batch.len() as u64;
last_block_id = batch.last().unwrap().parent_id();
result_blocks.extend(batch);
}
Err(e) => {
warn!(
remote_peer = peer,
block_id = block_id,
error = ?e, "Failed to fetch block, trying another peer",
);
if peers.is_empty() {
bail!(
"Failed to fetch block {} in {} attempts: no more peers available",
block_id,
attempt
);
}
peer = self.pick_peer(attempt, peers);
}
}
}
assert_eq!(result_blocks.len() as u64, num_blocks);
Ok(result_blocks)
}
async fn retrieve_block_for_qc<'a>(
&'a mut self,
qc: &'a QuorumCert,
num_blocks: u64,
) -> anyhow::Result<Vec<Block>> {
let mut peers = qc
.ledger_info()
.signatures()
.keys()
.collect::<Vec<&AccountAddress>>();
self.retrieve_block_for_id(qc.certified_block().id(), &mut peers, num_blocks)
.await
}
fn pick_peer(&self, attempt: u32, peers: &mut Vec<&AccountAddress>) -> AccountAddress {
assert!(!peers.is_empty(), "pick_peer on empty peer list");
if attempt == 0 {
for i in 0..peers.len() {
if *peers[i] == self.preferred_peer {
peers.remove(i);
break;
}
}
return self.preferred_peer;
}
let peer_idx = thread_rng().gen_range(0..peers.len());
*peers.remove(peer_idx)
}
}
const RETRIEVAL_INITIAL_TIMEOUT: Duration = Duration::from_millis(200);
const RETRIEVAL_MAX_EXP: u32 = 4;
#[allow(clippy::trivially_copy_pass_by_ref)]
fn retrieval_timeout(attempt: u32) -> Duration {
assert!(attempt > 0, "retrieval_timeout attempt can't be 0");
let exp = RETRIEVAL_MAX_EXP.min(attempt - 1); RETRIEVAL_INITIAL_TIMEOUT * 2_u32.pow(exp)
}