-
Notifications
You must be signed in to change notification settings - Fork 37
/
Copy pathlib.rs
257 lines (230 loc) · 8.7 KB
/
lib.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
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
#![doc = include_str!("../README.md")]
#![warn(
missing_copy_implementations,
missing_debug_implementations,
missing_docs,
unreachable_pub,
rustdoc::all
)]
#![cfg_attr(not(test), warn(unused_crate_dependencies))]
#![deny(unused_must_use, rust_2018_idioms)]
#![cfg_attr(docsrs, feature(doc_cfg, doc_auto_cfg))]
use alloy_chains::{Chain, ChainKind, NamedChain};
use alloy_primitives::B256;
use alloy_rpc_types_eth::BlockHashOrNumber;
pub use request::*;
pub use response::*;
use serde::de::DeserializeOwned;
pub mod request;
pub mod response;
/// Client for [Blobscan API](https://api.blobscan.com/)
///
/// See also [Blobscan API Documentation](https://docs.blobscan.com/)
#[derive(Clone, Debug)]
pub struct Client {
/// Base URL for the API
pub(crate) baseurl: String,
pub(crate) client: reqwest::Client,
}
impl Client {
/// Create a new client.
///
/// `baseurl` is the base URL provided to the internal [reqwest::Client]
pub fn new(baseurl: impl Into<String>) -> Self {
let client = {
let dur = std::time::Duration::from_secs(30);
reqwest::ClientBuilder::new().connect_timeout(dur).timeout(dur)
};
Self::new_with_client(baseurl, client.build().unwrap())
}
/// Create a new client instance for `blobscan.com` with the correct endpoint based on the
/// chain.
///
/// At this time, only the following chains are supported by Blobscan:
/// - Ethereum Mainnet: <https://api.blobscan.com/>
/// - Sepolia Testnet: <https://api.sepolia.blobscan.com/>
/// - Holesky Testnet: <https://api.holesky.blobscan.com/>
///
/// For other chains this will return `None`
pub fn new_chain(chain: Chain) -> Option<Self> {
Self::new_chain_with_client(chain, reqwest::Client::new())
}
/// Create a new client instance for `blobscan.com` with the given [reqwest::Client] and the
/// correct endpoint based on the chain.
///
/// At this time, only the following chains are supported by Blobscan:
/// - Ethereum Mainnet: <https://api.blobscan.com/>
/// - Sepolia Testnet: <https://api.sepolia.blobscan.com/>
/// - Holesky Testnet: <https://api.holesky.blobscan.com/>
///
/// For other chains this will return `None`
pub fn new_chain_with_client(chain: Chain, client: reqwest::Client) -> Option<Self> {
match chain.kind() {
ChainKind::Named(NamedChain::Mainnet) => {
Some(Self::new_with_client("https://api.blobscan.com/", client))
}
ChainKind::Named(NamedChain::Sepolia) | ChainKind::Named(NamedChain::Holesky) => {
Some(Self::new_with_client(format!("https://api.{chain}.blobscan.com/"), client))
}
_ => None,
}
}
/// Creates a new client instance for the Ethereum Mainnet with the correct endpoint: <https://api.blobscan.com/>
pub fn mainnet() -> Self {
Self::new_chain(Chain::mainnet()).unwrap()
}
/// Creates a new client instance for the sepolia Testnet with the correct endpoint: <https://api.sepolia.blobscan.com/>
pub fn sepolia() -> Self {
Self::new_chain(Chain::sepolia()).unwrap()
}
/// Creates a new client instance for the holesky Testnet with the correct endpoint: <https://api.holesky.blobscan.com/>
pub fn holesky() -> Self {
Self::new_chain(Chain::holesky()).unwrap()
}
/// Creates a new client instance for the Ethereum Mainnet with the given [reqwest::Client] and the correct endpoint: <https://api.blobscan.com/>
pub fn mainnet_with_client(client: reqwest::Client) -> Self {
Self::new_chain_with_client(Chain::mainnet(), client).unwrap()
}
/// Creates a new client instance for the sepolia Testnet with the given [reqwest::Client] and the correct endpoint: <https://api.sepolia.blobscan.com/>
pub fn sepolia_with_client(client: reqwest::Client) -> Self {
Self::new_chain_with_client(Chain::sepolia(), client).unwrap()
}
/// Creates a new client instance for the holesky Testnet with the given [reqwest::Client] and the correct endpoint: <https://api.holesky.blobscan.com/>
pub fn holesky_with_client(client: reqwest::Client) -> Self {
Self::new_chain_with_client(Chain::holesky(), client).unwrap()
}
/// Construct a new client with an existing [reqwest::Client] allowing more control over its
/// configuration.
///
/// `baseurl` is the base URL provided to the internal
pub fn new_with_client(baseurl: impl Into<String>, client: reqwest::Client) -> Self {
let mut baseurl = baseurl.into();
if !baseurl.ends_with('/') {
baseurl.push('/');
}
Self { baseurl, client }
}
/// Get the base URL to which requests are made.
pub fn baseurl(&self) -> &str {
&self.baseurl
}
/// Get the internal `reqwest::Client` used to make requests.
pub fn client(&self) -> &reqwest::Client {
&self.client
}
async fn get_transaction<T: DeserializeOwned>(
&self,
hash: B256,
query: GetTransactionQuery,
) -> reqwest::Result<T> {
self.client
.get(format!("{}transactions/{}", self.baseurl, hash))
.header(reqwest::header::ACCEPT, "application/json")
.query(&query)
.send()
.await?
.json()
.await
}
/// Retrieves the __full__ transaction details for given block transaction hash.
///
/// Sends a `GET` request to `/transactions/{hash}`
/// ### Example
///
/// ```no_run
/// use alloy_primitives::b256;
/// use foundry_blob_explorers::Client;
/// # async fn demo() {
/// let client = Client::holesky();
/// let tx = client
/// .transaction(b256!("d4f136048a56b9b62c9cdca0ce0dbb224295fd0e0170dbbc78891d132f639d60"))
/// .await
/// .unwrap();
/// println!("[{}] blob: {:?}", tx.hash, tx.blob_sidecar());
/// # }
/// ```
pub async fn transaction(&self, tx_hash: B256) -> reqwest::Result<TransactionDetails> {
self.get_transaction(tx_hash, Default::default()).await
}
/// Retrieves the specific transaction details for given transaction hash.
///
/// Sends a `GET` request to `/transactions/{hash}`
pub async fn transaction_with_query(
&self,
tx_hash: B256,
query: GetTransactionQuery,
) -> reqwest::Result<TransactionDetails> {
self.get_transaction(tx_hash, query).await
}
async fn get_block<T: DeserializeOwned>(
&self,
block: BlockHashOrNumber,
query: GetBlockQuery,
) -> reqwest::Result<T> {
self.client
.get(format!("{}blocks/{}", self.baseurl, block))
.header(reqwest::header::ACCEPT, "application/json")
.query(&query)
.send()
.await?
.json()
.await
}
/// Retrieves the __full__ block details for given block number or hash.
///
/// Sends a `GET` request to `/blocks/{id}`
///
/// ### Example
///
/// ```no_run
/// use foundry_blob_explorers::Client;
/// # async fn demo() {
/// let client = Client::holesky();
/// let block = client
/// .block(
/// "0xc3a0113f60107614d1bba950799903dadbc2116256a40b1fefb37e9d409f1866".parse().unwrap(),
/// )
/// .await
/// .unwrap();
/// for (tx, sidecar) in block.blob_sidecars() {
/// println!("[{}] blob: {:?}", tx, sidecar);
/// }
/// # }
/// ```
pub async fn block(
&self,
block: BlockHashOrNumber,
) -> reqwest::Result<BlockResponse<FullTransactionDetails>> {
self.get_block(block, GetBlockQuery::default()).await
}
/// Retrieves the specific block details for given block number or hash.
///
/// Sends a `GET` request to `/blocks/{id}`
pub async fn block_with_query(
&self,
block: BlockHashOrNumber,
query: GetBlockQuery,
) -> reqwest::Result<BlockResponse<SelectedTransactionDetails>> {
self.get_block(block, query).await
}
}
#[cfg(test)]
mod tests {
use super::*;
#[tokio::test]
#[ignore]
async fn get_block_by_id() {
let block = "0xc3a0113f60107614d1bba950799903dadbc2116256a40b1fefb37e9d409f1866";
let client = Client::holesky();
let _block = client.block(block.parse().unwrap()).await.unwrap();
for (_tx, _sidecar) in _block.blob_sidecars() {}
}
#[tokio::test]
#[ignore]
async fn get_single_transaction() {
let tx = "0xd4f136048a56b9b62c9cdca0ce0dbb224295fd0e0170dbbc78891d132f639d60";
let client = Client::holesky();
let tx = client.transaction(tx.parse().unwrap()).await.unwrap();
let _sidecar = tx.blob_sidecar();
}
}