-
Notifications
You must be signed in to change notification settings - Fork 17
/
Copy pathlist-number-account-transactions.rs
129 lines (116 loc) · 3.73 KB
/
list-number-account-transactions.rs
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
//! List the number of transactions sent by each account
//! starting at the given time and then every interval after.
//!
//! The output of the script is on stdout. For each account
//! it prints a comma separated list of transactions submitted by that account
//! per day.
//!
//! The script also outputs progress on stderr before printing the final result.
use clap::AppSettings;
use concordium_base::contracts_common::AccountAddress;
use concordium_rust_sdk::{
indexer::{TransactionIndexer, TraverseConfig},
v2,
};
use std::collections::BTreeMap;
use structopt::StructOpt;
#[derive(StructOpt)]
struct App {
#[structopt(
long = "node",
help = "GRPC V2 interface of the node.",
default_value = "http://localhost:20000"
)]
endpoint: v2::Endpoint,
#[structopt(
long = "start-time",
help = "Start time. If not given take the genesis time."
)]
block: Option<chrono::DateTime<chrono::Utc>>,
#[structopt(
long = "interval",
help = "Interval duration in seconds.",
default_value = "86400"
)]
interval: u64,
#[structopt(
long = "num",
help = "How many queries to make in parallel.",
default_value = "8"
)]
num: usize,
}
#[derive(Eq)]
struct Aliased(AccountAddress);
impl Ord for Aliased {
fn cmp(&self, other: &Self) -> std::cmp::Ordering { self.0 .0[..29].cmp(&other.0 .0[..29]) }
}
impl PartialEq for Aliased {
fn eq(&self, other: &Self) -> bool { self.0.is_alias(&other.0) }
}
impl PartialOrd for Aliased {
fn partial_cmp(&self, other: &Self) -> Option<std::cmp::Ordering> { Some(self.cmp(other)) }
}
#[tokio::main(flavor = "multi_thread")]
async fn main() -> anyhow::Result<()> {
let app: App = {
let app = App::clap().global_setting(AppSettings::ColoredHelp);
let matches = app.get_matches();
App::from_clap(&matches)
};
let mut client = v2::Client::new(app.endpoint.clone()).await?;
let consensus_info = client.get_consensus_info().await?;
let start_time = app.block.unwrap_or(consensus_info.genesis_time);
let mut account_table = BTreeMap::new();
let start_block = client
.find_first_finalized_block_no_earlier_than(
..=consensus_info.last_finalized_block_height,
start_time,
)
.await?;
let (sender, mut receiver) = tokio::sync::mpsc::channel(10);
let cancel_handle = tokio::spawn(
TraverseConfig::new_single(app.endpoint, start_block.block_height)
.set_max_parallel(app.num)
.traverse(TransactionIndexer, sender),
);
let mut max_days = 0;
while let Some((bi, r)) = receiver.recv().await {
if bi.block_height > consensus_info.last_finalized_block_height {
break;
}
eprintln!(
"Processing block {} at height {}.",
bi.block_hash, bi.block_height
);
let day = bi
.block_slot_time
.signed_duration_since(start_time)
.num_seconds()
/ app.interval as i64;
max_days = std::cmp::max(day as usize, max_days);
for acc in r.into_iter().filter_map(|x| x.sender_account()) {
if let Some(n) = account_table
.entry(Aliased(acc))
.or_insert_with(|| vec![0u64; day as usize + 1])
.last_mut()
{
*n += 1;
}
}
}
cancel_handle.abort();
for (acc, mut values) in account_table {
values.resize(max_days, 0);
println!(
"{}, {}",
acc.0,
values
.iter()
.map(ToString::to_string)
.collect::<Vec<_>>()
.join(", ")
);
}
Ok(())
}