CakeWallet/lib/core/trade_monitor.dart

248 lines
8.9 KiB
Dart
Raw Normal View History

CW-959: Swap Status on Transaction Screen (#2299) * feat(swap-status-monitor): add real-time swap status monitoring and UI updates - Introduce SwapManager for automatic tracking of active-wallet swaps. - Automatically queues new or updated trades from the Hive box. - Periodically fetch and persist swap statuses via the corresponding trade provider. - Implement start(wallet, providers), stop(), and dispose() for lifecycle control. - Apply user's ExchangeApiMode(disabled, tor-only, enabled) when fetching updates. - Remove swaps from the watchlist on any final state (completed, expired, failed). - Dispose SwapManager in AppState.dispose() to cancel polling and the Hive subscription. * refactor(swap-status): replace SwapManager with TradeMonitor for improved trade monitoring. This change improves the flow by simplifying the trade monitoring logic. - Removes SwapManager class and replace with TradeMonitor implementation - Update di and Appstate to register and dispose TradeMonitor - Modify DashboardViewModel to use TradeMonitor instead of SwapManager * fix: Modify trade monitoring logic to ensure trade timers are properly disposed when wallet switching occurs * fix(swap-status): Fix receive amount for exchanges showing as .00 because of null values * feat(swap-status): Enhance Trade Monitoring This change: - Adds a privacy settings option to disable automatic exchange status updates. - Prevents trade monitoring when privacy settings option is enabled. - Disables trade monitoring when the app is in background, we only want to run these checks in foreground. - Refactors the trade monitoring logic to remove unneccessary checks and use of resources. * feat(swap-status): Enhance Trade Monitoring This change: - Adds a privacy settings option to disable automatic exchange status updates. - Prevents trade monitoring when privacy settings option is enabled. - Disables trade monitoring when the app is in background, we only want to run these checks in foreground. - Refactors the trade monitoring logic to remove unneccessary checks and use of resources. * fix(swap-staus): Prevent unneccessary calls * feat(swap-status): Prevent api request calls as long as last update time is less than specified interval
2025-06-04 16:24:56 +01:00
import 'dart:async';
import 'package:cake_wallet/exchange/provider/simpleswap_exchange_provider.dart';
import 'package:cake_wallet/exchange/trade.dart';
import 'package:cake_wallet/exchange/trade_state.dart';
import 'package:cake_wallet/store/dashboard/trades_store.dart';
import 'package:cake_wallet/entities/exchange_api_mode.dart';
import 'package:cake_wallet/exchange/exchange_provider_description.dart';
import 'package:cake_wallet/exchange/provider/chainflip_exchange_provider.dart';
import 'package:cake_wallet/exchange/provider/changenow_exchange_provider.dart';
import 'package:cake_wallet/exchange/provider/exchange_provider.dart';
import 'package:cake_wallet/exchange/provider/exolix_exchange_provider.dart';
import 'package:cake_wallet/exchange/provider/letsexchange_exchange_provider.dart';
import 'package:cake_wallet/exchange/provider/swaptrade_exchange_provider.dart';
import 'package:cake_wallet/exchange/provider/sideshift_exchange_provider.dart';
import 'package:cake_wallet/exchange/provider/stealth_ex_exchange_provider.dart';
import 'package:cake_wallet/exchange/provider/thorchain_exchange.provider.dart';
import 'package:cake_wallet/exchange/provider/trocador_exchange_provider.dart';
import 'package:cake_wallet/exchange/provider/xoswap_exchange_provider.dart';
import 'package:cw_core/utils/print_verbose.dart';
import 'package:hive/hive.dart';
import 'package:cake_wallet/store/app_store.dart';
import 'package:shared_preferences/shared_preferences.dart';
class TradeMonitor {
static const int _tradeCheckIntervalMinutes = 5;
static const int _maxTradeAgeHours = 24;
TradeMonitor({
required this.tradesStore,
required this.trades,
required this.appStore,
required this.preferences,
});
final TradesStore tradesStore;
final Box<Trade> trades;
final AppStore appStore;
final Map<String, Timer> _tradeTimers = {};
final SharedPreferences preferences;
ExchangeProvider? _getProviderByDescription(ExchangeProviderDescription description) {
switch (description) {
case ExchangeProviderDescription.changeNow:
return ChangeNowExchangeProvider(settingsStore: appStore.settingsStore);
case ExchangeProviderDescription.sideShift:
return SideShiftExchangeProvider();
case ExchangeProviderDescription.simpleSwap:
return SimpleSwapExchangeProvider();
case ExchangeProviderDescription.trocador:
return TrocadorExchangeProvider();
case ExchangeProviderDescription.exolix:
return ExolixExchangeProvider();
case ExchangeProviderDescription.thorChain:
return ThorChainExchangeProvider(tradesStore: trades);
case ExchangeProviderDescription.swapTrade:
return SwapTradeExchangeProvider();
case ExchangeProviderDescription.letsExchange:
return LetsExchangeExchangeProvider();
case ExchangeProviderDescription.stealthEx:
return StealthExExchangeProvider();
case ExchangeProviderDescription.chainflip:
return ChainflipExchangeProvider(tradesStore: trades);
case ExchangeProviderDescription.xoSwap:
return XOSwapExchangeProvider();
}
return null;
}
void monitorActiveTrades(String walletId) {
// Checks if the trade monitoring is permitted
// i.e the user has not disabled the exchange api mode or the status updates
final isTradeMonitoringPermitted = _isTradeMonitoringPermitted();
if (!isTradeMonitoringPermitted) {
return;
}
final trades = tradesStore.trades;
final tradesToCancel = <String>[];
for (final item in trades) {
final trade = item.trade;
final provider = _getProviderByDescription(trade.provider);
// Multiple checks to see if to skip the trade, if yes, we cancel the timer if it exists
if (_shouldSkipTrade(trade, walletId, provider)) {
tradesToCancel.add(trade.id);
continue;
}
if (_tradeTimers.containsKey(trade.id)) {
printV('Trade ${trade.id} is already being monitored');
continue;
} else {
_startTradeMonitoring(trade, provider!);
}
}
// After going through the list of available trades, we cancel the timers in the tradesToCancel list
_cancelMultipleTradeTimers(tradesToCancel);
}
bool _isTradeMonitoringPermitted() {
final disableAutomaticExchangeStatusUpdates =
appStore.settingsStore.disableAutomaticExchangeStatusUpdates;
if (disableAutomaticExchangeStatusUpdates) {
printV('Automatic exchange status updates are disabled');
return false;
}
final exchangeApiMode = appStore.settingsStore.exchangeStatus;
if (exchangeApiMode == ExchangeApiMode.disabled) {
printV('Exchange API mode is disabled');
return false;
}
return true;
}
bool _shouldSkipTrade(Trade trade, String walletId, ExchangeProvider? provider) {
if (trade.walletId != walletId) {
printV('Skipping trade ${trade.id} because it\'s not for this wallet');
return true;
}
final createdAt = trade.createdAt;
if (createdAt == null) {
printV('Skipping trade ${trade.id} because it has no createdAt');
return true;
}
if (DateTime.now().difference(createdAt).inHours > _maxTradeAgeHours) {
printV('Skipping trade ${trade.id} because it\'s older than ${_maxTradeAgeHours} hours');
return true;
}
if (_isFinalState(trade.state)) {
printV('Skipping trade ${trade.id} because it\'s in a final state');
return true;
}
if (provider == null) {
printV('Skipping trade ${trade.id} because the provider is not supported');
return true;
}
if (appStore.settingsStore.exchangeStatus == ExchangeApiMode.torOnly &&
!provider.supportsOnionAddress) {
printV('Skipping ${provider.description}, no TOR support');
return true;
}
return false;
}
void _startTradeMonitoring(Trade trade, ExchangeProvider provider) {
final timer = Timer.periodic(
Duration(minutes: _tradeCheckIntervalMinutes),
(_) => _checkTradeStatus(trade, provider),
);
_checkTradeStatus(trade, provider);
_tradeTimers[trade.id] = timer;
}
Future<void> _checkTradeStatus(Trade trade, ExchangeProvider provider) async {
final lastUpdatedAtFromPrefs = preferences.getString('trade_${trade.id}_updated_at');
if (lastUpdatedAtFromPrefs != null) {
final lastUpdatedAtDateTime = DateTime.parse(lastUpdatedAtFromPrefs);
final timeSinceLastUpdate = DateTime.now().difference(lastUpdatedAtDateTime).inMinutes;
if (timeSinceLastUpdate < _tradeCheckIntervalMinutes) {
printV(
'Skipping trade ${trade.id} status update check because it was updated less than ${_tradeCheckIntervalMinutes} minutes ago ($timeSinceLastUpdate minutes ago)',
);
return;
}
}
try {
final updated = await provider.findTradeById(id: trade.id);
trade
..stateRaw = updated.state.raw
..receiveAmount = updated.receiveAmount ?? trade.receiveAmount
..outputTransaction = updated.outputTransaction ?? trade.outputTransaction;
printV('Trade ${trade.id} updated: ${trade.state}');
await trade.save();
await preferences.setString('trade_${trade.id}_updated_at', DateTime.now().toIso8601String());
printV('Trade ${trade.id} updated at: ${DateTime.now().toIso8601String()}');
// If the updated trade is in a final state, we cancel the timer
if (_isFinalState(updated.state)) {
printV('Trade ${trade.id} is in final state');
_cancelSingleTradeTimer(trade.id);
}
} catch (e) {
printV('Error fetching status for ${trade.id}: $e');
}
}
bool _isFinalState(TradeState state) {
return {
TradeState.completed.raw,
TradeState.success.raw,
TradeState.confirmed.raw,
TradeState.settled.raw,
TradeState.finished.raw,
TradeState.expired.raw,
TradeState.failed.raw,
TradeState.notFound.raw,
}.contains(state.raw);
}
void _cancelSingleTradeTimer(String tradeId) {
if (_tradeTimers.containsKey(tradeId)) {
_tradeTimers[tradeId]?.cancel();
_tradeTimers.remove(tradeId);
printV('Trade timer for ${tradeId} cancelled');
}
}
void _cancelMultipleTradeTimers(List<String> tradeIds) {
for (final tradeId in tradeIds) {
_cancelSingleTradeTimer(tradeId);
}
}
/// This is called when the app is brought back to foreground.
void resumeTradeMonitoring() {
if (appStore.wallet != null) {
monitorActiveTrades(appStore.wallet!.id);
}
}
/// There's no need to run the trade checks when the app is in background.
/// We only want to update the trade status when the app is in foreground.
/// This helps to reduce the battery usage, network usage and enhance overall privacy.
///
/// This is called when the app is sent to background or when the app is closed.
void stopTradeMonitoring() {
printV('Stopping trade monitoring');
_cancelMultipleTradeTimers(_tradeTimers.keys.toList());
}
}