-
Notifications
You must be signed in to change notification settings - Fork 17
/
Copy pathupdate-validator-score-param.rs
123 lines (111 loc) · 4.09 KB
/
update-validator-score-param.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
//! An example showing how to do a simple update of the validator score
//! parameters.
use anyhow::Context;
use clap::AppSettings;
use concordium_base::updates::ValidatorScoreParameters;
use concordium_rust_sdk::{
common::types::TransactionTime,
types::{
transactions::{update, BlockItem, Payload},
TransactionStatus, UpdateKeyPair, UpdatePayload,
},
v2::{self, BlockIdentifier, ChainParameters},
};
use std::path::PathBuf;
use structopt::StructOpt;
use tokio_stream::StreamExt;
#[derive(StructOpt)]
struct App {
#[structopt(
long = "node",
help = "GRPC interface of the node.",
default_value = "http://localhost:20000"
)]
endpoint: v2::Endpoint,
#[structopt(long = "key", help = "Path to update keys to use.")]
keys: Vec<PathBuf>,
}
#[tokio::main(flavor = "multi_thread")]
async fn main() -> anyhow::Result<()> {
let app = {
let app = App::clap().global_setting(AppSettings::ColoredHelp);
let matches = app.get_matches();
App::from_clap(&matches)
};
let kps: Vec<UpdateKeyPair> = app
.keys
.iter()
.map(|p| {
serde_json::from_reader(std::fs::File::open(p).context("Could not open file.")?)
.context("Could not read keys from file.")
})
.collect::<anyhow::Result<_>>()?;
let mut client = v2::Client::new(app.endpoint).await?;
// Get the key indices, as well as the next sequence number from the last
// finalized block.
let summary: ChainParameters = client
.get_block_chain_parameters(BlockIdentifier::LastFinal)
.await
.context("Could not obtain last finalized block's chain parameters")?
.response;
// find the key indices to sign with
let signer = summary
.common_update_keys()
.construct_update_signer(&summary.common_update_keys().micro_gtu_per_euro, kps)
.context("Invalid keys supplied.")?;
let seq_number = client
.get_next_update_sequence_numbers(BlockIdentifier::LastFinal)
.await?
.response;
let seq_number = seq_number.validator_score_parameters;
let now = chrono::offset::Utc::now().timestamp() as u64;
let effective_time = TransactionTime::from_seconds(now + 300); // effective in 5min
let timeout = TransactionTime::from_seconds(now + 60); // 1min expiry.
let payload = UpdatePayload::ValidatorScoreParametersCPV3(ValidatorScoreParameters {
max_missed_rounds: 10,
});
let block_item: BlockItem<Payload> =
update::update(&signer, seq_number, effective_time, timeout, payload).into();
let submission_id = client
.send_block_item(&block_item)
.await
.context("Could not send the update instruction.")?;
println!("Submitted update with hash {}", submission_id);
// wait until it's finalized.
let mut interval = tokio::time::interval(tokio::time::Duration::from_secs(1));
loop {
interval.tick().await;
match client
.get_block_item_status(&submission_id)
.await
.context("Could not query submission status.")?
{
TransactionStatus::Finalized(blocks) => {
println!(
"Submission is finalized in blocks {:?}",
blocks.keys().collect::<Vec<_>>()
);
break;
}
TransactionStatus::Committed(blocks) => {
println!(
"Submission is committed to blocks {:?}",
blocks.keys().collect::<Vec<_>>()
);
}
TransactionStatus::Received => {
println!("Submission is received.")
}
}
}
let mut pending_updates = client
.get_block_pending_updates(BlockIdentifier::LastFinal)
.await?
.response;
while let Some(update) = pending_updates.next().await.transpose()? {
// Display the update with the serde JSON serialization.
let update = serde_json::to_string_pretty(&update)?;
println!("Pending update: {}", update);
}
Ok(())
}