breez_sdk_liquid/recover/handlers/
handle_send_swap.rsuse anyhow::Result;
use boltz_client::ToHex;
use log::{debug, error, warn};
use lwk_wollet::elements::Txid;
use sdk_common::utils::Arc;
use crate::prelude::*;
use crate::recover::model::*;
use crate::swapper::Swapper;
use crate::utils;
pub(crate) struct SendSwapHandler;
impl SendSwapHandler {
pub fn should_skip_recovery(
send_swap: &SendSwap,
recovered_data: &RecoveredOnchainDataSend,
is_local_within_grace_period: bool,
) -> bool {
let swap_id = &send_swap.id;
let lockup_is_cleared =
send_swap.lockup_tx_id.is_some() && recovered_data.lockup_tx_id.is_none();
let refund_is_cleared =
send_swap.refund_tx_id.is_some() && recovered_data.refund_tx_id.is_none();
if is_local_within_grace_period && (lockup_is_cleared || refund_is_cleared) {
warn!(
"Local send swap {swap_id} was updated recently - skipping recovery \
as it would clear a tx that may have been broadcasted by us. Lockup clear: \
{lockup_is_cleared} - Refund clear: {refund_is_cleared}"
);
return true;
}
false
}
pub async fn recover_swap(
send_swap: &mut SendSwap,
context: &RecoveryContext,
is_local_within_grace_period: bool,
) -> Result<()> {
let swap_id = send_swap.id.clone();
debug!("[Recover Send] Recovering data for swap {swap_id}");
let swap_script = send_swap.get_swap_script()?;
let lockup_script = swap_script
.funding_addrs
.ok_or(anyhow::anyhow!("no funding address found"))?
.script_pubkey();
let empty_history = Vec::<LBtcHistory>::new();
let history = context
.lbtc_script_to_history_map
.get(&lockup_script)
.unwrap_or(&empty_history);
let mut recovered_data = Self::recover_onchain_data(&context.tx_map, &swap_id, history)?;
if let (Some(claim_tx_id), None) = (&recovered_data.claim_tx_id, &send_swap.preimage) {
match Self::recover_preimage(
context,
claim_tx_id.txid,
&swap_id,
context.swapper.clone(),
)
.await
{
Ok(Some(preimage)) => {
recovered_data.preimage = Some(preimage);
}
Ok(None) => {
warn!("No preimage found for Send Swap {swap_id}");
recovered_data.claim_tx_id = None;
}
Err(e) => {
error!("Failed to recover preimage for swap {swap_id}: {e}");
recovered_data.claim_tx_id = None
}
}
}
Self::update_swap(
send_swap,
&swap_id,
&recovered_data,
context.liquid_tip_height,
is_local_within_grace_period,
)
}
pub fn update_swap(
send_swap: &mut SendSwap,
swap_id: &str,
recovered_data: &RecoveredOnchainDataSend,
current_block_height: u32,
is_local_within_grace_period: bool,
) -> Result<()> {
if Self::should_skip_recovery(send_swap, recovered_data, is_local_within_grace_period) {
return Ok(());
}
send_swap.lockup_tx_id = recovered_data
.lockup_tx_id
.clone()
.map(|h| h.txid.to_string());
send_swap.refund_tx_id = recovered_data
.refund_tx_id
.clone()
.map(|h| h.txid.to_string());
if let Some(preimage) = &recovered_data.preimage {
match utils::verify_payment_hash(preimage, &send_swap.invoice) {
Ok(_) => send_swap.preimage = Some(preimage.clone()),
Err(e) => {
error!("Failed to verify recovered preimage for swap {swap_id}: {e}");
}
}
}
let timeout_block_height = send_swap.timeout_block_height as u32;
let is_expired = current_block_height >= timeout_block_height;
if let Some(new_state) = recovered_data.derive_partial_state(is_expired) {
send_swap.state = new_state;
}
Ok(())
}
fn recover_onchain_data(
tx_map: &TxMap,
swap_id: &str,
wallet_history: &[LBtcHistory],
) -> Result<RecoveredOnchainDataSend> {
let lockup_tx_id = wallet_history
.iter()
.find(|&tx| tx_map.outgoing_tx_map.contains_key::<Txid>(&tx.txid))
.cloned();
let claim_tx_id = if lockup_tx_id.is_some() {
wallet_history
.iter()
.filter(|&tx| !tx_map.incoming_tx_map.contains_key::<Txid>(&tx.txid))
.find(|&tx| !tx_map.outgoing_tx_map.contains_key::<Txid>(&tx.txid))
.cloned()
} else {
error!("No lockup tx found when recovering data for Send Swap {swap_id}");
None
};
let refund_tx_id = wallet_history
.iter()
.find(|&tx| tx_map.incoming_tx_map.contains_key::<Txid>(&tx.txid))
.cloned();
Ok(RecoveredOnchainDataSend {
lockup_tx_id,
claim_tx_id,
refund_tx_id,
preimage: None,
})
}
async fn recover_preimage(
context: &RecoveryContext,
claim_tx_id: Txid,
swap_id: &str,
swapper: Arc<dyn Swapper>,
) -> Result<Option<String>> {
if let Ok(preimage) = swapper.get_submarine_preimage(swap_id).await {
log::debug!("Found Send Swap {swap_id} preimage cooperatively: {preimage}");
return Ok(Some(preimage));
}
warn!("Could not recover Send swap {swap_id} preimage cooperatively");
let claim_txs = context
.liquid_chain_service
.get_transactions(&[claim_tx_id])
.await?;
match claim_txs.is_empty() {
false => Self::extract_preimage_from_claim_tx(&claim_txs[0], swap_id).map(Some),
true => {
warn!("Could not recover Send swap {swap_id} preimage non cooperatively");
Ok(None)
}
}
}
pub fn extract_preimage_from_claim_tx(
claim_tx: &lwk_wollet::elements::Transaction,
swap_id: &str,
) -> Result<String> {
use lwk_wollet::bitcoin::Witness;
use lwk_wollet::hashes::{sha256, Hash as _};
let input = claim_tx
.input
.first()
.ok_or_else(|| anyhow::anyhow!("Found no input for claim tx"))?;
let script_witness_bytes = input.clone().witness.script_witness;
log::debug!("Found Send Swap {swap_id} claim tx witness: {script_witness_bytes:?}");
let script_witness = Witness::from(script_witness_bytes);
let preimage_bytes = script_witness
.nth(1)
.ok_or_else(|| anyhow::anyhow!("Claim tx witness has no preimage"))?;
let preimage = sha256::Hash::from_slice(preimage_bytes)
.map_err(|e| anyhow::anyhow!("Claim tx witness has invalid preimage: {e}"))?;
let preimage_hex = preimage.to_hex();
log::debug!("Found Send Swap {swap_id} claim tx preimage: {preimage_hex}");
Ok(preimage_hex)
}
}
pub(crate) struct RecoveredOnchainDataSend {
pub(crate) lockup_tx_id: Option<LBtcHistory>,
pub(crate) claim_tx_id: Option<LBtcHistory>,
pub(crate) refund_tx_id: Option<LBtcHistory>,
pub(crate) preimage: Option<String>,
}
impl RecoveredOnchainDataSend {
pub(crate) fn derive_partial_state(&self, is_expired: bool) -> Option<PaymentState> {
match &self.lockup_tx_id {
Some(_) => match &self.claim_tx_id {
Some(_) => Some(PaymentState::Complete),
None => match &self.refund_tx_id {
Some(refund_tx_id) => match refund_tx_id.confirmed() {
true => Some(PaymentState::Failed),
false => Some(PaymentState::RefundPending),
},
None => match is_expired {
true => Some(PaymentState::RefundPending),
false => Some(PaymentState::Pending),
},
},
},
None => match is_expired {
true => Some(PaymentState::Failed),
false => None,
},
}
}
}