breez_sdk_liquid/recover/
recoverer.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
use std::collections::HashMap;

use anyhow::{anyhow, ensure, Result};
use log::{debug, info, warn};

use super::handlers::{
    ChainReceiveSwapHandler, ChainSendSwapHandler, ReceiveSwapHandler, SendSwapHandler,
};
use super::model::*;
use crate::prelude::*;

use elements::Txid;
use lwk_wollet::{
    elements_miniscript::slip77::MasterBlindingKey,
    hashes::hex::{DisplayHex, FromHex},
    WalletTx,
};
use sdk_common::utils::Arc;

use crate::sdk::NETWORK_PROPAGATION_GRACE_PERIOD;
use crate::swapper::Swapper;
use crate::wallet::OnchainWallet;
use crate::{
    chain::{bitcoin::BitcoinChainService, liquid::LiquidChainService},
    model::{BtcScript, Direction, LBtcScript},
    persist::Persister,
    prelude::Swap,
    utils,
};

const LIQUID_TIP_LEEWAY: u32 = 3;

pub struct Recoverer {
    master_blinding_key: MasterBlindingKey,
    swapper: Arc<dyn Swapper>,
    onchain_wallet: Arc<dyn OnchainWallet>,
    liquid_chain_service: Arc<dyn LiquidChainService>,
    bitcoin_chain_service: Arc<dyn BitcoinChainService>,
    persister: Arc<Persister>,
}

impl Recoverer {
    pub(crate) fn new(
        master_blinding_key: Vec<u8>,
        swapper: Arc<dyn Swapper>,
        onchain_wallet: Arc<dyn OnchainWallet>,
        liquid_chain_service: Arc<dyn LiquidChainService>,
        bitcoin_chain_service: Arc<dyn BitcoinChainService>,
        persister: Arc<Persister>,
    ) -> Result<Self> {
        Ok(Self {
            master_blinding_key: MasterBlindingKey::from_hex(
                &master_blinding_key.to_lower_hex_string(),
            )?,
            swapper,
            onchain_wallet,
            liquid_chain_service,
            bitcoin_chain_service,
            persister,
        })
    }

    /// For each swap, recovers data from chain services.
    ///
    /// The returned data include txs and the partial swap state. See [PartialSwapState::derive_partial_state].
    ///
    /// The caller is expected to merge this data with any other data available, then persist the
    /// reconstructed swap.
    ///
    /// ### Arguments
    ///
    /// - `swaps`: The swaps for which we want to recover onchain data.
    ///
    /// Returns the raw onchain tx map used for recovery.
    pub(crate) async fn recover_from_onchain(
        &self,
        swaps: &mut [Swap],
    ) -> Result<HashMap<Txid, WalletTx>> {
        self.sync_wallet_if_needed().await?;

        let recovery_started_at = utils::now();

        // Create wallet transactions map
        let raw_tx_map = self.onchain_wallet.transactions_by_tx_id().await?;

        // Fetch chain tips for expiration checks
        let bitcoin_tip = self.bitcoin_chain_service.tip().await?;
        let liquid_tip = self.liquid_chain_service.tip().await?;

        // Convert swaps to SwapsList and fetch history data
        let swaps_list = swaps.to_vec().try_into()?;
        let recovery_context = self
            .create_recovery_context(
                &swaps_list,
                TxMap::from_raw_tx_map(raw_tx_map.clone()),
                liquid_tip,
                bitcoin_tip,
                self.master_blinding_key,
            )
            .await?;

        // Apply recovered data to the swaps
        for swap in swaps.iter_mut() {
            let swap_id = &swap.id();
            let is_local_within_grace_period = swap.is_local()
                && recovery_started_at.saturating_sub(swap.last_updated_at())
                    < NETWORK_PROPAGATION_GRACE_PERIOD.as_secs() as u32;
            let res = match swap {
                Swap::Send(s) => {
                    SendSwapHandler::recover_swap(
                        s,
                        &recovery_context,
                        is_local_within_grace_period,
                    )
                    .await
                }

                Swap::Receive(s) => {
                    ReceiveSwapHandler::recover_swap(
                        s,
                        &recovery_context,
                        is_local_within_grace_period,
                    )
                    .await
                }
                Swap::Chain(s) => match s.direction {
                    Direction::Outgoing => {
                        ChainSendSwapHandler::recover_swap(
                            s,
                            &recovery_context,
                            is_local_within_grace_period,
                        )
                        .await
                    }
                    Direction::Incoming => {
                        ChainReceiveSwapHandler::recover_swap(
                            s,
                            &recovery_context,
                            is_local_within_grace_period,
                        )
                        .await
                    }
                },
            };
            if let Err(err) = res {
                warn!("Error recovering data for swap {swap_id}: {err}");
            }
        }

        Ok(raw_tx_map)
    }

