breez_sdk_liquid/recover/handlers/
handle_chain_receive_swap.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
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
use anyhow::Result;
use boltz_client::boltz::PairLimits;
use boltz_client::ElementsAddress;
use log::{debug, warn};
use lwk_wollet::elements::{secp256k1_zkp, AddressParams};
use lwk_wollet::elements_miniscript::slip77::MasterBlindingKey;

use crate::prelude::*;
use crate::recover::model::*;

use super::determine_incoming_lockup_and_claim_txs;

/// Handler for updating chain receive swaps with recovered data
pub(crate) struct ChainReceiveSwapHandler;

impl ChainReceiveSwapHandler {
    /// Check if chain receive swap recovery should be skipped
    pub fn should_skip_recovery(
        chain_swap: &ChainSwap,
        recovered_data: &RecoveredOnchainDataChainReceive,
        is_local_within_grace_period: bool,
    ) -> bool {
        let swap_id = &chain_swap.id;

        let claim_is_cleared =
            chain_swap.claim_tx_id.is_some() && recovered_data.lbtc_claim_tx_id.is_none();
        let refund_is_cleared =
            chain_swap.refund_tx_id.is_some() && recovered_data.btc_refund_tx_id.is_none();

        if is_local_within_grace_period && (claim_is_cleared || refund_is_cleared) {
            warn!(
                "Local incoming chain swap {swap_id} was updated recently - skipping recovery \
                as it would clear a tx that may have been broadcasted by us. Claim clear: \
                {claim_is_cleared} - Refund clear: {refund_is_cleared}"
            );
            return true;
        }

        false
    }

    /// Recover and update a chain receive swap with data from the chain
    pub async fn recover_swap(
        chain_swap: &mut ChainSwap,
        context: &RecoveryContext,
        is_local_within_grace_period: bool,
    ) -> Result<()> {
        let swap_id = &chain_swap.id.clone();
        debug!("[Recover Chain Receive] Recovering data for swap {swap_id}");

        // Extract lockup script from swap
        let lockup_script = chain_swap
            .get_lockup_swap_script()
            .ok()
            .and_then(|script| script.as_bitcoin_script().ok())
            .and_then(|script| script.funding_addrs.map(|addr| addr.script_pubkey()))
            .ok_or_else(|| {
                anyhow::anyhow!("BTC lockup script not found for Onchain Receive Swap {swap_id}")
            })?;

        let claim_script = chain_swap
            .get_claim_swap_script()
            .ok()
            .and_then(|script| script.as_liquid_script().ok())
            .and_then(|script| script.funding_addrs.map(|addr| addr.script_pubkey()))
            .ok_or_else(|| {
                anyhow::anyhow!("BTC claim script not found for Onchain Send Swap {swap_id}")
            })?;

        let history = &ReceiveChainSwapHistory {
            lbtc_claim_script_history: context
                .lbtc_script_to_history_map
                .get(&claim_script)
                .cloned()
                .unwrap_or_default(),
            btc_lockup_script_history: context
                .btc_script_to_history_map
                .get(&lockup_script)
                .cloned()
                .unwrap_or(Vec::new()),
            btc_lockup_script_txs: context
                .btc_script_to_txs_map
                .get(&lockup_script)
                .cloned()
                .unwrap_or(Vec::new()),
            btc_lockup_script_balance: context
                .btc_script_to_balance_map
                .get(&lockup_script)
                .cloned(),
        };

        // First obtain transaction IDs from the history
        let recovered_data = Self::recover_onchain_data(
            &context.tx_map,
            history,
            &lockup_script,
            &context.master_blinding_key,
        )?;

        // Update the swap with recovered data
        Self::update_swap(
            chain_swap,
            &recovered_data,
            context.bitcoin_tip_height,
            is_local_within_grace_period,
        )
    }

