Skip to content

Commit d85a416

Browse files
committed
Remove BDK-specific stuff, make the clients public
1 parent 06059d5 commit d85a416

File tree

8 files changed

+463
-858
lines changed

8 files changed

+463
-858
lines changed

.gitignore

+4-1
Original file line numberDiff line numberDiff line change
@@ -11,4 +11,7 @@ Cargo.lock
1111
**/*.rs.bk
1212

1313
# MSVC Windows builds of rustc generate these, which store debugging information
14-
*.pdb
14+
*.pdb
15+
16+
# Vim files
17+
*.swp

Cargo.toml

+13-1
Original file line numberDiff line numberDiff line change
@@ -1,6 +1,7 @@
11
[package]
22
name = "esplora-client"
33
version = "0.0.1"
4+
edition = "2018"
45
authors = ["Alekos Filini <[email protected]>"]
56
license = "MIT"
67
homepage = "https://github.com/bitcoindevkit/rust-esplora-client"
@@ -15,6 +16,17 @@ name = "esplora_client"
1516
path = "src/lib.rs"
1617

1718
[dependencies]
19+
serde = { version = "1.0", features = ["derive"] }
20+
bitcoin = { version = "0.28.1", features = ["use-serde"] }
21+
log = "^0.4"
22+
ureq = { version = "2.5", features = ["json"], optional = true }
23+
reqwest = { version = "0.11", optional = true, default-features = false, features = ["json"] }
1824

25+
[dev-dependencies]
26+
serde_json = "1.0"
1927

20-
[features]
28+
[features]
29+
default = ["blocking", "async", "async-https"]
30+
blocking = ["ureq", "ureq/socks"]
31+
async = ["reqwest", "reqwest/socks"]
32+
async-https = ["reqwest/default-tls"]

src/api.rs

+15-8
Original file line numberDiff line numberDiff line change
@@ -1,16 +1,19 @@
11
//! structs from the esplora API
22
//!
33
//! see: <https://github.com/Blockstream/esplora/blob/master/API.md>
4-
use crate::BlockTime;
4+
5+
use bitcoin::hashes::hex::FromHex;
56
use bitcoin::{OutPoint, Script, Transaction, TxIn, TxOut, Txid, Witness};
67

7-
#[derive(serde::Deserialize, Clone, Debug)]
8+
use serde::Deserialize;
9+
10+
#[derive(Deserialize, Clone, Debug)]
811
pub struct PrevOut {
912
pub value: u64,
1013
pub scriptpubkey: Script,
1114
}
1215

13-
#[derive(serde::Deserialize, Clone, Debug)]
16+
#[derive(Deserialize, Clone, Debug)]
1417
pub struct Vin {
1518
pub txid: Txid,
1619
pub vout: u32,
@@ -23,20 +26,20 @@ pub struct Vin {
2326
pub is_coinbase: bool,
2427
}
2528

26-
#[derive(serde::Deserialize, Clone, Debug)]
29+
#[derive(Deserialize, Clone, Debug)]
2730
pub struct Vout {
2831
pub value: u64,
2932
pub scriptpubkey: Script,
3033
}
3134

32-
#[derive(serde::Deserialize, Clone, Debug)]
35+
#[derive(Deserialize, Clone, Debug)]
3336
pub struct TxStatus {
3437
pub confirmed: bool,
3538
pub block_height: Option<u32>,
3639
pub block_time: Option<u64>,
3740
}
3841

39-
#[derive(serde::Deserialize, Clone, Debug)]
42+
#[derive(Deserialize, Clone, Debug)]
4043
pub struct Tx {
4144
pub txid: Txid,
4245
pub version: i32,
@@ -47,6 +50,12 @@ pub struct Tx {
4750
pub fee: u64,
4851
}
4952

53+
#[derive(Deserialize, Clone, Debug)]
54+
pub struct BlockTime {
55+
pub timestamp: u64,
56+
pub height: u32,
57+
}
58+
5059
impl Tx {
5160
pub fn to_tx(&self) -> Transaction {
5261
Transaction {
@@ -107,8 +116,6 @@ fn deserialize_witness<'de, D>(d: D) -> Result<Vec<Vec<u8>>, D::Error>
107116
where
108117
D: serde::de::Deserializer<'de>,
109118
{
110-
use crate::serde::Deserialize;
111-
use bitcoin::hashes::hex::FromHex;
112119
let list = Vec::<String>::deserialize(d)?;
113120
list.into_iter()
114121
.map(|hex_str| Vec::<u8>::from_hex(&hex_str))

src/async.rs

+156
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,156 @@
1+
// Bitcoin Dev Kit
2+
// Written in 2020 by Alekos Filini <[email protected]>
3+
//
4+
// Copyright (c) 2020-2021 Bitcoin Dev Kit Developers
5+
//
6+
// This file is licensed under the Apache License, Version 2.0 <LICENSE-APACHE
7+
// or http://www.apache.org/licenses/LICENSE-2.0> or the MIT license
8+
// <LICENSE-MIT or http://opensource.org/licenses/MIT>, at your option.
9+
// You may not use this file except in accordance with one or both of these
10+
// licenses.
11+
12+
//! Esplora by way of `reqwest` HTTP client.
13+
14+
use std::collections::HashMap;
15+
16+
use bitcoin::consensus::{deserialize, serialize};
17+
use bitcoin::hashes::hex::{FromHex, ToHex};
18+
use bitcoin::hashes::{sha256, Hash};
19+
use bitcoin::{BlockHeader, Script, Transaction, Txid};
20+
21+
#[allow(unused_imports)]
22+
use log::{debug, error, info, trace};
23+
24+
use reqwest::{Client, StatusCode};
25+
26+
use crate::{Builder, Error, Tx};
27+
28+
#[derive(Debug)]
29+
pub struct AsyncClient {
30+
url: String,
31+
client: Client,
32+
}
33+
34+
impl AsyncClient {
35+
pub fn from_builder(builder: Builder) -> Result<Self, Error> {
36+
let mut client_builder = Client::builder();
37+
38+
#[cfg(not(target_arch = "wasm32"))]
39+
if let Some(proxy) = &builder.proxy {
40+
client_builder = client_builder.proxy(reqwest::Proxy::all(proxy)?);
41+
}
42+
43+
#[cfg(not(target_arch = "wasm32"))]
44+
if let Some(timeout) = builder.timeout {
45+
client_builder = client_builder.timeout(core::time::Duration::from_secs(timeout));
46+
}
47+
48+
Ok(Self::from_client(builder.base_url, client_builder.build()?))
49+
}
50+
51+
pub fn from_client(url: String, client: Client) -> Self {
52+
AsyncClient { url, client }
53+
}
54+
55+
pub async fn get_tx(&self, txid: &Txid) -> Result<Option<Transaction>, Error> {
56+
let resp = self
57+
.client
58+
.get(&format!("{}/tx/{}/raw", self.url, txid))
59+
.send()
60+
.await?;
61+
62+
if let StatusCode::NOT_FOUND = resp.status() {
63+
return Ok(None);
64+
}
65+
66+
Ok(Some(deserialize(&resp.error_for_status()?.bytes().await?)?))
67+
}
68+
69+
pub async fn get_tx_no_opt(&self, txid: &Txid) -> Result<Transaction, Error> {
70+
match self.get_tx(txid).await {
71+
Ok(Some(tx)) => Ok(tx),
72+
Ok(None) => Err(Error::TransactionNotFound(*txid)),
73+
Err(e) => Err(e),
74+
}
75+
}
76+
77+
pub async fn get_header(&self, block_height: u32) -> Result<BlockHeader, Error> {
78+
let resp = self
79+
.client
80+
.get(&format!("{}/block-height/{}", self.url, block_height))
81+
.send()
82+
.await?;
83+
84+
if let StatusCode::NOT_FOUND = resp.status() {
85+
return Err(Error::HeaderHeightNotFound(block_height));
86+
}
87+
let bytes = resp.bytes().await?;
88+
let hash =
89+
std::str::from_utf8(&bytes).map_err(|_| Error::HeaderHeightNotFound(block_height))?;
90+
91+
let resp = self
92+
.client
93+
.get(&format!("{}/block/{}/header", self.url, hash))
94+
.send()
95+
.await?;
96+
97+
let header = deserialize(&Vec::from_hex(&resp.text().await?)?)?;
98+
99+
Ok(header)
100+
}
101+
102+
pub async fn broadcast(&self, transaction: &Transaction) -> Result<(), Error> {
103+
self.client
104+
.post(&format!("{}/tx", self.url))
105+
.body(serialize(transaction).to_hex())
106+
.send()
107+
.await?
108+
.error_for_status()?;
109+
110+
Ok(())
111+
}
112+
113+
pub async fn get_height(&self) -> Result<u32, Error> {
114+
let req = self
115+
.client
116+
.get(&format!("{}/blocks/tip/height", self.url))
117+
.send()
118+
.await?;
119+
120+
Ok(req.error_for_status()?.text().await?.parse()?)
121+
}
122+
123+
pub async fn scripthash_txs(
124+
&self,
125+
script: &Script,
126+
last_seen: Option<Txid>,
127+
) -> Result<Vec<Tx>, Error> {
128+
let script_hash = sha256::Hash::hash(script.as_bytes()).into_inner().to_hex();
129+
let url = match last_seen {
130+
Some(last_seen) => format!(
131+
"{}/scripthash/{}/txs/chain/{}",
132+
self.url, script_hash, last_seen
133+
),
134+
None => format!("{}/scripthash/{}/txs", self.url, script_hash),
135+
};
136+
Ok(self
137+
.client
138+
.get(url)
139+
.send()
140+
.await?
141+
.error_for_status()?
142+
.json::<Vec<Tx>>()
143+
.await?)
144+
}
145+
146+
pub async fn get_fee_estimates(&self) -> Result<HashMap<String, f64>, Error> {
147+
Ok(self
148+
.client
149+
.get(&format!("{}/fee-estimates", self.url,))
150+
.send()
151+
.await?
152+
.error_for_status()?
153+
.json::<HashMap<String, f64>>()
154+
.await?)
155+
}
156+
}

0 commit comments

Comments
 (0)