    async fn sync_wallet_if_needed(&self) -> Result<()> {
        let wallet_tip = self.onchain_wallet.tip().await;
        let liquid_tip = self.liquid_chain_service.tip().await?;
        let tip_difference = wallet_tip.abs_diff(liquid_tip);
        let tips_too_far_apart = tip_difference > LIQUID_TIP_LEEWAY;

        let last_used_derivation_index = self
            .persister
            .get_last_derivation_index()?
            .unwrap_or_default();
        let last_scanned_derivation_index = self
            .persister
            .get_last_scanned_derivation_index()?
            .unwrap_or_default();
        let has_unscanned_derivation_indices =
            last_used_derivation_index > last_scanned_derivation_index;

        if tips_too_far_apart || has_unscanned_derivation_indices {
            if tips_too_far_apart {
                debug!(
                    "Starting manual wallet sync due to tips difference {} exceeding leeway {} (wallet: {}, liquid: {})",
                    tip_difference,
                    LIQUID_TIP_LEEWAY,
                    wallet_tip,
                    liquid_tip
                );
            }
            if has_unscanned_derivation_indices {
                debug!(
                    "Starting manual wallet sync due to unscanned derivation indices {} to {}",
                    last_scanned_derivation_index, last_used_derivation_index
                );
            }
            self.onchain_wallet.full_scan().await?;
        }
        Ok(())
    }

    /// For a given [SwapList], this fetches the script histories from the chain services
    async fn create_recovery_context(
        &self,
        swaps_list: &SwapsList,
        tx_map: TxMap,
        liquid_tip_height: u32,
        bitcoin_tip_height: u32,
        master_blinding_key: MasterBlindingKey,
    ) -> Result<RecoveryContext> {
        // Fetch history data for each lbtc swap script
        let lbtc_script_to_history_map = self
            .fetch_lbtc_history_map(swaps_list.get_swap_lbtc_scripts())
            .await?;

        // Fetch history data for each btc swap script
        let (btc_script_to_history_map, btc_script_to_txs_map, btc_script_to_balance_map) = self
            .fetch_btc_script_maps(swaps_list.get_swap_btc_scripts())
            .await?;

        Ok(RecoveryContext {
            lbtc_script_to_history_map,
            btc_script_to_history_map,
            btc_script_to_txs_map,
            btc_script_to_balance_map,
            tx_map,
            liquid_tip_height,
            bitcoin_tip_height,
            master_blinding_key,
            liquid_chain_service: self.liquid_chain_service.clone(),
            swapper: self.swapper.clone(),
        })
    }

    async fn fetch_lbtc_history_map(
        &self,
        swap_lbtc_scripts: Vec<LBtcScript>,
    ) -> Result<HashMap<LBtcScript, Vec<LBtcHistory>>> {
        let t0 = web_time::Instant::now();
        let lbtc_script_histories = self
            .liquid_chain_service
            .get_scripts_history(&swap_lbtc_scripts)
            .await?;
        info!(
            "Recoverer executed liquid get_scripts_history for {} scripts in {} milliseconds",
            swap_lbtc_scripts.len(),
            t0.elapsed().as_millis()
        );

        let lbtc_swap_scripts_len = swap_lbtc_scripts.len();
        let lbtc_script_histories_len = lbtc_script_histories.len();
        ensure!(
                lbtc_swap_scripts_len == lbtc_script_histories_len,
                anyhow!("Got {lbtc_script_histories_len} L-BTC script histories, expected {lbtc_swap_scripts_len}")
            );
        let lbtc_script_to_history_map: HashMap<LBtcScript, Vec<LBtcHistory>> = swap_lbtc_scripts
            .into_iter()
            .zip(lbtc_script_histories.into_iter())
            .collect();

        Ok(lbtc_script_to_history_map)
    }

