-
Notifications
You must be signed in to change notification settings - Fork 561
/
alloydb.rs
218 lines (193 loc) · 7.22 KB
/
alloydb.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
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
pub use alloy_eips::BlockId;
use alloy_provider::{
network::{BlockResponse, HeaderResponse},
Network, Provider,
};
use alloy_transport::{Transport, TransportError};
use database_interface::{Database, DatabaseRef};
use primitives::{Address, B256, U256};
use state::{AccountInfo, Bytecode};
use std::future::IntoFuture;
use tokio::runtime::{Handle, Runtime};
/// An alloy-powered REVM [Database].
///
/// When accessing the database, it'll use the given provider to fetch the corresponding account's data.
#[derive(Debug)]
pub struct AlloyDB<T: Transport + Clone, N: Network, P: Provider<T, N>> {
/// The provider to fetch the data from.
provider: P,
/// The block number on which the queries will be based on.
block_number: BlockId,
/// handle to the tokio runtime
rt: HandleOrRuntime,
_marker: std::marker::PhantomData<fn() -> (T, N)>,
}
impl<T: Transport + Clone, N: Network, P: Provider<T, N>> AlloyDB<T, N, P> {
/// Create a new AlloyDB instance, with a [Provider] and a block.
///
/// Returns `None` if no tokio runtime is available or if the current runtime is a current-thread runtime.
pub fn new(provider: P, block_number: BlockId) -> Option<Self> {
let rt = match Handle::try_current() {
Ok(handle) => match handle.runtime_flavor() {
tokio::runtime::RuntimeFlavor::CurrentThread => return None,
_ => HandleOrRuntime::Handle(handle),
},
Err(_) => return None,
};
Some(Self {
provider,
block_number,
rt,
_marker: std::marker::PhantomData,
})
}
/// Create a new AlloyDB instance, with a provider and a block and a runtime.
///
/// Refer to [tokio::runtime::Builder] on how to create a runtime if you are in synchronous world.
/// If you are already using something like [tokio::main], call AlloyDB::new instead.
pub fn with_runtime(provider: P, block_number: BlockId, runtime: Runtime) -> Self {
let rt = HandleOrRuntime::Runtime(runtime);
Self {
provider,
block_number,
rt,
_marker: std::marker::PhantomData,
}
}
/// Create a new AlloyDB instance, with a provider and a block and a runtime handle.
///
/// This generally allows you to pass any valid runtime handle, refer to [tokio::runtime::Handle] on how
/// to obtain a handle. If you are already in asynchronous world, like [tokio::main], use AlloyDB::new instead.
pub fn with_handle(provider: P, block_number: BlockId, handle: Handle) -> Self {
let rt = HandleOrRuntime::Handle(handle);
Self {
provider,
block_number,
rt,
_marker: std::marker::PhantomData,
}
}
/// Internal utility function that allows us to block on a future regardless of the runtime flavor.
#[inline]
fn block_on<F>(&self, f: F) -> F::Output
where
F: std::future::Future + Send,
F::Output: Send,
{
self.rt.block_on(f)
}
/// Set the block number on which the queries will be based on.
pub fn set_block_number(&mut self, block_number: BlockId) {
self.block_number = block_number;
}
}
impl<T: Transport + Clone, N: Network, P: Provider<T, N>> DatabaseRef for AlloyDB<T, N, P> {
type Error = TransportError;
fn basic_ref(&self, address: Address) -> Result<Option<AccountInfo>, Self::Error> {
let f = async {
let nonce = self
.provider
.get_transaction_count(address)
.block_id(self.block_number);
let balance = self
.provider
.get_balance(address)
.block_id(self.block_number);
let code = self
.provider
.get_code_at(address)
.block_id(self.block_number);
tokio::join!(
nonce.into_future(),
balance.into_future(),
code.into_future()
)
};
let (nonce, balance, code) = self.block_on(f);
let balance = balance?;
let code = Bytecode::new_raw(code?.0.into());
let code_hash = code.hash_slow();
let nonce = nonce?;
Ok(Some(AccountInfo::new(balance, nonce, code_hash, code)))
}
fn block_hash_ref(&self, number: u64) -> Result<B256, Self::Error> {
let block = self.block_on(
self.provider
// SAFETY: We know number <= u64::MAX, so we can safely convert it to u64
.get_block_by_number(number.into(), false),
)?;
// SAFETY: If the number is given, the block is supposed to be finalized, so unwrapping is safe.
Ok(B256::new(*block.unwrap().header().hash()))
}
fn code_by_hash_ref(&self, _code_hash: B256) -> Result<Bytecode, Self::Error> {
panic!("This should not be called, as the code is already loaded");
// This is not needed, as the code is already loaded with basic_ref
}
fn storage_ref(&self, address: Address, index: U256) -> Result<U256, Self::Error> {
let f = self
.provider
.get_storage_at(address, index)
.block_id(self.block_number);
let slot_val = self.block_on(f.into_future())?;
Ok(slot_val)
}
}
impl<T: Transport + Clone, N: Network, P: Provider<T, N>> Database for AlloyDB<T, N, P> {
type Error = TransportError;
#[inline]
fn basic(&mut self, address: Address) -> Result<Option<AccountInfo>, Self::Error> {
<Self as DatabaseRef>::basic_ref(self, address)
}
#[inline]
fn code_by_hash(&mut self, code_hash: B256) -> Result<Bytecode, Self::Error> {
<Self as DatabaseRef>::code_by_hash_ref(self, code_hash)
}
#[inline]
fn storage(&mut self, address: Address, index: U256) -> Result<U256, Self::Error> {
<Self as DatabaseRef>::storage_ref(self, address, index)
}
#[inline]
fn block_hash(&mut self, number: u64) -> Result<B256, Self::Error> {
<Self as DatabaseRef>::block_hash_ref(self, number)
}
}
// Hold a tokio runtime handle or full runtime
#[derive(Debug)]
pub(crate) enum HandleOrRuntime {
Handle(Handle),
Runtime(Runtime),
}
impl HandleOrRuntime {
#[inline]
pub(crate) fn block_on<F>(&self, f: F) -> F::Output
where
F: std::future::Future + Send,
F::Output: Send,
{
match self {
Self::Handle(handle) => tokio::task::block_in_place(move || handle.block_on(f)),
Self::Runtime(rt) => rt.block_on(f),
}
}
}
#[cfg(test)]
mod tests {
use super::*;
use alloy_provider::ProviderBuilder;
#[test]
#[ignore = "flaky RPC"]
fn can_get_basic() {
let client = ProviderBuilder::new().on_http(
"https://mainnet.infura.io/v3/c60b0bb42f8a4c6481ecd229eddaca27"
.parse()
.unwrap(),
);
let alloydb = AlloyDB::new(client, BlockId::from(16148323));
// ETH/USDT pair on Uniswap V2
let address: Address = "0x0d4a11d5EEaaC28EC3F61d100daF4d40471f1852"
.parse()
.unwrap();
let acc_info = alloydb.unwrap().basic_ref(address).unwrap().unwrap();
assert!(acc_info.exists());
}
}