Skip to content
This commit does not belong to any branch on this repository, and may belong to a fork outside of the repository.

Commit e5aa76c

Browse files
committedJan 21, 2025
Add /txs/package endpoint to submit tx packages
1 parent 3bb331d commit e5aa76c

File tree

3 files changed

+110
-2
lines changed

3 files changed

+110
-2
lines changed
 

‎src/daemon.rs

+47
Original file line numberDiff line numberDiff line change
@@ -128,6 +128,34 @@ struct NetworkInfo {
128128
relayfee: f64, // in BTC/kB
129129
}
130130

131+
#[derive(Serialize, Deserialize, Debug)]
132+
struct MempoolFeesSubmitPackage {
133+
base: f64,
134+
#[serde(rename = "effective-feerate")]
135+
effective_feerate: Option<f64>,
136+
#[serde(rename = "effective-includes")]
137+
effective_includes: Option<Vec<String>>,
138+
}
139+
140+
#[derive(Serialize, Deserialize, Debug)]
141+
pub struct SubmitPackageResult {
142+
package_msg: String,
143+
#[serde(rename = "tx-results")]
144+
tx_results: HashMap<String, TxResult>,
145+
#[serde(rename = "replaced-transactions")]
146+
replaced_transactions: Option<Vec<String>>,
147+
}
148+
149+
#[derive(Serialize, Deserialize, Debug)]
150+
pub struct TxResult {
151+
txid: String,
152+
#[serde(rename = "other-wtxid")]
153+
other_wtxid: Option<String>,
154+
vsize: Option<u32>,
155+
fees: Option<MempoolFeesSubmitPackage>,
156+
error: Option<String>,
157+
}
158+
131159
pub trait CookieGetter: Send + Sync {
132160
fn get(&self) -> Result<Vec<u8>>;
133161
}
@@ -549,6 +577,25 @@ impl Daemon {
549577
)
550578
}
551579

580+
pub fn submit_package(
581+
&self,
582+
txhex: Vec<String>,
583+
maxfeerate: Option<f64>,
584+
maxburnamount: Option<f64>,
585+
) -> Result<SubmitPackageResult> {
586+
let params = match (maxfeerate, maxburnamount) {
587+
(Some(rate), Some(burn)) => {
588+
json!([txhex, format!("{:.8}", rate), format!("{:.8}", burn)])
589+
}
590+
(Some(rate), None) => json!([txhex, format!("{:.8}", rate)]),
591+
(None, Some(burn)) => json!([txhex, null, format!("{:.8}", burn)]),
592+
(None, None) => json!([txhex]),
593+
};
594+
let result = self.request("submitpackage", params)?;
595+
serde_json::from_value::<SubmitPackageResult>(result)
596+
.chain_err(|| "invalid submitpackage reply")
597+
}
598+
552599
// Get estimated feerates for the provided confirmation targets using a batch RPC request
553600
// Missing estimates are logged but do not cause a failure, whatever is available is returned
554601
#[allow(clippy::float_cmp)]

‎src/new_index/query.rs

+10-1
Original file line numberDiff line numberDiff line change
@@ -6,7 +6,7 @@ use std::time::{Duration, Instant};
66

77
use crate::chain::{Network, OutPoint, Transaction, TxOut, Txid};
88
use crate::config::Config;
9-
use crate::daemon::Daemon;
9+
use crate::daemon::{Daemon, SubmitPackageResult};
1010
use crate::errors::*;
1111
use crate::new_index::{ChainQuery, Mempool, ScriptStats, SpendingInput, Utxo};
1212
use crate::util::{is_spendable, BlockId, Bytes, TransactionStatus};
@@ -78,6 +78,15 @@ impl Query {
7878
Ok(txid)
7979
}
8080

81+
pub fn submit_package(
82+
&self,
83+
txhex: Vec<String>,
84+
maxfeerate: Option<f64>,
85+
maxburnamount: Option<f64>,
86+
) -> Result<SubmitPackageResult> {
87+
self.daemon.submit_package(txhex, maxfeerate, maxburnamount)
88+
}
89+
8190
pub fn utxo(&self, scripthash: &[u8]) -> Result<Vec<Utxo>> {
8291
let mut utxos = self.chain.utxo(scripthash, self.config.utxos_limit)?;
8392
let mempool = self.mempool();

‎src/rest.rs

+53-1
Original file line numberDiff line numberDiff line change
@@ -15,7 +15,7 @@ use crate::util::{
1515
use bitcoin::consensus::encode;
1616

1717
use bitcoin::hashes::FromSliceError as HashError;
18-
use hex::{DisplayHex, FromHex};
18+
use hex::{DisplayHex, FromHex, HexToBytesIter};
1919
use hyper::service::{make_service_fn, service_fn};
2020
use hyper::{Body, Method, Response, Server, StatusCode};
2121
use hyperlocal::UnixServerExt;
@@ -992,6 +992,58 @@ fn handle_request(
992992
.map_err(|err| HttpError::from(err.description().to_string()))?;
993993
http_message(StatusCode::OK, txid.to_string(), 0)
994994
}
995+
(&Method::POST, Some(&"txs"), Some(&"package"), None, None, None) => {
996+
let txhexes: Vec<String> =
997+
serde_json::from_str(String::from_utf8(body.to_vec())?.as_str())?;
998+
999+
if txhexes.len() > 25 {
1000+
Result::Err(HttpError::from(
1001+
"Exceeded maximum of 25 transactions".to_string(),
1002+
))?
1003+
}
1004+
1005+
let maxfeerate = query_params
1006+
.get("maxfeerate")
1007+
.map(|s| {
1008+
s.parse::<f64>()
1009+
.map_err(|_| HttpError::from("Invalid maxfeerate".to_string()))
1010+
})
1011+
.transpose()?;
1012+
1013+
let maxburnamount = query_params
1014+
.get("maxburnamount")
1015+
.map(|s| {
1016+
s.parse::<f64>()
1017+
.map_err(|_| HttpError::from("Invalid maxburnamount".to_string()))
1018+
})
1019+
.transpose()?;
1020+
1021+
// pre-checks
1022+
txhexes.iter().enumerate().try_for_each(|(index, txhex)| {
1023+
// each transaction must be of reasonable size
1024+
// (more than 60 bytes, within 400kWU standardness limit)
1025+
if !(120..800_000).contains(&txhex.len()) {
1026+
Result::Err(HttpError::from(format!(
1027+
"Invalid transaction size for item {}",
1028+
index
1029+
)))
1030+
} else {
1031+
// must be a valid hex string
1032+
HexToBytesIter::new(txhex)
1033+
.and_then(|iter| iter.filter(|r| r.is_err()).next().transpose())
1034+
.map_err(|_| {
1035+
HttpError::from(format!("Invalid transaction hex for item {}", index))
1036+
})
1037+
.map(|_| ())
1038+
}
1039+
})?;
1040+
1041+
let result = query
1042+
.submit_package(txhexes, maxfeerate, maxburnamount)
1043+
.map_err(|err| HttpError::from(err.description().to_string()))?;
1044+
1045+
json_response(result, TTL_SHORT)
1046+
}
9951047

9961048
(&Method::GET, Some(&"mempool"), None, None, None, None) => {
9971049
json_response(query.mempool().backlog_stats(), TTL_SHORT)

0 commit comments

Comments
 (0)
Please sign in to comment.