    /// Update a chain receive swap with recovered data
    pub fn update_swap(
        chain_swap: &mut ChainSwap,
        recovered_data: &RecoveredOnchainDataChainReceive,
        current_block_height: u32,
        is_local_within_grace_period: bool,
    ) -> Result<()> {
        // Skip updating if within grace period and would clear transactions
        if Self::should_skip_recovery(chain_swap, recovered_data, is_local_within_grace_period) {
            return Ok(());
        }

        // Update amount if available
        if recovered_data.btc_user_lockup_amount_sat > 0 {
            chain_swap.actual_payer_amount_sat = Some(recovered_data.btc_user_lockup_amount_sat);
        }

        // Update state based on chain tip
        let is_expired = current_block_height >= chain_swap.timeout_block_height;
        let (expected_user_lockup_amount_sat, swap_limits) = match chain_swap.payer_amount_sat {
            0 => (None, Some(chain_swap.get_boltz_pair()?.limits)),
            expected => (Some(expected), None),
        };

        if let Some(new_state) = recovered_data.derive_partial_state(
            expected_user_lockup_amount_sat,
            swap_limits,
            is_expired,
            chain_swap.is_waiting_fee_acceptance(),
        ) {
            chain_swap.state = new_state;
        }

        // Update transaction IDs
        chain_swap.server_lockup_tx_id = recovered_data
            .lbtc_server_lockup_tx_id
            .clone()
            .map(|h| h.txid.to_string());
        chain_swap.claim_address = recovered_data.lbtc_claim_address.clone();
        chain_swap.user_lockup_tx_id = recovered_data
            .btc_user_lockup_tx_id
            .clone()
            .map(|h| h.txid.to_string());
        chain_swap.claim_tx_id = recovered_data
            .lbtc_claim_tx_id
            .clone()
            .map(|h| h.txid.to_string());
        chain_swap.refund_tx_id = recovered_data
            .btc_refund_tx_id
            .clone()
            .map(|h| h.txid.to_string());

        Ok(())
    }

    /// Reconstruct Chain Receive Swap tx IDs from the onchain data
    ///
    /// The implementation tolerates a `tx_map` that is older than the history in the sense that
    /// no incorrect data is recovered. Transactions that are missing from `tx_map` are simply not recovered.
    fn recover_onchain_data(
        tx_map: &TxMap,
        history: &ReceiveChainSwapHistory,
        lockup_script: &BtcScript,
        master_blinding_key: &MasterBlindingKey,
    ) -> Result<RecoveredOnchainDataChainReceive> {
        let secp = secp256k1_zkp::Secp256k1::new();

        // Determine lockup and claim txs
        let (lbtc_server_lockup_tx_id, lbtc_claim_tx_id) =
            determine_incoming_lockup_and_claim_txs(&history.lbtc_claim_script_history, tx_map);

        // Get claim address from tx
        let lbtc_claim_address = if let Some(claim_tx_id) = &lbtc_claim_tx_id {
            tx_map
                .incoming_tx_map
                .get(&claim_tx_id.txid)
                .and_then(|tx| {
                    tx.outputs
                        .iter()
                        .find(|output| output.is_some())
                        .and_then(|output| output.clone().map(|o| o.script_pubkey))
                })
                .and_then(|script| {
                    ElementsAddress::from_script(
                        &script,
                        Some(master_blinding_key.blinding_key(&secp, &script)),
                        &AddressParams::LIQUID,
                    )
                    .map(|addr| addr.to_string())
                })
        } else {
            None
        };

        // Get current confirmed amount for lockup script
        let btc_user_lockup_address_balance_sat = history
            .btc_lockup_script_balance
            .as_ref()
            .map(|balance| balance.confirmed)
            .unwrap_or_default();

        // Process Bitcoin transactions
        let (btc_lockup_incoming_txs, btc_lockup_outgoing_txs): (Vec<_>, Vec<_>) =
            history.btc_lockup_script_txs.iter().partition(|tx| {
                tx.output
                    .iter()
                    .any(|out| matches!(&out.script_pubkey, x if x == lockup_script))
            });

        // Get user lockup tx from first incoming tx
        let btc_user_lockup_tx_id = btc_lockup_incoming_txs
            .first()
            .and_then(|tx| {
                history
                    .btc_lockup_script_history
                    .iter()
                    .find(|h| h.txid.as_raw_hash() == tx.compute_txid().as_raw_hash())
            })
            .cloned();

        // Get the lockup amount
        let btc_user_lockup_amount_sat = btc_lockup_incoming_txs
            .first()
            .and_then(|tx| {
                tx.output
                    .iter()
                    .find(|out| out.script_pubkey == *lockup_script)
                    .map(|out| out.value)
            })
            .unwrap_or_default()
            .to_sat();

        // Collect outgoing tx IDs
        let btc_outgoing_tx_ids: Vec<BtcHistory> = btc_lockup_outgoing_txs
            .iter()
            .filter_map(|tx| {
                history
                    .btc_lockup_script_history
                    .iter()
                    .find(|h| h.txid.as_raw_hash() == tx.compute_txid().as_raw_hash())
            })
            .cloned()
            .collect();

        // Get last unconfirmed tx or last tx
        let btc_last_outgoing_tx_id = btc_outgoing_tx_ids
            .iter()
            .rev()
            .find(|h| h.height == 0)
            .or(btc_outgoing_tx_ids.last())
            .cloned();

        // Determine the refund tx based on claim status
        let btc_refund_tx_id = match lbtc_claim_tx_id.is_some() {
            true => match btc_lockup_outgoing_txs.len() > 1 {
                true => btc_last_outgoing_tx_id,
                false => None,
            },
            false => btc_last_outgoing_tx_id,
        };

        Ok(RecoveredOnchainDataChainReceive {
            lbtc_server_lockup_tx_id,
            lbtc_claim_tx_id,
            lbtc_claim_address,
            btc_user_lockup_tx_id,
            btc_user_lockup_address_balance_sat,
            btc_user_lockup_amount_sat,
            btc_refund_tx_id,
        })
    }
}

