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
use secp256k1::SecretKey;
use web3::contract::{Contract, Options};
use web3::signing::SecretKeyRef;
use web3::transports::Http;
use web3::types::{Address, Block, BlockId, BlockNumber, H256, U256};
use web3::Web3;
use crate::errors::EthereumComponentError;
use crate::ethereum::EthereumConfig;
use crate::types::ethereum::GasPrice;
pub struct EthereumClient {
config: EthereumConfig,
web3: Web3<Http>,
}
impl EthereumClient {
pub fn new(config: EthereumConfig, web3: Web3<Http>) -> Self {
Self { config, web3 }
}
}
impl EthereumClient {
fn build_address(str: &str) -> color_eyre::Result<Address> {
let address = array_bytes::hex2bytes(&str[2..]).map_err(|_| {
EthereumComponentError::WrongKey("str[2..]".to_string(), str.to_string())
})?;
let mut address_buffer = [0u8; 20];
address_buffer.copy_from_slice(&address);
Ok(Address::from(address_buffer))
}
async fn fast_gas_price() -> color_eyre::Result<U256> {
let gasnow_url = "https://gasnow.sparkpool.com/api/v3/gas/price?utm_source=DarwiniaBridger";
let client = reqwest::Client::builder()
.timeout(std::time::Duration::from_secs(15))
.build()?;
let gas_price: GasPrice = client.get(gasnow_url).send().await?.json().await?;
Ok(gas_price.data.fast.into())
}
}
impl EthereumClient {
pub fn web3(&self) -> &Web3<Http> {
&self.web3
}
pub async fn get_header_by_number(&self, block: u64) -> color_eyre::Result<Block<H256>> {
let eth_block = BlockId::Number(BlockNumber::Number(block.into()));
match self.web3.eth().block(eth_block).await? {
Some(block) => Ok(block),
None => Err(EthereumComponentError::BlockNotFound(block).into()),
}
}
pub async fn submit_authorities_set(
&self,
message: Vec<u8>,
signatures: Vec<[u8; 65]>,
) -> color_eyre::Result<H256> {
let relay_contract_address = Self::build_address(&self.config.subscribe_relay_address)?;
let beneficiary = self
.config
.relayer_beneficiary_darwinia_account
.clone()
.ok_or(EthereumComponentError::NoBeneficiaryAccount)?;
let secret_key = match &self.config.relayer_private_key {
Some(seed) => {
let private_key = array_bytes::hex2bytes(&seed[2..]).map_err(|_| {
EthereumComponentError::WrongKey("seed[2..]".to_string(), seed.clone())
})?;
Some(SecretKey::from_slice(&private_key)?)
}
None => None,
}
.ok_or(EthereumComponentError::NoPrivateKey)?;
let key_ref = SecretKeyRef::new(&secret_key);
let contract = Contract::from_json(
self.web3.eth(),
relay_contract_address,
include_bytes!(concat!(env!("CARGO_MANIFEST_DIR"), "/abi/relay.json")),
)?;
let signature_list = signatures
.iter()
.map(|item| item.to_vec())
.collect::<Vec<_>>();
let beneficiary = array_bytes::hex2bytes(&beneficiary[2..]).map_err(|_| {
EthereumComponentError::WrongKey(
"beneficiary[2..]".to_string(),
beneficiary.to_string(),
)
})?;
let mut beneficiary_buffer = [0u8; 32];
beneficiary_buffer.copy_from_slice(&beneficiary);
tracing::debug!(target: "component-ethereum", "message: {}", array_bytes::bytes2hex("0x", &message.clone()));
for (i, signature) in signature_list.clone().iter().enumerate() {
tracing::debug!(
target: "component-ethereum",
"signature {}: {}",
i + 1,
array_bytes::bytes2hex("0x", signature)
);
}
tracing::debug!(
target: "component-ethereum",
"beneficiary: {}",
array_bytes::bytes2hex("0x", &beneficiary_buffer)
);
let gas_price = Self::fast_gas_price().await.ok();
let input = (message, signature_list, beneficiary_buffer);
let txhash = contract
.signed_call(
"updateRelayer",
input,
Options::with(|options| {
options.gas = Some(150_000u64.into());
options.gas_price = gas_price;
}),
key_ref,
)
.await?;
Ok(txhash)
}
}