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
use std::sync::Arc;
use parking_lot::{Mutex, Condvar};
use time;
use futures::{lazy, finished};
use chain::{Transaction, IndexedTransaction, IndexedBlock};
use message::types;
use miner::BlockAssembler;
use network::ConsensusParams;
use synchronization_client::{Client};
use synchronization_executor::{Task as SynchronizationTask, TaskExecutor};
use synchronization_server::{Server, ServerTask};
use synchronization_verifier::{TransactionVerificationSink};
use primitives::hash::H256;
use miner::BlockTemplate;
use verification::median_timestamp_inclusive;
use synchronization_peers::{TransactionAnnouncementType, BlockAnnouncementType};
use types::{PeerIndex, RequestId, StorageRef, MemoryPoolRef, PeersRef, ExecutorRef,
ClientRef, ServerRef, SynchronizationStateRef, SyncListenerRef};
pub struct LocalNode<T: TaskExecutor, U: Server, V: Client> {
consensus: ConsensusParams,
storage: StorageRef,
memory_pool: MemoryPoolRef,
peers: PeersRef,
state: SynchronizationStateRef,
executor: ExecutorRef<T>,
client: ClientRef<V>,
server: ServerRef<U>,
}
struct TransactionAcceptSink {
data: Arc<TransactionAcceptSinkData>,
}
#[derive(Default)]
struct TransactionAcceptSinkData {
result: Mutex<Option<Result<H256, String>>>,
waiter: Condvar,
}
impl<T, U, V> LocalNode<T, U, V> where T: TaskExecutor, U: Server, V: Client {
#[cfg_attr(feature="cargo-clippy", allow(too_many_arguments))]
pub fn new(consensus: ConsensusParams, storage: StorageRef, memory_pool: MemoryPoolRef, peers: PeersRef,
state: SynchronizationStateRef, executor: ExecutorRef<T>, client: ClientRef<V>, server: ServerRef<U>) -> Self {
LocalNode {
consensus: consensus,
storage: storage,
memory_pool: memory_pool,
peers: peers,
state: state,
executor: executor,
client: client,
server: server,
}
}
pub fn on_connect(&self, peer_index: PeerIndex, peer_name: String, version: types::Version) {
trace!(target: "sync", "Starting new sync session with peer#{}: {}", peer_index, peer_name);
if !version.relay_transactions() {
self.peers.set_transaction_announcement_type(peer_index, TransactionAnnouncementType::DoNotAnnounce);
}
self.client.on_connect(peer_index);
}
pub fn on_disconnect(&self, peer_index: PeerIndex) {
trace!(target: "sync", "Stopping sync session with peer#{}", peer_index);
self.client.on_disconnect(peer_index);
}
pub fn on_inventory(&self, peer_index: PeerIndex, message: types::Inv) {
trace!(target: "sync", "Got `inventory` message from peer#{}. Inventory len: {}", peer_index, message.inventory.len());
self.client.on_inventory(peer_index, message);
}
pub fn on_headers(&self, peer_index: PeerIndex, message: types::Headers) {
trace!(target: "sync", "Got `headers` message from peer#{}. Headers len: {}", peer_index, message.headers.len());
self.client.on_headers(peer_index, message);
}
pub fn on_transaction(&self, peer_index: PeerIndex, tx: IndexedTransaction) {
if self.state.synchronizing() {
trace!(target: "sync", "Ignored `transaction` message from peer#{}. Tx hash: {}", peer_index, tx.hash.to_reversed_str());
return;
}
trace!(target: "sync", "Got `transaction` message from peer#{}. Tx hash: {}", peer_index, tx.hash.to_reversed_str());
self.client.on_transaction(peer_index, tx);
}
pub fn on_block(&self, peer_index: PeerIndex, block: IndexedBlock) {
trace!(target: "sync", "Got `block` message from peer#{}. Block hash: {}", peer_index, block.header.hash.to_reversed_str());
self.client.on_block(peer_index, block);
}
pub fn on_notfound(&self, peer_index: PeerIndex, message: types::NotFound) {
trace!(target: "sync", "Got `notfound` message from peer#{}", peer_index);
self.client.on_notfound(peer_index, message);
}
pub fn on_getdata(&self, peer_index: PeerIndex, message: types::GetData) {
if self.state.synchronizing() {
trace!(target: "sync", "Ignored `getdata` message from peer#{}. Inventory len: {}", peer_index, message.inventory.len());
return;
}
trace!(target: "sync", "Got `getdata` message from peer#{}. Inventory len: {}", peer_index, message.inventory.len());
self.server.execute(ServerTask::GetData(peer_index, message));
}
pub fn on_getblocks(&self, peer_index: PeerIndex, message: types::GetBlocks) {
if self.state.synchronizing() {
trace!(target: "sync", "Ignored `getblocks` message from peer#{}", peer_index);
return;
}
trace!(target: "sync", "Got `getblocks` message from peer#{}", peer_index);
self.server.execute(ServerTask::GetBlocks(peer_index, message));
}
pub fn on_getheaders(&self, peer_index: PeerIndex, message: types::GetHeaders, id: RequestId) {
if self.state.synchronizing() {
trace!(target: "sync", "Ignored `getheaders` message from peer#{}", peer_index);
self.executor.execute(SynchronizationTask::Ignore(peer_index, id));
return;
}
trace!(target: "sync", "Got `getheaders` message from peer#{}", peer_index);
let server = Arc::downgrade(&self.server);
let server_task = ServerTask::GetHeaders(peer_index, message, id);
let lazy_server_task = lazy(move || {
server.upgrade().map(|s| s.execute(server_task));
finished::<(), ()>(())
});
self.client.after_peer_nearly_blocks_verified(peer_index, Box::new(lazy_server_task));
}
pub fn on_mempool(&self, peer_index: PeerIndex, _message: types::MemPool) {
if self.state.synchronizing() {
trace!(target: "sync", "Ignored `mempool` message from peer#{}", peer_index);
return;
}
trace!(target: "sync", "Got `mempool` message from peer#{}", peer_index);
self.server.execute(ServerTask::Mempool(peer_index));
}
pub fn on_get_block_txn(&self, peer_index: PeerIndex, message: types::GetBlockTxn) {
if self.state.synchronizing() {
trace!(target: "sync", "Ignored `getblocktxn` message from peer#{}", peer_index);
return;
}
trace!(target: "sync", "Got `getblocktxn` message from peer#{}", peer_index);
self.server.execute(ServerTask::GetBlockTxn(peer_index, message));
}
pub fn on_filterload(&self, peer_index: PeerIndex, message: types::FilterLoad) {
trace!(target: "sync", "Got `filterload` message from peer#{}", peer_index);
self.peers.set_bloom_filter(peer_index, message);
}
pub fn on_filteradd(&self, peer_index: PeerIndex, message: types::FilterAdd) {
trace!(target: "sync", "Got `filteradd` message from peer#{}", peer_index);
self.peers.update_bloom_filter(peer_index, message);
}
pub fn on_filterclear(&self, peer_index: PeerIndex, _message: types::FilterClear) {
trace!(target: "sync", "Got `filterclear` message from peer#{}", peer_index);
self.peers.clear_bloom_filter(peer_index);
}
pub fn on_feefilter(&self, peer_index: PeerIndex, message: types::FeeFilter) {
trace!(target: "sync", "Got `feefilter` message from peer#{}", peer_index);
self.peers.set_fee_filter(peer_index, message);
}
pub fn on_sendheaders(&self, peer_index: PeerIndex, _message: types::SendHeaders) {
trace!(target: "sync", "Got `sendheaders` message from peer#{}", peer_index);
self.peers.set_block_announcement_type(peer_index, BlockAnnouncementType::SendHeaders);
}
pub fn on_send_compact(&self, peer_index: PeerIndex, message: types::SendCompact) {
trace!(target: "sync", "Got `sendcmpct` message from peer#{}", peer_index);
if message.second != 1 {
return;
}
if message.first {
self.peers.set_block_announcement_type(peer_index, BlockAnnouncementType::SendCompactBlock);
}
}
pub fn on_merkleblock(&self, peer_index: PeerIndex, _message: types::MerkleBlock) {
trace!(target: "sync", "Got `merkleblock` message from peer#{}", peer_index);
self.peers.misbehaving(peer_index, "Got unrequested 'merkleblock' message");
}
pub fn on_compact_block(&self, peer_index: PeerIndex, _message: types::CompactBlock) {
trace!(target: "sync", "Got `cmpctblock` message from peer#{}", peer_index);
self.peers.misbehaving(peer_index, "Got unrequested 'cmpctblock' message");
}
pub fn on_block_txn(&self, peer_index: PeerIndex, _message: types::BlockTxn) {
trace!(target: "sync", "Got `blocktxn` message from peer#{}", peer_index);
self.peers.misbehaving(peer_index, "Got unrequested 'blocktxn' message");
}
pub fn accept_transaction(&self, transaction: Transaction) -> Result<H256, String> {
let sink_data = Arc::new(TransactionAcceptSinkData::default());
let sink = TransactionAcceptSink::new(sink_data.clone()).boxed();
{
if let Err(err) = self.client.accept_transaction(transaction, sink) {
return Err(err.into());
}
}
sink_data.wait()
}
pub fn get_block_template(&self) -> BlockTemplate {
let previous_block_height = self.storage.best_block().number;
let previous_block_header = self.storage.block_header(previous_block_height.into()).expect("best block is in db; qed");
let median_timestamp = median_timestamp_inclusive(previous_block_header.hash(), self.storage.as_block_header_provider());
let new_block_height = previous_block_height + 1;
let max_block_size = self.consensus.fork.max_block_size(new_block_height, median_timestamp);
let block_assembler = BlockAssembler {
max_block_size: max_block_size as u32,
max_block_sigops: self.consensus.fork.max_block_sigops(new_block_height, max_block_size) as u32,
};
let memory_pool = &*self.memory_pool.read();
block_assembler.create_new_block(&self.storage, memory_pool, time::get_time().sec as u32, median_timestamp, &self.consensus)
}
pub fn install_sync_listener(&self, listener: SyncListenerRef) {
self.client.install_sync_listener(listener);
}
}
impl TransactionAcceptSink {
pub fn new(data: Arc<TransactionAcceptSinkData>) -> Self {
TransactionAcceptSink {
data: data,
}
}
pub fn boxed(self) -> Box<Self> {
Box::new(self)
}
}
impl TransactionAcceptSinkData {
pub fn wait(&self) -> Result<H256, String> {
let mut lock = self.result.lock();
if lock.is_some() {
return lock.take().expect("checked line above");
}
self.waiter.wait(&mut lock);
lock.take().expect("waiter.wait returns only when result is set; lock.take() takes result from waiter.result; qed")
}
}
impl TransactionVerificationSink for TransactionAcceptSink {
fn on_transaction_verification_success(&self, tx: IndexedTransaction) {
*self.data.result.lock() = Some(Ok(tx.hash));
self.data.waiter.notify_all();
}
fn on_transaction_verification_error(&self, err: &str, _hash: &H256) {
*self.data.result.lock() = Some(Err(err.to_owned()));
self.data.waiter.notify_all();
}
}
#[cfg(test)]
pub mod tests {
extern crate test_data;
use std::sync::Arc;
use parking_lot::RwLock;
use synchronization_executor::Task;
use synchronization_executor::tests::DummyTaskExecutor;
use synchronization_client::SynchronizationClient;
use synchronization_client_core::{Config, SynchronizationClientCore, CoreVerificationSink};
use synchronization_chain::Chain;
use message::types;
use message::common::{InventoryVector, InventoryType};
use network::{ConsensusParams, ConsensusFork, Network};
use chain::Transaction;
use db::{BlockChainDatabase};
use miner::MemoryPool;
use super::LocalNode;
use synchronization_server::ServerTask;
use synchronization_server::tests::DummyServer;
use synchronization_verifier::tests::DummyVerifier;
use primitives::bytes::Bytes;
use verification::BackwardsCompatibleChainVerifier as ChainVerifier;
use std::iter::repeat;
use synchronization_peers::PeersImpl;
use utils::SynchronizationState;
use types::SynchronizationStateRef;
pub fn default_filterload() -> types::FilterLoad {
types::FilterLoad {
filter: Bytes::from(repeat(0u8).take(1024).collect::<Vec<_>>()),
hash_functions: 10,
tweak: 5,
flags: types::FilterFlags::None,
}
}
pub fn make_filteradd(data: &[u8]) -> types::FilterAdd {
types::FilterAdd {
data: data.into(),
}
}
fn create_local_node(verifier: Option<DummyVerifier>) -> (Arc<DummyTaskExecutor>, Arc<DummyServer>, LocalNode<DummyTaskExecutor, DummyServer, SynchronizationClient<DummyTaskExecutor, DummyVerifier>>) {
let memory_pool = Arc::new(RwLock::new(MemoryPool::new()));
let storage = Arc::new(BlockChainDatabase::init_test_chain(vec![test_data::genesis().into()]));
let sync_state = SynchronizationStateRef::new(SynchronizationState::with_storage(storage.clone()));
let chain = Chain::new(storage.clone(), ConsensusParams::new(Network::Unitest, ConsensusFork::BitcoinCore), memory_pool.clone());
let sync_peers = Arc::new(PeersImpl::default());
let executor = DummyTaskExecutor::new();
let server = Arc::new(DummyServer::new());
let config = Config { close_connection_on_bad_block: true };
let chain_verifier = Arc::new(ChainVerifier::new(storage.clone(), ConsensusParams::new(Network::Mainnet, ConsensusFork::BitcoinCore)));
let client_core = SynchronizationClientCore::new(config, sync_state.clone(), sync_peers.clone(), executor.clone(), chain, chain_verifier);
let mut verifier = match verifier {
Some(verifier) => verifier,
None => DummyVerifier::default(),
};
verifier.set_sink(Arc::new(CoreVerificationSink::new(client_core.clone())));
let client = SynchronizationClient::new(sync_state.clone(), client_core, verifier);
let local_node = LocalNode::new(ConsensusParams::new(Network::Mainnet, ConsensusFork::BitcoinCore), storage, memory_pool, sync_peers, sync_state, executor.clone(), client, server.clone());
(executor, server, local_node)
}
#[test]
fn local_node_serves_block() {
let (_, server, local_node) = create_local_node(None);
let peer_index = 0; local_node.on_connect(peer_index, "test".into(), types::Version::default());
let genesis_block_hash = test_data::genesis().hash();
let inventory = vec![
InventoryVector {
inv_type: InventoryType::MessageBlock,
hash: genesis_block_hash.clone(),
}
];
local_node.on_getdata(peer_index, types::GetData {
inventory: inventory.clone()
});
let tasks = server.take_tasks();
assert_eq!(tasks, vec![ServerTask::GetData(peer_index, types::GetData::with_inventory(inventory))]);
}
#[test]
fn local_node_accepts_local_transaction() {
let (executor, _, local_node) = create_local_node(None);
let peer_index1 = 0; local_node.on_connect(peer_index1, "test".into(), types::Version::default());
executor.take_tasks();
let genesis = test_data::genesis();
let transaction: Transaction = test_data::TransactionBuilder::with_output(1).add_input(&genesis.transactions[0], 0).into();
let transaction_hash = transaction.hash();
let result = local_node.accept_transaction(transaction.clone());
assert_eq!(result, Ok(transaction_hash.clone()));
assert_eq!(executor.take_tasks(), vec![Task::RelayNewTransaction(transaction.into(), 83333333)]);
}
#[test]
fn local_node_discards_local_transaction() {
let genesis = test_data::genesis();
let transaction: Transaction = test_data::TransactionBuilder::with_output(1).add_input(&genesis.transactions[0], 0).into();
let transaction_hash = transaction.hash();
let mut verifier = DummyVerifier::default();
verifier.error_when_verifying(transaction_hash.clone(), "simulated");
let (executor, _, local_node) = create_local_node(Some(verifier));
let peer_index1 = 0; local_node.on_connect(peer_index1, "test".into(), types::Version::default());
executor.take_tasks();
let result = local_node.accept_transaction(transaction);
assert_eq!(result, Err("simulated".to_owned()));
assert_eq!(executor.take_tasks(), vec![]);
}
}