pub(crate) struct RecoveredOnchainDataChainReceive {
    /// LBTC tx locking up funds by the swapper
    pub(crate) lbtc_server_lockup_tx_id: Option<LBtcHistory>,
    /// LBTC tx that claims to our wallet. The final step in a successful swap.
    pub(crate) lbtc_claim_tx_id: Option<LBtcHistory>,
    /// LBTC tx out address for the claim tx.
    pub(crate) lbtc_claim_address: Option<String>,
    /// BTC tx initiated by the payer (the "user" as per Boltz), sending funds to the swap funding address.
    pub(crate) btc_user_lockup_tx_id: Option<BtcHistory>,
    /// BTC total funds currently available at the swap funding address.
    pub(crate) btc_user_lockup_address_balance_sat: u64,
    /// BTC sent to lockup address as part of lockup tx.
    pub(crate) btc_user_lockup_amount_sat: u64,
    /// BTC tx initiated by the SDK to a user-chosen address, in case the initial funds have to be refunded.
    pub(crate) btc_refund_tx_id: Option<BtcHistory>,
}

impl RecoveredOnchainDataChainReceive {
    pub(crate) fn derive_partial_state(
        &self,
        expected_user_lockup_amount_sat: Option<u64>,
        swap_limits: Option<PairLimits>,
        is_expired: bool,
        is_waiting_fee_acceptance: bool,
    ) -> Option<PaymentState> {
        let unexpected_amount =
            expected_user_lockup_amount_sat.is_some_and(|expected_lockup_amount_sat| {
                expected_lockup_amount_sat != self.btc_user_lockup_amount_sat
            });
        let amount_out_of_bounds = swap_limits.is_some_and(|limits| {
            self.btc_user_lockup_amount_sat < limits.minimal
                || self.btc_user_lockup_amount_sat > limits.maximal
        });
        let is_expired_refundable = is_expired && self.btc_user_lockup_address_balance_sat > 0;
        let is_refundable = is_expired_refundable || unexpected_amount || amount_out_of_bounds;
        match &self.btc_user_lockup_tx_id {
            Some(_) => match (&self.lbtc_claim_tx_id, &self.btc_refund_tx_id) {
                (Some(lbtc_claim_tx_id), None) => match lbtc_claim_tx_id.confirmed() {
                    true => match is_expired_refundable {
                        true => Some(PaymentState::Refundable),
                        false => Some(PaymentState::Complete),
                    },
                    false => Some(PaymentState::Pending),
                },
                (None, Some(btc_refund_tx_id)) => match btc_refund_tx_id.confirmed() {
                    true => match is_expired_refundable {
                        true => Some(PaymentState::Refundable),
                        false => Some(PaymentState::Failed),
                    },
                    false => Some(PaymentState::RefundPending),
                },
                (Some(lbtc_claim_tx_id), Some(btc_refund_tx_id)) => {
                    match lbtc_claim_tx_id.confirmed() {
                        true => match btc_refund_tx_id.confirmed() {
                            true => match is_expired_refundable {
                                true => Some(PaymentState::Refundable),
                                false => Some(PaymentState::Complete),
                            },
                            false => Some(PaymentState::RefundPending),
                        },
                        false => Some(PaymentState::Pending),
                    }
                }
                (None, None) => match is_refundable {
                    true => Some(PaymentState::Refundable),
                    false => match is_waiting_fee_acceptance {
                        true => Some(PaymentState::WaitingFeeAcceptance),
                        false => Some(PaymentState::Pending),
                    },
                },
            },
            None => match is_expired {
                true => Some(PaymentState::Failed),
                // We have no onchain data to support deriving the state as the swap could
                // potentially be Created. In this case we return None.
                false => None,
            },
        }
    }
}

#[derive(Clone)]
pub(crate) struct ReceiveChainSwapHistory {
    pub(crate) lbtc_claim_script_history: Vec<LBtcHistory>,
    pub(crate) btc_lockup_script_history: Vec<BtcHistory>,
    pub(crate) btc_lockup_script_txs: Vec<bitcoin::Transaction>,
    pub(crate) btc_lockup_script_balance: Option<BtcScriptBalance>,
}