    async fn fetch_btc_script_maps(
        &self,
        swap_btc_script_bufs: Vec<BtcScript>,
    ) -> Result<(
        HashMap<BtcScript, Vec<BtcHistory>>,
        HashMap<BtcScript, Vec<bitcoin::Transaction>>,
        HashMap<BtcScript, BtcScriptBalance>,
    )> {
        let swap_btc_scripts = swap_btc_script_bufs
            .iter()
            .map(|x| x.as_script())
            .collect::<Vec<&lwk_wollet::bitcoin::Script>>();

        let t0 = web_time::Instant::now();
        let btc_script_histories = self
            .bitcoin_chain_service
            .get_scripts_history(&swap_btc_scripts)
            .await?;

        info!(
            "Recoverer executed bitcoin get_scripts_history for {} scripts in {} milliseconds",
            swap_btc_scripts.len(),
            t0.elapsed().as_millis()
        );

        let btx_script_tx_ids: Vec<lwk_wollet::bitcoin::Txid> = btc_script_histories
            .iter()
            .flatten()
            .map(|h| h.txid.to_raw_hash())
            .map(lwk_wollet::bitcoin::Txid::from_raw_hash)
            .collect::<Vec<lwk_wollet::bitcoin::Txid>>();

        let btc_swap_scripts_len = swap_btc_script_bufs.len();
        let btc_script_histories_len = btc_script_histories.len();
        ensure!(
            btc_swap_scripts_len == btc_script_histories_len,
            anyhow!("Got {btc_script_histories_len} BTC script histories, expected {btc_swap_scripts_len}")
        );
        let btc_script_to_history_map: HashMap<BtcScript, Vec<BtcHistory>> = swap_btc_script_bufs
            .clone()
            .into_iter()
            .zip(btc_script_histories.clone())
            .collect();

        let t0 = web_time::Instant::now();
        let btc_script_txs = self
            .bitcoin_chain_service
            .get_transactions(&btx_script_tx_ids)
            .await?;
        info!(
            "Recoverer executed bitcoin get_transactions for {} transactions in {} milliseconds",
            btx_script_tx_ids.len(),
            t0.elapsed().as_millis()
        );

        let t0 = web_time::Instant::now();
        let btc_script_balances = self
            .bitcoin_chain_service
            .scripts_get_balance(&swap_btc_scripts)
            .await?;
        info!(
            "Recoverer executed bitcoin scripts_get_balance for {} scripts in {} milliseconds",
            swap_btc_scripts.len(),
            t0.elapsed().as_millis()
        );

        let btc_script_to_txs_map: HashMap<BtcScript, Vec<boltz_client::bitcoin::Transaction>> =
            swap_btc_script_bufs
                .clone()
                .into_iter()
                .zip(btc_script_histories.iter())
                .map(|(script, history)| {
                    let relevant_tx_ids: Vec<bitcoin::Txid> =
                        history.iter().map(|h| h.txid).collect();
                    let relevant_txs: Vec<bitcoin::Transaction> = btc_script_txs
                        .iter()
                        .filter(|&tx| {
                            relevant_tx_ids.contains(&tx.compute_txid().to_raw_hash().into())
                        })
                        .cloned()
                        .collect();

                    (script, relevant_txs)
                })
                .collect();

        let btc_script_to_balance_map: HashMap<BtcScript, BtcScriptBalance> = swap_btc_script_bufs
            .into_iter()
            .zip(btc_script_balances)
            .collect();

        Ok((
            btc_script_to_history_map,
            btc_script_to_txs_map,
            btc_script_to_balance_map,
        ))
    }
}