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
use log::*;
use solana_client::perf_utils::{sample_txs, SampleStats};
use solana_client::thin_client::ThinClient;
use solana_notifier::Notifier;
use solana_sdk::timing::duration_as_s;
use std::{
net::SocketAddr,
sync::{
atomic::{AtomicBool, Ordering},
Arc, RwLock,
},
thread::{Builder, JoinHandle},
};
pub struct Sampler {
client: Arc<ThinClient>,
exit_signal: Arc<AtomicBool>,
maxes: Arc<RwLock<Vec<(String, SampleStats)>>>,
handle: Option<JoinHandle<()>>,
}
impl Sampler {
pub fn new(rpc_addr: &SocketAddr) -> Self {
let (_, dummy_socket) =
solana_net_utils::bind_in_range(rpc_addr.ip(), (8000, 10_000)).unwrap();
let dummy_tpu_addr = *rpc_addr;
let client = Arc::new(ThinClient::new(*rpc_addr, dummy_tpu_addr, dummy_socket));
Self {
client,
exit_signal: Arc::new(AtomicBool::new(false)),
maxes: Arc::new(RwLock::new(Vec::new())),
handle: None,
}
}
pub fn start_sampling_thread(&mut self) {
self.exit_signal.store(false, Ordering::Relaxed);
self.maxes.write().unwrap().clear();
let sample_period = 5;
info!("Sampling TPS every {} seconds...", sample_period);
let exit_signal = self.exit_signal.clone();
let maxes = self.maxes.clone();
let client = self.client.clone();
let handle = Builder::new()
.name("solana-client-sample".to_string())
.spawn(move || {
sample_txs(&exit_signal, &maxes, sample_period, &client);
})
.unwrap();
self.handle = Some(handle);
}
pub fn stop_sampling_thread(&mut self) {
self.exit_signal.store(true, Ordering::Relaxed);
self.handle.take().unwrap().join().unwrap();
}
pub fn report_results(&self, notifier: &Notifier) {
let SampleStats { tps, elapsed, txs } = self.maxes.read().unwrap()[0].1;
let avg_tps = txs as f32 / duration_as_s(&elapsed);
notifier.send(&format!(
"Highest TPS: {:.0}, Average TPS: {:.0}",
tps, avg_tps
));
}
}