mirror of
https://github.com/cake-tech/cake_wallet.git
synced 2024-12-26 13:39:39 +00:00
1909 lines
61 KiB
Dart
1909 lines
61 KiB
Dart
import 'dart:async';
|
|
import 'dart:convert';
|
|
import 'dart:io';
|
|
import 'dart:isolate';
|
|
import 'dart:math';
|
|
|
|
import 'package:bitcoin_base/bitcoin_base.dart';
|
|
import 'package:bitcoin_flutter/bitcoin_flutter.dart' as bitcoin;
|
|
import 'package:blockchain_utils/blockchain_utils.dart';
|
|
import 'package:collection/collection.dart';
|
|
import 'package:cw_bitcoin/address_from_output.dart';
|
|
import 'package:cw_bitcoin/bitcoin_address_record.dart';
|
|
import 'package:cw_bitcoin/bitcoin_amount_format.dart';
|
|
import 'package:cw_bitcoin/bitcoin_transaction_credentials.dart';
|
|
import 'package:cw_bitcoin/bitcoin_transaction_priority.dart';
|
|
import 'package:cw_bitcoin/bitcoin_unspent.dart';
|
|
import 'package:cw_bitcoin/bitcoin_wallet_keys.dart';
|
|
import 'package:cw_bitcoin/electrum.dart';
|
|
import 'package:cw_bitcoin/electrum_balance.dart';
|
|
import 'package:cw_bitcoin/electrum_transaction_history.dart';
|
|
import 'package:cw_bitcoin/electrum_transaction_info.dart';
|
|
import 'package:cw_bitcoin/electrum_wallet_addresses.dart';
|
|
import 'package:cw_bitcoin/exceptions.dart';
|
|
import 'package:cw_bitcoin/litecoin_network.dart';
|
|
import 'package:cw_bitcoin/pending_bitcoin_transaction.dart';
|
|
import 'package:cw_bitcoin/script_hash.dart';
|
|
import 'package:cw_bitcoin/utils.dart';
|
|
import 'package:cw_core/crypto_currency.dart';
|
|
import 'package:cw_core/node.dart';
|
|
import 'package:cw_core/pathForWallet.dart';
|
|
import 'package:cw_core/pending_transaction.dart';
|
|
import 'package:cw_core/sync_status.dart';
|
|
import 'package:cw_core/transaction_direction.dart';
|
|
import 'package:cw_core/transaction_priority.dart';
|
|
import 'package:cw_core/unspent_coins_info.dart';
|
|
import 'package:cw_core/utils/file.dart';
|
|
import 'package:cw_core/wallet_base.dart';
|
|
import 'package:cw_core/wallet_info.dart';
|
|
import 'package:cw_core/wallet_type.dart';
|
|
import 'package:flutter/foundation.dart';
|
|
import 'package:hive/hive.dart';
|
|
import 'package:mobx/mobx.dart';
|
|
import 'package:rxdart/subjects.dart';
|
|
import 'package:http/http.dart' as http;
|
|
|
|
part 'electrum_wallet.g.dart';
|
|
|
|
class ElectrumWallet = ElectrumWalletBase with _$ElectrumWallet;
|
|
|
|
abstract class ElectrumWalletBase
|
|
extends WalletBase<ElectrumBalance, ElectrumTransactionHistory, ElectrumTransactionInfo>
|
|
with Store {
|
|
ElectrumWalletBase(
|
|
{required String password,
|
|
required WalletInfo walletInfo,
|
|
required Box<UnspentCoinsInfo> unspentCoinsInfo,
|
|
required this.networkType,
|
|
required this.mnemonic,
|
|
required Uint8List seedBytes,
|
|
List<BitcoinAddressRecord>? initialAddresses,
|
|
ElectrumClient? electrumClient,
|
|
ElectrumBalance? initialBalance,
|
|
CryptoCurrency? currency})
|
|
: hd = currency == CryptoCurrency.bch
|
|
? bitcoinCashHDWallet(seedBytes)
|
|
: bitcoin.HDWallet.fromSeed(seedBytes, network: networkType).derivePath("m/0'/0"),
|
|
syncStatus = NotConnectedSyncStatus(),
|
|
_password = password,
|
|
_feeRates = <int>[],
|
|
_isTransactionUpdating = false,
|
|
isEnabledAutoGenerateSubaddress = true,
|
|
unspentCoins = [],
|
|
_scripthashesUpdateSubject = {},
|
|
balance = ObservableMap<CryptoCurrency, ElectrumBalance>.of(currency != null
|
|
? {
|
|
currency: initialBalance ??
|
|
ElectrumBalance(
|
|
confirmed: 0,
|
|
unconfirmed: 0,
|
|
frozen: 0,
|
|
)
|
|
}
|
|
: {}),
|
|
this.unspentCoinsInfo = unspentCoinsInfo,
|
|
this.network = _getNetwork(networkType, currency),
|
|
this.isTestnet = networkType == bitcoin.testnet,
|
|
super(walletInfo) {
|
|
this.electrumClient = electrumClient ?? ElectrumClient();
|
|
this.walletInfo = walletInfo;
|
|
transactionHistory = ElectrumTransactionHistory(walletInfo: walletInfo, password: password);
|
|
|
|
reaction((_) => syncStatus, (SyncStatus syncStatus) {
|
|
silentPaymentsScanningActive = syncStatus is SyncingSyncStatus;
|
|
});
|
|
}
|
|
|
|
static bitcoin.HDWallet bitcoinCashHDWallet(Uint8List seedBytes) =>
|
|
bitcoin.HDWallet.fromSeed(seedBytes).derivePath("m/44'/145'/0'/0");
|
|
|
|
static int estimatedTransactionSize(int inputsCount, int outputsCounts) =>
|
|
inputsCount * 68 + outputsCounts * 34 + 10;
|
|
|
|
final bitcoin.HDWallet hd;
|
|
final String mnemonic;
|
|
|
|
@override
|
|
@observable
|
|
bool isEnabledAutoGenerateSubaddress;
|
|
|
|
late ElectrumClient electrumClient;
|
|
Box<UnspentCoinsInfo> unspentCoinsInfo;
|
|
|
|
@override
|
|
late ElectrumWalletAddresses walletAddresses;
|
|
|
|
@override
|
|
@observable
|
|
late ObservableMap<CryptoCurrency, ElectrumBalance> balance;
|
|
|
|
@override
|
|
@observable
|
|
SyncStatus syncStatus;
|
|
|
|
List<String> get scriptHashes => walletAddresses.allAddresses
|
|
.map((addr) => scriptHash(addr.address, network: network))
|
|
.toList();
|
|
|
|
List<String> get publicScriptHashes => walletAddresses.allAddresses
|
|
.where((addr) => !addr.isHidden)
|
|
.map((addr) => scriptHash(addr.address, network: network))
|
|
.toList();
|
|
|
|
String get xpub => hd.base58!;
|
|
|
|
@override
|
|
String get seed => mnemonic;
|
|
|
|
bitcoin.NetworkType networkType;
|
|
BasedUtxoNetwork network;
|
|
|
|
@override
|
|
bool? isTestnet;
|
|
|
|
@observable
|
|
bool hasSilentPaymentsScanning = false;
|
|
@observable
|
|
bool nodeSupportsSilentPayments = true;
|
|
@observable
|
|
bool silentPaymentsScanningActive = false;
|
|
|
|
@action
|
|
void setSilentPaymentsScanning(bool active) {
|
|
silentPaymentsScanningActive = active;
|
|
|
|
if (active) {
|
|
_setInitialHeight().then((_) {
|
|
if ((currentChainTip ?? 0) > walletInfo.restoreHeight) {
|
|
_setListeners(walletInfo.restoreHeight, chainTip: currentChainTip);
|
|
}
|
|
});
|
|
} else {
|
|
_isolate?.then((runningIsolate) => runningIsolate.kill(priority: Isolate.immediate));
|
|
|
|
if (electrumClient.isConnected) {
|
|
syncStatus = SyncedSyncStatus();
|
|
} else {
|
|
if (electrumClient.uri != null) {
|
|
electrumClient.connectToUri(electrumClient.uri!).then((_) {
|
|
startSync();
|
|
});
|
|
}
|
|
}
|
|
}
|
|
}
|
|
|
|
@observable
|
|
int? currentChainTip;
|
|
|
|
@override
|
|
BitcoinWalletKeys get keys =>
|
|
BitcoinWalletKeys(wif: hd.wif!, privateKey: hd.privKey!, publicKey: hd.pubKey!);
|
|
|
|
String _password;
|
|
List<BitcoinUnspent> unspentCoins;
|
|
List<int> _feeRates;
|
|
Map<String, BehaviorSubject<Object>?> _scripthashesUpdateSubject;
|
|
BehaviorSubject<Object>? _chainTipUpdateSubject;
|
|
bool _isTransactionUpdating;
|
|
Future<Isolate>? _isolate;
|
|
|
|
void Function(FlutterErrorDetails)? _onError;
|
|
Timer? _autoSaveTimer;
|
|
static const int _autoSaveInterval = 30;
|
|
|
|
Future<void> init() async {
|
|
await walletAddresses.init();
|
|
await transactionHistory.init();
|
|
|
|
_autoSaveTimer =
|
|
Timer.periodic(Duration(seconds: _autoSaveInterval), (_) async => await save());
|
|
}
|
|
|
|
@action
|
|
Future<void> _setListeners(int height, {int? chainTip, bool? doSingleScan}) async {
|
|
final currentChainTip = chainTip ?? await electrumClient.getCurrentBlockChainTip() ?? 0;
|
|
syncStatus = AttemptingSyncStatus();
|
|
|
|
if (_isolate != null) {
|
|
final runningIsolate = await _isolate!;
|
|
runningIsolate.kill(priority: Isolate.immediate);
|
|
}
|
|
|
|
final receivePort = ReceivePort();
|
|
_isolate = Isolate.spawn(
|
|
startRefresh,
|
|
ScanData(
|
|
sendPort: receivePort.sendPort,
|
|
silentAddress: walletAddresses.silentAddress!,
|
|
network: network,
|
|
height: height,
|
|
chainTip: currentChainTip,
|
|
electrumClient: ElectrumClient(),
|
|
transactionHistoryIds: transactionHistory.transactions.keys.toList(),
|
|
node: ScanNode(node!.uri, node!.useSSL),
|
|
labels: walletAddresses.labels,
|
|
isSingleScan: doSingleScan ?? false,
|
|
));
|
|
|
|
await for (var message in receivePort) {
|
|
if (message is Map<String, ElectrumTransactionInfo>) {
|
|
for (final map in message.entries) {
|
|
final txid = map.key;
|
|
final tx = map.value;
|
|
|
|
if (tx.unspents != null) {
|
|
tx.unspents!.forEach((unspent) => walletAddresses.addSilentAddresses(
|
|
[unspent.bitcoinAddressRecord as BitcoinSilentPaymentAddressRecord]));
|
|
|
|
final existingTxInfo = transactionHistory.transactions[txid];
|
|
if (existingTxInfo != null) {
|
|
final newUnspents = tx.unspents!
|
|
.where((unspent) => !(existingTxInfo.unspents?.any((element) =>
|
|
element.hash.contains(unspent.hash) && element.vout == unspent.vout) ??
|
|
false))
|
|
.toList();
|
|
|
|
if (newUnspents.isNotEmpty) {
|
|
existingTxInfo.unspents ??= [];
|
|
existingTxInfo.unspents!.addAll(newUnspents);
|
|
|
|
final amount = newUnspents.length > 1
|
|
? newUnspents.map((e) => e.value).reduce((value, unspent) => value + unspent)
|
|
: newUnspents[0].value;
|
|
|
|
if (existingTxInfo.direction == TransactionDirection.incoming) {
|
|
existingTxInfo.amount += amount;
|
|
} else {
|
|
existingTxInfo.amount = amount;
|
|
existingTxInfo.direction = TransactionDirection.incoming;
|
|
}
|
|
transactionHistory.addOne(existingTxInfo);
|
|
}
|
|
} else {
|
|
transactionHistory.addMany(message);
|
|
}
|
|
|
|
await transactionHistory.save();
|
|
await updateUnspent();
|
|
await updateBalance();
|
|
}
|
|
}
|
|
}
|
|
|
|
// check if is a SyncStatus type since "is SyncStatus" doesn't work here
|
|
if (message is SyncResponse) {
|
|
if (message.syncStatus is UnsupportedSyncStatus) {
|
|
nodeSupportsSilentPayments = false;
|
|
}
|
|
|
|
syncStatus = message.syncStatus;
|
|
walletInfo.restoreHeight = message.height;
|
|
await walletInfo.save();
|
|
}
|
|
}
|
|
}
|
|
|
|
@action
|
|
@override
|
|
Future<void> startSync() async {
|
|
try {
|
|
syncStatus = AttemptingSyncStatus();
|
|
|
|
if (silentPaymentsScanningActive) {
|
|
try {
|
|
await _setInitialHeight();
|
|
} catch (_) {}
|
|
|
|
if ((currentChainTip ?? 0) > walletInfo.restoreHeight) {
|
|
_setListeners(walletInfo.restoreHeight, chainTip: currentChainTip);
|
|
}
|
|
}
|
|
|
|
await updateTransactions();
|
|
_subscribeForUpdates();
|
|
await updateUnspent();
|
|
await updateBalance();
|
|
_feeRates = await electrumClient.feeRates(network: network);
|
|
|
|
Timer.periodic(
|
|
const Duration(minutes: 1), (timer) async => _feeRates = await electrumClient.feeRates());
|
|
|
|
if (!silentPaymentsScanningActive || walletInfo.restoreHeight == currentChainTip) {
|
|
syncStatus = SyncedSyncStatus();
|
|
}
|
|
} catch (e, stacktrace) {
|
|
print(stacktrace);
|
|
print(e.toString());
|
|
syncStatus = FailedSyncStatus();
|
|
}
|
|
}
|
|
|
|
Node? node;
|
|
|
|
@action
|
|
Future<void> _electrumConnect(Node node, {bool? attemptedReconnect}) async {
|
|
this.node = node;
|
|
|
|
try {
|
|
syncStatus = ConnectingSyncStatus();
|
|
await electrumClient.connectToUri(node.uri, useSSL: node.useSSL);
|
|
electrumClient.onConnectionStatusChange = (bool isConnected) async {
|
|
if (!isConnected) {
|
|
syncStatus = LostConnectionSyncStatus();
|
|
if (attemptedReconnect == false) {
|
|
await _electrumConnect(node, attemptedReconnect: true);
|
|
}
|
|
}
|
|
};
|
|
syncStatus = ConnectedSyncStatus();
|
|
} catch (e) {
|
|
print(e.toString());
|
|
syncStatus = FailedSyncStatus();
|
|
}
|
|
}
|
|
|
|
@action
|
|
@override
|
|
Future<void> connectToNode({required Node node}) => _electrumConnect(node);
|
|
|
|
int get _dustAmount => 546;
|
|
|
|
bool _isBelowDust(int amount) => amount <= _dustAmount && network != BitcoinNetwork.testnet;
|
|
|
|
void _createSilentPayments(
|
|
List<BitcoinOutput> outputs,
|
|
List<ECPublic> inputPubKeys,
|
|
List<Outpoint> vinOutpoints,
|
|
List<ECPrivateInfo> inputPrivKeyInfos,
|
|
) {
|
|
List<SilentPaymentDestination> silentPaymentDestinations = [];
|
|
|
|
for (final out in outputs) {
|
|
final address = out.address;
|
|
final amount = out.value;
|
|
|
|
if (address is SilentPaymentAddress) {
|
|
silentPaymentDestinations.add(
|
|
SilentPaymentDestination.fromAddress(address.toAddress(network), amount.toInt()),
|
|
);
|
|
}
|
|
}
|
|
|
|
if (silentPaymentDestinations.isNotEmpty) {
|
|
final spb = SilentPaymentBuilder(pubkeys: inputPubKeys, outpoints: vinOutpoints);
|
|
final sendingOutputs = spb.createOutputs(inputPrivKeyInfos, silentPaymentDestinations);
|
|
|
|
final outputsAdded = [];
|
|
|
|
for (var i = 0; i < outputs.length; i++) {
|
|
final out = outputs[i];
|
|
|
|
final silentOutputs = sendingOutputs[out.address.toAddress(network)];
|
|
if (silentOutputs != null) {
|
|
final silentOutput =
|
|
silentOutputs.firstWhereOrNull((element) => !outputsAdded.contains(element));
|
|
|
|
if (silentOutput != null) {
|
|
outputs[i] = BitcoinOutput(
|
|
address: silentOutput.address,
|
|
value: BigInt.from(silentOutput.amount),
|
|
);
|
|
|
|
outputsAdded.add(silentOutput);
|
|
}
|
|
}
|
|
}
|
|
}
|
|
}
|
|
|
|
Future<EstimatedTxResult> estimateSendAllTx(
|
|
List<BitcoinOutput> outputs,
|
|
int feeRate, {
|
|
String? memo,
|
|
int credentialsAmount = 0,
|
|
bool hasSilentPayment = false,
|
|
}) async {
|
|
final utxos = <UtxoWithAddress>[];
|
|
int allInputsAmount = 0;
|
|
|
|
List<Outpoint> vinOutpoints = [];
|
|
List<ECPrivateInfo> inputPrivKeyInfos = [];
|
|
List<ECPublic> inputPubKeys = [];
|
|
bool spendsSilentPayment = false;
|
|
|
|
for (int i = 0; i < unspentCoins.length; i++) {
|
|
final utx = unspentCoins[i];
|
|
|
|
if (utx.isSending) {
|
|
allInputsAmount += utx.value;
|
|
|
|
final address = addressTypeFromStr(utx.address, network);
|
|
|
|
ECPrivate? privkey;
|
|
bool? isSilentPayment = false;
|
|
|
|
if (utx.bitcoinAddressRecord is BitcoinSilentPaymentAddressRecord) {
|
|
privkey = walletAddresses.silentAddress!.b_spend.tweakAdd(
|
|
BigintUtils.fromBytes(
|
|
BytesUtils.fromHexString(
|
|
(utx.bitcoinAddressRecord as BitcoinSilentPaymentAddressRecord).silentPaymentTweak!,
|
|
),
|
|
),
|
|
);
|
|
spendsSilentPayment = true;
|
|
isSilentPayment = true;
|
|
} else {
|
|
privkey = generateECPrivate(
|
|
hd: utx.bitcoinAddressRecord.isHidden ? walletAddresses.sideHd : walletAddresses.mainHd,
|
|
index: utx.bitcoinAddressRecord.index,
|
|
network: network,
|
|
);
|
|
}
|
|
|
|
inputPrivKeyInfos.add(ECPrivateInfo(privkey, address.type == SegwitAddresType.p2tr));
|
|
inputPubKeys.add(privkey.getPublic());
|
|
vinOutpoints.add(Outpoint(txid: utx.hash, index: utx.vout));
|
|
|
|
utxos.add(
|
|
UtxoWithAddress(
|
|
utxo: BitcoinUtxo(
|
|
txHash: utx.hash,
|
|
value: BigInt.from(utx.value),
|
|
vout: utx.vout,
|
|
scriptType: _getScriptType(address),
|
|
isSilentPayment: isSilentPayment,
|
|
),
|
|
ownerDetails: UtxoAddressDetails(
|
|
publicKey: privkey.getPublic().toHex(),
|
|
address: address,
|
|
),
|
|
),
|
|
);
|
|
}
|
|
}
|
|
|
|
if (utxos.isEmpty) {
|
|
throw BitcoinTransactionNoInputsException();
|
|
}
|
|
|
|
if (hasSilentPayment == true) {
|
|
_createSilentPayments(outputs, inputPubKeys, vinOutpoints, inputPrivKeyInfos);
|
|
}
|
|
|
|
int estimatedSize;
|
|
if (network is BitcoinCashNetwork) {
|
|
estimatedSize = ForkedTransactionBuilder.estimateTransactionSize(
|
|
utxos: utxos,
|
|
outputs: outputs,
|
|
network: network as BitcoinCashNetwork,
|
|
memo: memo,
|
|
);
|
|
} else {
|
|
estimatedSize = BitcoinTransactionBuilder.estimateTransactionSize(
|
|
utxos: utxos,
|
|
outputs: outputs,
|
|
network: network,
|
|
memo: memo,
|
|
);
|
|
}
|
|
|
|
int fee = feeAmountWithFeeRate(feeRate, 0, 0, size: estimatedSize);
|
|
|
|
if (fee == 0) {
|
|
throw BitcoinTransactionNoFeeException();
|
|
}
|
|
|
|
// Here, when sending all, the output amount equals to the input value - fee to fully spend every input on the transaction and have no amount left for change
|
|
int amount = allInputsAmount - fee;
|
|
|
|
// Attempting to send less than the dust limit
|
|
if (_isBelowDust(amount)) {
|
|
throw BitcoinTransactionNoDustException();
|
|
}
|
|
|
|
if (credentialsAmount > 0) {
|
|
final amountLeftForFee = amount - credentialsAmount;
|
|
if (amountLeftForFee > 0 && _isBelowDust(amountLeftForFee)) {
|
|
amount -= amountLeftForFee;
|
|
fee += amountLeftForFee;
|
|
}
|
|
}
|
|
|
|
outputs[outputs.length - 1] =
|
|
BitcoinOutput(address: outputs.last.address, value: BigInt.from(amount));
|
|
|
|
return EstimatedTxResult(
|
|
utxos: utxos,
|
|
inputPrivKeyInfos: inputPrivKeyInfos,
|
|
fee: fee,
|
|
amount: amount,
|
|
isSendAll: true,
|
|
hasChange: false,
|
|
memo: memo,
|
|
spendsSilentPayment: spendsSilentPayment,
|
|
);
|
|
}
|
|
|
|
Future<EstimatedTxResult> estimateTxForAmount(
|
|
int credentialsAmount,
|
|
List<BitcoinOutput> outputs,
|
|
int feeRate, {
|
|
int? inputsCount,
|
|
String? memo,
|
|
bool hasSilentPayment = false,
|
|
}) async {
|
|
final utxos = <UtxoWithAddress>[];
|
|
List<Outpoint> vinOutpoints = [];
|
|
List<ECPrivateInfo> inputPrivKeyInfos = [];
|
|
List<ECPublic> inputPubKeys = [];
|
|
int allInputsAmount = 0;
|
|
bool spendsSilentPayment = false;
|
|
|
|
int leftAmount = credentialsAmount;
|
|
final sendingCoins = unspentCoins.where((utx) => utx.isSending).toList();
|
|
|
|
for (int i = 0; i < sendingCoins.length; i++) {
|
|
final utx = sendingCoins[i];
|
|
|
|
allInputsAmount += utx.value;
|
|
leftAmount = leftAmount - utx.value;
|
|
|
|
final address = addressTypeFromStr(utx.address, network);
|
|
ECPrivate? privkey;
|
|
bool? isSilentPayment = false;
|
|
|
|
if (utx.bitcoinAddressRecord is BitcoinSilentPaymentAddressRecord) {
|
|
privkey = walletAddresses.silentAddress!.b_spend.tweakAdd(
|
|
BigintUtils.fromBytes(
|
|
BytesUtils.fromHexString(
|
|
(utx.bitcoinAddressRecord as BitcoinSilentPaymentAddressRecord).silentPaymentTweak!,
|
|
),
|
|
),
|
|
);
|
|
spendsSilentPayment = true;
|
|
isSilentPayment = true;
|
|
} else {
|
|
privkey = generateECPrivate(
|
|
hd: utx.bitcoinAddressRecord.isHidden ? walletAddresses.sideHd : walletAddresses.mainHd,
|
|
index: utx.bitcoinAddressRecord.index,
|
|
network: network,
|
|
);
|
|
}
|
|
|
|
inputPrivKeyInfos.add(ECPrivateInfo(privkey, address.type == SegwitAddresType.p2tr));
|
|
inputPubKeys.add(privkey.getPublic());
|
|
vinOutpoints.add(Outpoint(txid: utx.hash, index: utx.vout));
|
|
|
|
utxos.add(
|
|
UtxoWithAddress(
|
|
utxo: BitcoinUtxo(
|
|
txHash: utx.hash,
|
|
value: BigInt.from(utx.value),
|
|
vout: utx.vout,
|
|
scriptType: _getScriptType(address),
|
|
isSilentPayment: isSilentPayment,
|
|
),
|
|
ownerDetails: UtxoAddressDetails(
|
|
publicKey: privkey.getPublic().toHex(),
|
|
address: address,
|
|
),
|
|
),
|
|
);
|
|
|
|
bool amountIsAcquired = leftAmount <= 0;
|
|
if ((inputsCount == null && amountIsAcquired) || inputsCount == i + 1) {
|
|
break;
|
|
}
|
|
}
|
|
|
|
if (utxos.isEmpty) {
|
|
throw BitcoinTransactionNoInputsException();
|
|
}
|
|
|
|
if (hasSilentPayment == true) {
|
|
_createSilentPayments(outputs, inputPubKeys, vinOutpoints, inputPrivKeyInfos);
|
|
}
|
|
|
|
final spendingAllCoins = sendingCoins.length == utxos.length;
|
|
|
|
// How much is being spent - how much is being sent
|
|
int amountLeftForChangeAndFee = allInputsAmount - credentialsAmount;
|
|
|
|
if (amountLeftForChangeAndFee <= 0) {
|
|
throw BitcoinTransactionWrongBalanceException();
|
|
}
|
|
|
|
final changeAddress = await walletAddresses.getChangeAddress();
|
|
final address = addressTypeFromStr(changeAddress, network);
|
|
outputs.add(BitcoinOutput(
|
|
address: address,
|
|
value: BigInt.from(amountLeftForChangeAndFee),
|
|
));
|
|
|
|
int estimatedSize;
|
|
if (network is BitcoinCashNetwork) {
|
|
estimatedSize = ForkedTransactionBuilder.estimateTransactionSize(
|
|
utxos: utxos,
|
|
outputs: outputs,
|
|
network: network as BitcoinCashNetwork,
|
|
memo: memo,
|
|
);
|
|
} else {
|
|
estimatedSize = BitcoinTransactionBuilder.estimateTransactionSize(
|
|
utxos: utxos,
|
|
outputs: outputs,
|
|
network: network,
|
|
memo: memo,
|
|
);
|
|
}
|
|
|
|
int fee = feeAmountWithFeeRate(feeRate, 0, 0, size: estimatedSize);
|
|
|
|
if (fee == 0) {
|
|
throw BitcoinTransactionNoFeeException();
|
|
}
|
|
|
|
int amount = credentialsAmount;
|
|
final lastOutput = outputs.last;
|
|
final amountLeftForChange = amountLeftForChangeAndFee - fee;
|
|
|
|
if (!_isBelowDust(amountLeftForChange)) {
|
|
// Here, lastOutput already is change, return the amount left without the fee to the user's address.
|
|
outputs[outputs.length - 1] =
|
|
BitcoinOutput(address: lastOutput.address, value: BigInt.from(amountLeftForChange));
|
|
} else {
|
|
// If has change that is lower than dust, will end up with tx rejected by network rules, so estimate again without the added change
|
|
outputs.removeLast();
|
|
|
|
// Still has inputs to spend before failing
|
|
if (!spendingAllCoins) {
|
|
return estimateTxForAmount(
|
|
credentialsAmount,
|
|
outputs,
|
|
feeRate,
|
|
inputsCount: utxos.length + 1,
|
|
memo: memo,
|
|
);
|
|
}
|
|
|
|
final estimatedSendAll = await estimateSendAllTx(
|
|
outputs,
|
|
feeRate,
|
|
memo: memo,
|
|
);
|
|
|
|
if (estimatedSendAll.amount == credentialsAmount) {
|
|
return estimatedSendAll;
|
|
}
|
|
|
|
// Estimate to user how much is needed to send to cover the fee
|
|
final maxAmountWithReturningChange = allInputsAmount - _dustAmount - fee - 1;
|
|
throw BitcoinTransactionNoDustOnChangeException(
|
|
bitcoinAmountToString(amount: maxAmountWithReturningChange),
|
|
bitcoinAmountToString(amount: estimatedSendAll.amount),
|
|
);
|
|
}
|
|
|
|
// Attempting to send less than the dust limit
|
|
if (_isBelowDust(amount)) {
|
|
throw BitcoinTransactionNoDustException();
|
|
}
|
|
|
|
final totalAmount = amount + fee;
|
|
|
|
if (totalAmount > balance[currency]!.confirmed) {
|
|
throw BitcoinTransactionWrongBalanceException();
|
|
}
|
|
|
|
if (totalAmount > allInputsAmount) {
|
|
if (spendingAllCoins) {
|
|
throw BitcoinTransactionWrongBalanceException();
|
|
} else {
|
|
if (amountLeftForChangeAndFee > fee) {
|
|
outputs.removeLast();
|
|
}
|
|
|
|
return estimateTxForAmount(
|
|
credentialsAmount,
|
|
outputs,
|
|
feeRate,
|
|
inputsCount: utxos.length + 1,
|
|
memo: memo,
|
|
hasSilentPayment: hasSilentPayment,
|
|
);
|
|
}
|
|
}
|
|
|
|
return EstimatedTxResult(
|
|
utxos: utxos,
|
|
inputPrivKeyInfos: inputPrivKeyInfos,
|
|
fee: fee,
|
|
amount: amount,
|
|
hasChange: true,
|
|
isSendAll: false,
|
|
memo: memo,
|
|
spendsSilentPayment: spendsSilentPayment,
|
|
);
|
|
}
|
|
|
|
@override
|
|
Future<PendingTransaction> createTransaction(Object credentials) async {
|
|
try {
|
|
final outputs = <BitcoinOutput>[];
|
|
final transactionCredentials = credentials as BitcoinTransactionCredentials;
|
|
final hasMultiDestination = transactionCredentials.outputs.length > 1;
|
|
final sendAll = !hasMultiDestination && transactionCredentials.outputs.first.sendAll;
|
|
final memo = transactionCredentials.outputs.first.memo;
|
|
|
|
int credentialsAmount = 0;
|
|
bool hasSilentPayment = false;
|
|
|
|
for (final out in transactionCredentials.outputs) {
|
|
final outputAmount = out.formattedCryptoAmount!;
|
|
|
|
if (!sendAll && _isBelowDust(outputAmount)) {
|
|
throw BitcoinTransactionNoDustException();
|
|
}
|
|
|
|
if (hasMultiDestination) {
|
|
if (out.sendAll) {
|
|
throw BitcoinTransactionWrongBalanceException();
|
|
}
|
|
}
|
|
|
|
credentialsAmount += outputAmount;
|
|
|
|
final address =
|
|
addressTypeFromStr(out.isParsedAddress ? out.extractedAddress! : out.address, network);
|
|
|
|
if (address is SilentPaymentAddress) {
|
|
hasSilentPayment = true;
|
|
}
|
|
|
|
if (sendAll) {
|
|
// The value will be changed after estimating the Tx size and deducting the fee from the total to be sent
|
|
outputs.add(BitcoinOutput(address: address, value: BigInt.from(0)));
|
|
} else {
|
|
outputs.add(BitcoinOutput(address: address, value: BigInt.from(outputAmount)));
|
|
}
|
|
}
|
|
|
|
final feeRateInt = transactionCredentials.feeRate != null
|
|
? transactionCredentials.feeRate!
|
|
: feeRate(transactionCredentials.priority!);
|
|
|
|
EstimatedTxResult estimatedTx;
|
|
if (sendAll) {
|
|
estimatedTx = await estimateSendAllTx(
|
|
outputs,
|
|
feeRateInt,
|
|
memo: memo,
|
|
credentialsAmount: credentialsAmount,
|
|
hasSilentPayment: hasSilentPayment,
|
|
);
|
|
} else {
|
|
estimatedTx = await estimateTxForAmount(
|
|
credentialsAmount,
|
|
outputs,
|
|
feeRateInt,
|
|
memo: memo,
|
|
hasSilentPayment: hasSilentPayment,
|
|
);
|
|
}
|
|
|
|
BasedBitcoinTransacationBuilder txb;
|
|
if (network is BitcoinCashNetwork) {
|
|
txb = ForkedTransactionBuilder(
|
|
utxos: estimatedTx.utxos,
|
|
outputs: outputs,
|
|
fee: BigInt.from(estimatedTx.fee),
|
|
network: network,
|
|
memo: estimatedTx.memo,
|
|
outputOrdering: BitcoinOrdering.none,
|
|
enableRBF: true,
|
|
);
|
|
} else {
|
|
txb = BitcoinTransactionBuilder(
|
|
utxos: estimatedTx.utxos,
|
|
outputs: outputs,
|
|
fee: BigInt.from(estimatedTx.fee),
|
|
network: network,
|
|
memo: estimatedTx.memo,
|
|
outputOrdering: BitcoinOrdering.none,
|
|
enableRBF: true,
|
|
);
|
|
}
|
|
|
|
bool hasTaprootInputs = false;
|
|
|
|
final transaction = txb.buildTransaction((txDigest, utxo, publicKey, sighash) {
|
|
final key = estimatedTx.inputPrivKeyInfos
|
|
.firstWhereOrNull((element) => element.privkey.getPublic().toHex() == publicKey);
|
|
|
|
if (key == null) {
|
|
throw Exception("Cannot find private key");
|
|
}
|
|
|
|
if (utxo.utxo.isP2tr()) {
|
|
hasTaprootInputs = true;
|
|
return key.privkey.signTapRoot(
|
|
txDigest,
|
|
sighash: sighash,
|
|
tweak: utxo.utxo.isSilentPayment != true,
|
|
);
|
|
} else {
|
|
return key.privkey.signInput(txDigest, sigHash: sighash);
|
|
}
|
|
});
|
|
|
|
return PendingBitcoinTransaction(
|
|
transaction,
|
|
type,
|
|
electrumClient: electrumClient,
|
|
amount: estimatedTx.amount,
|
|
fee: estimatedTx.fee,
|
|
feeRate: feeRateInt.toString(),
|
|
network: network,
|
|
hasChange: estimatedTx.hasChange,
|
|
isSendAll: estimatedTx.isSendAll,
|
|
hasTaprootInputs: hasTaprootInputs,
|
|
)..addListener((transaction) async {
|
|
transactionHistory.addOne(transaction);
|
|
if (estimatedTx.spendsSilentPayment) {
|
|
transactionHistory.transactions.values.forEach((tx) {
|
|
tx.unspents?.removeWhere(
|
|
(unspent) => estimatedTx.utxos.any((e) => e.utxo.txHash == unspent.hash));
|
|
transactionHistory.addOne(tx);
|
|
});
|
|
}
|
|
|
|
await updateBalance();
|
|
});
|
|
} catch (e) {
|
|
throw e;
|
|
}
|
|
}
|
|
|
|
String toJSON() => json.encode({
|
|
'mnemonic': mnemonic,
|
|
'account_index': walletAddresses.currentReceiveAddressIndexByType,
|
|
'change_address_index': walletAddresses.currentChangeAddressIndexByType,
|
|
'addresses': walletAddresses.allAddresses.map((addr) => addr.toJSON()).toList(),
|
|
'address_page_type': walletInfo.addressPageType == null
|
|
? SegwitAddresType.p2wpkh.toString()
|
|
: walletInfo.addressPageType.toString(),
|
|
'balance': balance[currency]?.toJSON(),
|
|
'silent_addresses': walletAddresses.silentAddresses.map((addr) => addr.toJSON()).toList(),
|
|
'silent_address_index': walletAddresses.currentSilentAddressIndex.toString(),
|
|
});
|
|
|
|
int feeRate(TransactionPriority priority) {
|
|
try {
|
|
if (priority is BitcoinTransactionPriority) {
|
|
return _feeRates[priority.raw];
|
|
}
|
|
|
|
return 0;
|
|
} catch (_) {
|
|
return 0;
|
|
}
|
|
}
|
|
|
|
int feeAmountForPriority(TransactionPriority priority, int inputsCount, int outputsCount,
|
|
{int? size}) =>
|
|
feeRate(priority) * (size ?? estimatedTransactionSize(inputsCount, outputsCount));
|
|
|
|
int feeAmountWithFeeRate(int feeRate, int inputsCount, int outputsCount, {int? size}) =>
|
|
feeRate * (size ?? estimatedTransactionSize(inputsCount, outputsCount));
|
|
|
|
@override
|
|
int calculateEstimatedFee(TransactionPriority? priority, int? amount,
|
|
{int? outputsCount, int? size}) {
|
|
if (priority is BitcoinTransactionPriority) {
|
|
return calculateEstimatedFeeWithFeeRate(feeRate(priority), amount,
|
|
outputsCount: outputsCount, size: size);
|
|
}
|
|
|
|
return 0;
|
|
}
|
|
|
|
int calculateEstimatedFeeWithFeeRate(int feeRate, int? amount, {int? outputsCount, int? size}) {
|
|
if (size != null) {
|
|
return feeAmountWithFeeRate(feeRate, 0, 0, size: size);
|
|
}
|
|
|
|
int inputsCount = 0;
|
|
|
|
if (amount != null) {
|
|
int totalValue = 0;
|
|
|
|
for (final input in unspentCoins) {
|
|
if (totalValue >= amount) {
|
|
break;
|
|
}
|
|
|
|
if (input.isSending) {
|
|
totalValue += input.value;
|
|
inputsCount += 1;
|
|
}
|
|
}
|
|
|
|
if (totalValue < amount) return 0;
|
|
} else {
|
|
for (final input in unspentCoins) {
|
|
if (input.isSending) {
|
|
inputsCount += 1;
|
|
}
|
|
}
|
|
}
|
|
|
|
// If send all, then we have no change value
|
|
final _outputsCount = outputsCount ?? (amount != null ? 2 : 1);
|
|
|
|
return feeAmountWithFeeRate(feeRate, inputsCount, _outputsCount);
|
|
}
|
|
|
|
@override
|
|
Future<void> save() async {
|
|
final path = await makePath();
|
|
await write(path: path, password: _password, data: toJSON());
|
|
await transactionHistory.save();
|
|
}
|
|
|
|
@override
|
|
Future<void> renameWalletFiles(String newWalletName) async {
|
|
final currentWalletPath = await pathForWallet(name: walletInfo.name, type: type);
|
|
final currentWalletFile = File(currentWalletPath);
|
|
|
|
final currentDirPath = await pathForWalletDir(name: walletInfo.name, type: type);
|
|
final currentTransactionsFile = File('$currentDirPath/$transactionsHistoryFileName');
|
|
|
|
// Copies current wallet files into new wallet name's dir and files
|
|
if (currentWalletFile.existsSync()) {
|
|
final newWalletPath = await pathForWallet(name: newWalletName, type: type);
|
|
await currentWalletFile.copy(newWalletPath);
|
|
}
|
|
if (currentTransactionsFile.existsSync()) {
|
|
final newDirPath = await pathForWalletDir(name: newWalletName, type: type);
|
|
await currentTransactionsFile.copy('$newDirPath/$transactionsHistoryFileName');
|
|
}
|
|
|
|
// Delete old name's dir and files
|
|
await Directory(currentDirPath).delete(recursive: true);
|
|
}
|
|
|
|
@override
|
|
Future<void> changePassword(String password) async {
|
|
_password = password;
|
|
await save();
|
|
await transactionHistory.changePassword(password);
|
|
}
|
|
|
|
@action
|
|
@override
|
|
Future<void> rescan(
|
|
{required int height, int? chainTip, ScanData? scanData, bool? doSingleScan}) async {
|
|
silentPaymentsScanningActive = true;
|
|
_setListeners(height, doSingleScan: doSingleScan);
|
|
}
|
|
|
|
@override
|
|
Future<void> close() async {
|
|
try {
|
|
await electrumClient.close();
|
|
} catch (_) {}
|
|
_autoSaveTimer?.cancel();
|
|
}
|
|
|
|
Future<String> makePath() async => pathForWallet(name: walletInfo.name, type: walletInfo.type);
|
|
|
|
Future<void> updateUnspent() async {
|
|
List<BitcoinUnspent> updatedUnspentCoins = [];
|
|
|
|
if (hasSilentPaymentsScanning) {
|
|
// Update unspents stored from scanned silent payment transactions
|
|
transactionHistory.transactions.values.forEach((tx) {
|
|
if (tx.unspents != null) {
|
|
updatedUnspentCoins.addAll(tx.unspents!);
|
|
}
|
|
});
|
|
}
|
|
|
|
final addressesSet = walletAddresses.allAddresses.map((addr) => addr.address).toSet();
|
|
|
|
await Future.wait(walletAddresses.allAddresses.map((address) => electrumClient
|
|
.getListUnspentWithAddress(address.address, network)
|
|
.then((unspent) => Future.forEach<Map<String, dynamic>>(unspent, (unspent) async {
|
|
try {
|
|
final coin = BitcoinUnspent.fromJSON(address, unspent);
|
|
final tx = await fetchTransactionInfo(
|
|
hash: coin.hash, height: 0, myAddresses: addressesSet);
|
|
coin.isChange = tx?.direction == TransactionDirection.outgoing;
|
|
updatedUnspentCoins.add(coin);
|
|
} catch (_) {}
|
|
}))));
|
|
|
|
unspentCoins = updatedUnspentCoins;
|
|
|
|
if (unspentCoinsInfo.isEmpty) {
|
|
unspentCoins.forEach((coin) => _addCoinInfo(coin));
|
|
return;
|
|
}
|
|
|
|
if (unspentCoins.isNotEmpty) {
|
|
unspentCoins.forEach((coin) {
|
|
final coinInfoList = unspentCoinsInfo.values.where((element) =>
|
|
element.walletId.contains(id) &&
|
|
element.hash.contains(coin.hash) &&
|
|
element.vout == coin.vout);
|
|
|
|
if (coinInfoList.isNotEmpty) {
|
|
final coinInfo = coinInfoList.first;
|
|
|
|
coin.isFrozen = coinInfo.isFrozen;
|
|
coin.isSending = coinInfo.isSending;
|
|
coin.note = coinInfo.note;
|
|
} else {
|
|
_addCoinInfo(coin);
|
|
}
|
|
});
|
|
}
|
|
|
|
await _refreshUnspentCoinsInfo();
|
|
}
|
|
|
|
@action
|
|
Future<void> _addCoinInfo(BitcoinUnspent coin) async {
|
|
final newInfo = UnspentCoinsInfo(
|
|
walletId: id,
|
|
hash: coin.hash,
|
|
isFrozen: coin.isFrozen,
|
|
isSending: coin.isSending,
|
|
noteRaw: coin.note,
|
|
address: coin.bitcoinAddressRecord.address,
|
|
value: coin.value,
|
|
vout: coin.vout,
|
|
isChange: coin.isChange,
|
|
);
|
|
|
|
await unspentCoinsInfo.add(newInfo);
|
|
}
|
|
|
|
Future<void> _refreshUnspentCoinsInfo() async {
|
|
try {
|
|
final List<dynamic> keys = <dynamic>[];
|
|
final currentWalletUnspentCoins =
|
|
unspentCoinsInfo.values.where((element) => element.walletId.contains(id));
|
|
|
|
if (currentWalletUnspentCoins.isNotEmpty) {
|
|
currentWalletUnspentCoins.forEach((element) {
|
|
final existUnspentCoins = unspentCoins
|
|
.where((coin) => element.hash.contains(coin.hash) && element.vout == coin.vout);
|
|
|
|
if (existUnspentCoins.isEmpty) {
|
|
keys.add(element.key);
|
|
}
|
|
});
|
|
}
|
|
|
|
if (keys.isNotEmpty) {
|
|
await unspentCoinsInfo.deleteAll(keys);
|
|
}
|
|
} catch (e) {
|
|
print(e.toString());
|
|
}
|
|
}
|
|
|
|
Future<bool> canReplaceByFee(String hash) async {
|
|
final verboseTransaction = await electrumClient.getTransactionRaw(hash: hash);
|
|
final confirmations = verboseTransaction['confirmations'] as int? ?? 0;
|
|
final transactionHex = verboseTransaction['hex'] as String?;
|
|
|
|
if (confirmations > 0) return false;
|
|
|
|
if (transactionHex == null) {
|
|
return false;
|
|
}
|
|
|
|
final original = bitcoin.Transaction.fromHex(transactionHex);
|
|
|
|
return original.ins
|
|
.any((element) => element.sequence != null && element.sequence! < 4294967293);
|
|
}
|
|
|
|
Future<bool> isChangeSufficientForFee(String txId, int newFee) async {
|
|
final bundle = await getTransactionExpanded(hash: txId);
|
|
final outputs = bundle.originalTransaction.outputs;
|
|
|
|
final changeAddresses = walletAddresses.allAddresses.where((element) => element.isHidden);
|
|
|
|
// look for a change address in the outputs
|
|
final changeOutput = outputs.firstWhereOrNull((output) => changeAddresses.any(
|
|
(element) => element.address == addressFromOutputScript(output.scriptPubKey, network)));
|
|
|
|
var allInputsAmount = 0;
|
|
|
|
for (int i = 0; i < bundle.originalTransaction.inputs.length; i++) {
|
|
final input = bundle.originalTransaction.inputs[i];
|
|
final inputTransaction = bundle.ins[i];
|
|
final vout = input.txIndex;
|
|
final outTransaction = inputTransaction.outputs[vout];
|
|
allInputsAmount += outTransaction.amount.toInt();
|
|
}
|
|
|
|
int totalOutAmount = bundle.originalTransaction.outputs
|
|
.fold<int>(0, (previousValue, element) => previousValue + element.amount.toInt());
|
|
|
|
var currentFee = allInputsAmount - totalOutAmount;
|
|
|
|
int remainingFee = (newFee - currentFee > 0) ? newFee - currentFee : newFee;
|
|
|
|
return changeOutput != null && changeOutput.amount.toInt() - remainingFee >= 0;
|
|
}
|
|
|
|
Future<PendingBitcoinTransaction> replaceByFee(String hash, int newFee) async {
|
|
try {
|
|
final bundle = await getTransactionExpanded(hash: hash);
|
|
|
|
final utxos = <UtxoWithAddress>[];
|
|
List<ECPrivate> privateKeys = [];
|
|
|
|
var allInputsAmount = 0;
|
|
|
|
// Add inputs
|
|
for (var i = 0; i < bundle.originalTransaction.inputs.length; i++) {
|
|
final input = bundle.originalTransaction.inputs[i];
|
|
final inputTransaction = bundle.ins[i];
|
|
final vout = input.txIndex;
|
|
final outTransaction = inputTransaction.outputs[vout];
|
|
final address = addressFromOutputScript(outTransaction.scriptPubKey, network);
|
|
allInputsAmount += outTransaction.amount.toInt();
|
|
|
|
final addressRecord =
|
|
walletAddresses.allAddresses.firstWhere((element) => element.address == address);
|
|
|
|
final btcAddress = addressTypeFromStr(addressRecord.address, network);
|
|
final privkey = generateECPrivate(
|
|
hd: addressRecord.isHidden ? walletAddresses.sideHd : walletAddresses.mainHd,
|
|
index: addressRecord.index,
|
|
network: network);
|
|
|
|
privateKeys.add(privkey);
|
|
|
|
utxos.add(
|
|
UtxoWithAddress(
|
|
utxo: BitcoinUtxo(
|
|
txHash: input.txId,
|
|
value: outTransaction.amount,
|
|
vout: vout,
|
|
scriptType: _getScriptType(btcAddress),
|
|
),
|
|
ownerDetails:
|
|
UtxoAddressDetails(publicKey: privkey.getPublic().toHex(), address: btcAddress),
|
|
),
|
|
);
|
|
}
|
|
|
|
int totalOutAmount = bundle.originalTransaction.outputs
|
|
.fold<int>(0, (previousValue, element) => previousValue + element.amount.toInt());
|
|
|
|
var currentFee = allInputsAmount - totalOutAmount;
|
|
int remainingFee = newFee - currentFee;
|
|
|
|
final outputs = <BitcoinOutput>[];
|
|
|
|
// Add outputs and deduct the fees from it
|
|
for (int i = bundle.originalTransaction.outputs.length - 1; i >= 0; i--) {
|
|
final out = bundle.originalTransaction.outputs[i];
|
|
final address = addressFromOutputScript(out.scriptPubKey, network);
|
|
final btcAddress = addressTypeFromStr(address, network);
|
|
|
|
int newAmount;
|
|
if (out.amount.toInt() >= remainingFee) {
|
|
newAmount = out.amount.toInt() - remainingFee;
|
|
remainingFee = 0;
|
|
|
|
// if new amount of output is less than dust amount, then don't add this output as well
|
|
if (newAmount <= _dustAmount) {
|
|
continue;
|
|
}
|
|
} else {
|
|
remainingFee -= out.amount.toInt();
|
|
continue;
|
|
}
|
|
|
|
outputs.add(BitcoinOutput(address: btcAddress, value: BigInt.from(newAmount)));
|
|
}
|
|
|
|
final changeAddresses = walletAddresses.allAddresses.where((element) => element.isHidden);
|
|
|
|
// look for a change address in the outputs
|
|
final changeOutput = outputs.firstWhereOrNull((output) =>
|
|
changeAddresses.any((element) => element.address == output.address.toAddress(network)));
|
|
|
|
// deduct the change amount from the output amount
|
|
if (changeOutput != null) {
|
|
totalOutAmount -= changeOutput.value.toInt();
|
|
}
|
|
|
|
final txb = BitcoinTransactionBuilder(
|
|
utxos: utxos,
|
|
outputs: outputs,
|
|
fee: BigInt.from(newFee),
|
|
network: network,
|
|
enableRBF: true,
|
|
);
|
|
|
|
final transaction = txb.buildTransaction((txDigest, utxo, publicKey, sighash) {
|
|
final key =
|
|
privateKeys.firstWhereOrNull((element) => element.getPublic().toHex() == publicKey);
|
|
|
|
if (key == null) {
|
|
throw Exception("Cannot find private key");
|
|
}
|
|
|
|
if (utxo.utxo.isP2tr()) {
|
|
return key.signTapRoot(txDigest, sighash: sighash);
|
|
} else {
|
|
return key.signInput(txDigest, sigHash: sighash);
|
|
}
|
|
});
|
|
|
|
return PendingBitcoinTransaction(
|
|
transaction,
|
|
type,
|
|
electrumClient: electrumClient,
|
|
amount: totalOutAmount,
|
|
fee: newFee,
|
|
network: network,
|
|
hasChange: changeOutput != null,
|
|
feeRate: newFee.toString(),
|
|
)..addListener((transaction) async {
|
|
transactionHistory.addOne(transaction);
|
|
await updateBalance();
|
|
});
|
|
} catch (e) {
|
|
throw e;
|
|
}
|
|
}
|
|
|
|
Future<ElectrumTransactionBundle> getTransactionExpanded({required String hash}) async {
|
|
String transactionHex;
|
|
int? time;
|
|
int confirmations = 0;
|
|
if (network == BitcoinNetwork.testnet) {
|
|
// Testnet public electrum server does not support verbose transaction fetching
|
|
transactionHex = await electrumClient.getTransactionHex(hash: hash);
|
|
|
|
final status = json.decode(
|
|
(await http.get(Uri.parse("https://blockstream.info/testnet/api/tx/$hash/status"))).body);
|
|
|
|
time = status["block_time"] as int?;
|
|
final height = status["block_height"] as int? ?? 0;
|
|
confirmations =
|
|
height > 0 ? (await electrumClient.getCurrentBlockChainTip())! - height + 1 : 0;
|
|
} else {
|
|
final verboseTransaction = await electrumClient.getTransactionRaw(hash: hash);
|
|
|
|
transactionHex = verboseTransaction['hex'] as String;
|
|
time = verboseTransaction['time'] as int?;
|
|
confirmations = verboseTransaction['confirmations'] as int? ?? 0;
|
|
}
|
|
|
|
final original = BtcTransaction.fromRaw(transactionHex);
|
|
final ins = <BtcTransaction>[];
|
|
|
|
for (final vin in original.inputs) {
|
|
ins.add(BtcTransaction.fromRaw(await electrumClient.getTransactionHex(hash: vin.txId)));
|
|
}
|
|
|
|
return ElectrumTransactionBundle(
|
|
original,
|
|
ins: ins,
|
|
time: time,
|
|
confirmations: confirmations,
|
|
);
|
|
}
|
|
|
|
Future<ElectrumTransactionInfo?> fetchTransactionInfo(
|
|
{required String hash,
|
|
required int height,
|
|
required Set<String> myAddresses,
|
|
bool? retryOnFailure}) async {
|
|
try {
|
|
return ElectrumTransactionInfo.fromElectrumBundle(
|
|
await getTransactionExpanded(hash: hash), walletInfo.type, network,
|
|
addresses: myAddresses, height: height);
|
|
} catch (e) {
|
|
if (e is FormatException && retryOnFailure == true) {
|
|
await Future.delayed(const Duration(seconds: 2));
|
|
return fetchTransactionInfo(hash: hash, height: height, myAddresses: myAddresses);
|
|
}
|
|
return null;
|
|
}
|
|
}
|
|
|
|
@override
|
|
Future<Map<String, ElectrumTransactionInfo>> fetchTransactions() async {
|
|
try {
|
|
final Map<String, ElectrumTransactionInfo> historiesWithDetails = {};
|
|
final addressesSet = walletAddresses.allAddresses.map((addr) => addr.address).toSet();
|
|
currentChainTip ??= await electrumClient.getCurrentBlockChainTip() ?? 0;
|
|
|
|
await Future.wait(ADDRESS_TYPES.map((type) {
|
|
final addressesByType = walletAddresses.allAddresses.where((addr) => addr.type == type);
|
|
|
|
return Future.wait(addressesByType.map((addressRecord) async {
|
|
final history = await _fetchAddressHistory(addressRecord, addressesSet, currentChainTip!);
|
|
|
|
if (history.isNotEmpty) {
|
|
addressRecord.txCount = history.length;
|
|
historiesWithDetails.addAll(history);
|
|
|
|
final matchedAddresses =
|
|
addressesByType.where((addr) => addr.isHidden == addressRecord.isHidden);
|
|
|
|
final isLastUsedAddress =
|
|
history.isNotEmpty && addressRecord.address == matchedAddresses.last.address;
|
|
|
|
if (isLastUsedAddress) {
|
|
await walletAddresses.discoverAddresses(
|
|
matchedAddresses.toList(),
|
|
addressRecord.isHidden,
|
|
(address, addressesSet) =>
|
|
_fetchAddressHistory(address, addressesSet, currentChainTip!)
|
|
.then((history) => history.isNotEmpty ? address.address : null),
|
|
type: type);
|
|
}
|
|
}
|
|
}));
|
|
}));
|
|
|
|
return historiesWithDetails;
|
|
} catch (e) {
|
|
print(e.toString());
|
|
return {};
|
|
}
|
|
}
|
|
|
|
Future<Map<String, ElectrumTransactionInfo>> _fetchAddressHistory(
|
|
BitcoinAddressRecord addressRecord, Set<String> addressesSet, int currentHeight) async {
|
|
try {
|
|
final Map<String, ElectrumTransactionInfo> historiesWithDetails = {};
|
|
|
|
final history = await electrumClient
|
|
.getHistory(addressRecord.scriptHash ?? addressRecord.updateScriptHash(network));
|
|
|
|
if (history.isNotEmpty) {
|
|
addressRecord.setAsUsed();
|
|
|
|
await Future.wait(history.map((transaction) async {
|
|
final txid = transaction['tx_hash'] as String;
|
|
final height = transaction['height'] as int;
|
|
final storedTx = transactionHistory.transactions[txid];
|
|
|
|
if (storedTx != null) {
|
|
if (height > 0) {
|
|
storedTx.height = height;
|
|
// the tx's block itself is the first confirmation so add 1
|
|
storedTx.confirmations = currentHeight - height + 1;
|
|
storedTx.isPending = storedTx.confirmations == 0;
|
|
}
|
|
|
|
historiesWithDetails[txid] = storedTx;
|
|
} else {
|
|
final tx = await fetchTransactionInfo(
|
|
hash: txid, height: height, myAddresses: addressesSet, retryOnFailure: true);
|
|
|
|
if (tx != null) {
|
|
historiesWithDetails[txid] = tx;
|
|
|
|
// Got a new transaction fetched, add it to the transaction history
|
|
// instead of waiting all to finish, and next time it will be faster
|
|
transactionHistory.addOne(tx);
|
|
await transactionHistory.save();
|
|
}
|
|
}
|
|
|
|
return Future.value(null);
|
|
}));
|
|
}
|
|
|
|
return historiesWithDetails;
|
|
} catch (e) {
|
|
print(e.toString());
|
|
return {};
|
|
}
|
|
}
|
|
|
|
Future<void> updateTransactions() async {
|
|
try {
|
|
if (_isTransactionUpdating) {
|
|
return;
|
|
}
|
|
|
|
_isTransactionUpdating = true;
|
|
await fetchTransactions();
|
|
walletAddresses.updateReceiveAddresses();
|
|
_isTransactionUpdating = false;
|
|
} catch (e, stacktrace) {
|
|
print(stacktrace);
|
|
print(e);
|
|
_isTransactionUpdating = false;
|
|
}
|
|
}
|
|
|
|
void _subscribeForUpdates() async {
|
|
scriptHashes.forEach((sh) async {
|
|
await _scripthashesUpdateSubject[sh]?.close();
|
|
_scripthashesUpdateSubject[sh] = electrumClient.scripthashUpdate(sh);
|
|
_scripthashesUpdateSubject[sh]?.listen((event) async {
|
|
try {
|
|
await updateUnspent();
|
|
await updateBalance();
|
|
await updateTransactions();
|
|
} catch (e, s) {
|
|
print(e.toString());
|
|
_onError?.call(FlutterErrorDetails(
|
|
exception: e,
|
|
stack: s,
|
|
library: this.runtimeType.toString(),
|
|
));
|
|
}
|
|
});
|
|
});
|
|
|
|
await _chainTipUpdateSubject?.close();
|
|
_chainTipUpdateSubject = electrumClient.chainTipUpdate();
|
|
_chainTipUpdateSubject?.listen((_) async {
|
|
try {
|
|
final currentHeight = await electrumClient.getCurrentBlockChainTip();
|
|
if (currentHeight != null) walletInfo.restoreHeight = currentHeight;
|
|
_setListeners(walletInfo.restoreHeight, chainTip: currentHeight);
|
|
} catch (e, s) {
|
|
print(e.toString());
|
|
_onError?.call(FlutterErrorDetails(
|
|
exception: e,
|
|
stack: s,
|
|
library: this.runtimeType.toString(),
|
|
));
|
|
}
|
|
});
|
|
}
|
|
|
|
Future<ElectrumBalance> _fetchBalances() async {
|
|
final addresses = walletAddresses.allAddresses.toList();
|
|
final balanceFutures = <Future<Map<String, dynamic>>>[];
|
|
for (var i = 0; i < addresses.length; i++) {
|
|
final addressRecord = addresses[i];
|
|
final sh = scriptHash(addressRecord.address, network: network);
|
|
final balanceFuture = electrumClient.getBalance(sh);
|
|
balanceFutures.add(balanceFuture);
|
|
}
|
|
|
|
var totalFrozen = 0;
|
|
var totalConfirmed = 0;
|
|
var totalUnconfirmed = 0;
|
|
|
|
if (hasSilentPaymentsScanning) {
|
|
// Add values from unspent coins that are not fetched by the address list
|
|
// i.e. scanned silent payments
|
|
unspentCoinsInfo.values.forEach((info) {
|
|
unspentCoins.forEach((element) {
|
|
if (element.hash == info.hash &&
|
|
element.bitcoinAddressRecord.address == info.address &&
|
|
element.value == info.value) {
|
|
if (info.isFrozen) totalFrozen += element.value;
|
|
if (element.bitcoinAddressRecord is BitcoinSilentPaymentAddressRecord) {
|
|
totalConfirmed += element.value;
|
|
}
|
|
}
|
|
});
|
|
});
|
|
}
|
|
|
|
final balances = await Future.wait(balanceFutures);
|
|
|
|
for (var i = 0; i < balances.length; i++) {
|
|
final addressRecord = addresses[i];
|
|
final balance = balances[i];
|
|
final confirmed = balance['confirmed'] as int? ?? 0;
|
|
final unconfirmed = balance['unconfirmed'] as int? ?? 0;
|
|
totalConfirmed += confirmed;
|
|
totalUnconfirmed += unconfirmed;
|
|
|
|
if (confirmed > 0 || unconfirmed > 0) {
|
|
addressRecord.setAsUsed();
|
|
}
|
|
}
|
|
|
|
return ElectrumBalance(
|
|
confirmed: totalConfirmed, unconfirmed: totalUnconfirmed, frozen: totalFrozen);
|
|
}
|
|
|
|
Future<void> updateBalance() async {
|
|
balance[currency] = await _fetchBalances();
|
|
|
|
if (hasSilentPaymentsScanning) {
|
|
// Update balance stored from scanned silent payment transactions
|
|
try {
|
|
transactionHistory.transactions.values.forEach((tx) {
|
|
if (tx.unspents != null) {
|
|
balance[currency]!.confirmed += tx.unspents!
|
|
.where(
|
|
(unspent) => unspent.bitcoinAddressRecord is BitcoinSilentPaymentAddressRecord)
|
|
.map((e) => e.value)
|
|
.reduce((value, element) => value + element);
|
|
}
|
|
});
|
|
} catch (_) {}
|
|
}
|
|
|
|
await save();
|
|
}
|
|
|
|
String getChangeAddress() {
|
|
const minCountOfHiddenAddresses = 5;
|
|
final random = Random();
|
|
var addresses = walletAddresses.allAddresses.where((addr) => addr.isHidden).toList();
|
|
|
|
if (addresses.length < minCountOfHiddenAddresses) {
|
|
addresses = walletAddresses.allAddresses.toList();
|
|
}
|
|
|
|
return addresses[random.nextInt(addresses.length)].address;
|
|
}
|
|
|
|
@override
|
|
void setExceptionHandler(void Function(FlutterErrorDetails) onError) => _onError = onError;
|
|
|
|
@override
|
|
String signMessage(String message, {String? address = null}) {
|
|
final index = address != null
|
|
? walletAddresses.allAddresses.firstWhere((element) => element.address == address).index
|
|
: null;
|
|
final HD = index == null ? hd : hd.derive(index);
|
|
return base64Encode(HD.signMessage(message));
|
|
}
|
|
|
|
Future<void> _setInitialHeight() async {
|
|
currentChainTip = await electrumClient.getCurrentBlockChainTip();
|
|
if (currentChainTip != null && walletInfo.restoreHeight == 0) {
|
|
walletInfo.restoreHeight = currentChainTip!;
|
|
}
|
|
}
|
|
|
|
static BasedUtxoNetwork _getNetwork(bitcoin.NetworkType networkType, CryptoCurrency? currency) {
|
|
if (networkType == bitcoin.bitcoin && currency == CryptoCurrency.bch) {
|
|
return BitcoinCashNetwork.mainnet;
|
|
}
|
|
|
|
if (networkType == litecoinNetwork) {
|
|
return LitecoinNetwork.mainnet;
|
|
}
|
|
|
|
if (networkType == bitcoin.testnet) {
|
|
return BitcoinNetwork.testnet;
|
|
}
|
|
|
|
return BitcoinNetwork.mainnet;
|
|
}
|
|
}
|
|
|
|
class ScanNode {
|
|
final Uri uri;
|
|
final bool? useSSL;
|
|
|
|
ScanNode(this.uri, this.useSSL);
|
|
}
|
|
|
|
class ScanData {
|
|
final SendPort sendPort;
|
|
final SilentPaymentOwner silentAddress;
|
|
final int height;
|
|
final ScanNode node;
|
|
final BasedUtxoNetwork network;
|
|
final int chainTip;
|
|
final ElectrumClient electrumClient;
|
|
final List<String> transactionHistoryIds;
|
|
final Map<String, String> labels;
|
|
final bool isSingleScan;
|
|
|
|
ScanData({
|
|
required this.sendPort,
|
|
required this.silentAddress,
|
|
required this.height,
|
|
required this.node,
|
|
required this.network,
|
|
required this.chainTip,
|
|
required this.electrumClient,
|
|
required this.transactionHistoryIds,
|
|
required this.labels,
|
|
required this.isSingleScan,
|
|
});
|
|
|
|
factory ScanData.fromHeight(ScanData scanData, int newHeight) {
|
|
return ScanData(
|
|
sendPort: scanData.sendPort,
|
|
silentAddress: scanData.silentAddress,
|
|
height: newHeight,
|
|
node: scanData.node,
|
|
network: scanData.network,
|
|
chainTip: scanData.chainTip,
|
|
transactionHistoryIds: scanData.transactionHistoryIds,
|
|
electrumClient: scanData.electrumClient,
|
|
labels: scanData.labels,
|
|
isSingleScan: scanData.isSingleScan,
|
|
);
|
|
}
|
|
}
|
|
|
|
class SyncResponse {
|
|
final int height;
|
|
final SyncStatus syncStatus;
|
|
|
|
SyncResponse(this.height, this.syncStatus);
|
|
}
|
|
|
|
Future<void> startRefresh(ScanData scanData) async {
|
|
var cachedBlockchainHeight = scanData.chainTip;
|
|
|
|
Future<ElectrumClient> getElectrumConnection() async {
|
|
final electrumClient = scanData.electrumClient;
|
|
if (!electrumClient.isConnected) {
|
|
final node = scanData.node;
|
|
await electrumClient.connectToUri(node.uri, useSSL: node.useSSL);
|
|
}
|
|
return electrumClient;
|
|
}
|
|
|
|
Future<int> getNodeHeightOrUpdate(int baseHeight) async {
|
|
if (cachedBlockchainHeight < baseHeight || cachedBlockchainHeight == 0) {
|
|
final electrumClient = await getElectrumConnection();
|
|
|
|
cachedBlockchainHeight =
|
|
await electrumClient.getCurrentBlockChainTip() ?? cachedBlockchainHeight;
|
|
}
|
|
|
|
return cachedBlockchainHeight;
|
|
}
|
|
|
|
var lastKnownBlockHeight = 0;
|
|
var initialSyncHeight = 0;
|
|
|
|
var syncHeight = scanData.height;
|
|
var currentChainTip = scanData.chainTip;
|
|
|
|
if (syncHeight <= 0) {
|
|
syncHeight = currentChainTip;
|
|
}
|
|
|
|
if (initialSyncHeight <= 0) {
|
|
initialSyncHeight = syncHeight;
|
|
}
|
|
|
|
if (lastKnownBlockHeight == syncHeight) {
|
|
scanData.sendPort.send(SyncResponse(currentChainTip, SyncedSyncStatus()));
|
|
return;
|
|
}
|
|
|
|
// Run this until no more blocks left to scan txs. At first this was recursive
|
|
// i.e. re-calling the startRefresh function but this was easier for the above values to retain
|
|
// their initial values
|
|
while (true) {
|
|
lastKnownBlockHeight = syncHeight;
|
|
|
|
SyncingSyncStatus syncingStatus;
|
|
if (scanData.isSingleScan) {
|
|
syncingStatus = SyncingSyncStatus(1, 0);
|
|
} else {
|
|
syncingStatus =
|
|
SyncingSyncStatus.fromHeightValues(currentChainTip, initialSyncHeight, syncHeight);
|
|
}
|
|
|
|
scanData.sendPort.send(SyncResponse(syncHeight, syncingStatus));
|
|
|
|
if (syncingStatus.blocksLeft <= 0 || (scanData.isSingleScan && scanData.height != syncHeight)) {
|
|
scanData.sendPort.send(SyncResponse(currentChainTip, SyncedSyncStatus()));
|
|
return;
|
|
}
|
|
|
|
try {
|
|
final electrumClient = await getElectrumConnection();
|
|
|
|
final scanningBlockCount =
|
|
scanData.isSingleScan ? 1 : (scanData.network == BitcoinNetwork.testnet ? 1 : 10);
|
|
|
|
Map<String, dynamic>? tweaks;
|
|
try {
|
|
tweaks = await electrumClient.getTweaks(height: syncHeight, count: scanningBlockCount);
|
|
} catch (e) {
|
|
if (e is RequestFailedTimeoutException) {
|
|
return scanData.sendPort.send(
|
|
SyncResponse(syncHeight, TimedOutSyncStatus()),
|
|
);
|
|
}
|
|
}
|
|
|
|
if (tweaks == null) {
|
|
return scanData.sendPort.send(
|
|
SyncResponse(syncHeight, UnsupportedSyncStatus()),
|
|
);
|
|
}
|
|
|
|
if (tweaks.isEmpty) {
|
|
syncHeight += scanningBlockCount;
|
|
continue;
|
|
}
|
|
|
|
final blockHeights = tweaks.keys;
|
|
for (var i = 0; i < blockHeights.length; i++) {
|
|
try {
|
|
final blockHeight = blockHeights.elementAt(i).toString();
|
|
final blockTweaks = tweaks[blockHeight] as Map<String, dynamic>;
|
|
|
|
for (var j = 0; j < blockTweaks.keys.length; j++) {
|
|
final txid = blockTweaks.keys.elementAt(j);
|
|
final details = blockTweaks[txid] as Map<String, dynamic>;
|
|
final outputPubkeys = (details["output_pubkeys"] as Map<dynamic, dynamic>);
|
|
final tweak = details["tweak"].toString();
|
|
|
|
try {
|
|
final spb = SilentPaymentBuilder(receiverTweak: tweak);
|
|
final addToWallet = spb.scanOutputs(
|
|
scanData.silentAddress.b_scan,
|
|
scanData.silentAddress.B_spend,
|
|
outputPubkeys.values
|
|
.map((o) => getScriptFromOutput(o[0].toString(), int.parse(o[1].toString())))
|
|
.toList(),
|
|
precomputedLabels: scanData.labels,
|
|
);
|
|
|
|
if (addToWallet.isEmpty) {
|
|
// no results tx, continue to next tx
|
|
continue;
|
|
}
|
|
|
|
addToWallet.forEach((key, value) async {
|
|
final t_k = value.tweak;
|
|
|
|
final addressRecord = BitcoinSilentPaymentAddressRecord(
|
|
value.output.address.toAddress(scanData.network),
|
|
index: 0,
|
|
isHidden: false,
|
|
isUsed: true,
|
|
network: scanData.network,
|
|
silentPaymentTweak: t_k,
|
|
type: SegwitAddresType.p2tr,
|
|
);
|
|
|
|
int? amount;
|
|
int? pos;
|
|
outputPubkeys.entries.firstWhere((k) {
|
|
final matches = k.value[0] == key;
|
|
if (matches) {
|
|
amount = int.parse(k.value[1].toString());
|
|
pos = int.parse(k.key.toString());
|
|
return true;
|
|
}
|
|
return false;
|
|
});
|
|
|
|
final json = <String, dynamic>{
|
|
'address_record': addressRecord.toJSON(),
|
|
'tx_hash': txid,
|
|
'value': amount!,
|
|
'tx_pos': pos!,
|
|
'silent_payment_tweak': t_k,
|
|
};
|
|
|
|
final tx = BitcoinUnspent.fromJSON(addressRecord, json);
|
|
|
|
final txInfo = ElectrumTransactionInfo(
|
|
WalletType.bitcoin,
|
|
id: tx.hash,
|
|
height: syncHeight,
|
|
amount: 0, // will be added later via unspent
|
|
fee: 0,
|
|
direction: TransactionDirection.incoming,
|
|
isPending: false,
|
|
date: DateTime.now(),
|
|
confirmations: currentChainTip - syncHeight - 1,
|
|
to: value.label != null
|
|
? SilentPaymentAddress(
|
|
version: scanData.silentAddress.version,
|
|
B_scan: scanData.silentAddress.B_scan.tweakAdd(
|
|
BigintUtils.fromBytes(BytesUtils.fromHexString(value.tweak))),
|
|
B_spend: scanData.silentAddress.B_spend,
|
|
hrp: scanData.silentAddress.hrp,
|
|
).toString()
|
|
: scanData.silentAddress.toString(),
|
|
unspents: [tx],
|
|
);
|
|
|
|
scanData.sendPort.send({txInfo.id: txInfo});
|
|
});
|
|
} catch (_) {}
|
|
}
|
|
} catch (e, s) {
|
|
print([e, s]);
|
|
}
|
|
|
|
// Finished scanning block, add 1 to height and continue to next block in loop
|
|
syncHeight += 1;
|
|
scanData.sendPort.send(SyncResponse(syncHeight,
|
|
SyncingSyncStatus.fromHeightValues(currentChainTip, initialSyncHeight, syncHeight)));
|
|
}
|
|
} catch (e, stacktrace) {
|
|
print(stacktrace);
|
|
print(e.toString());
|
|
|
|
scanData.sendPort.send(SyncResponse(syncHeight, NotConnectedSyncStatus()));
|
|
break;
|
|
}
|
|
}
|
|
}
|
|
|
|
class EstimatedTxResult {
|
|
EstimatedTxResult({
|
|
required this.utxos,
|
|
required this.inputPrivKeyInfos,
|
|
required this.fee,
|
|
required this.amount,
|
|
required this.hasChange,
|
|
required this.isSendAll,
|
|
this.memo,
|
|
required this.spendsSilentPayment,
|
|
});
|
|
|
|
final List<UtxoWithAddress> utxos;
|
|
final List<ECPrivateInfo> inputPrivKeyInfos;
|
|
final int fee;
|
|
final int amount;
|
|
final bool spendsSilentPayment;
|
|
final bool hasChange;
|
|
final bool isSendAll;
|
|
final String? memo;
|
|
}
|
|
|
|
BitcoinBaseAddress addressTypeFromStr(String address, BasedUtxoNetwork network) {
|
|
if (network is BitcoinCashNetwork) {
|
|
if (!address.startsWith("bitcoincash:") &&
|
|
(address.startsWith("q") || address.startsWith("p"))) {
|
|
address = "bitcoincash:$address";
|
|
}
|
|
|
|
return BitcoinCashAddress(address).baseAddress;
|
|
}
|
|
|
|
if (P2pkhAddress.regex.hasMatch(address)) {
|
|
return P2pkhAddress.fromAddress(address: address, network: network);
|
|
} else if (P2shAddress.regex.hasMatch(address)) {
|
|
return P2shAddress.fromAddress(address: address, network: network);
|
|
} else if (P2wshAddress.regex.hasMatch(address)) {
|
|
return P2wshAddress.fromAddress(address: address, network: network);
|
|
} else if (P2trAddress.regex.hasMatch(address)) {
|
|
return P2trAddress.fromAddress(address: address, network: network);
|
|
} else if (SilentPaymentAddress.regex.hasMatch(address)) {
|
|
return SilentPaymentAddress.fromAddress(address);
|
|
} else {
|
|
return P2wpkhAddress.fromAddress(address: address, network: network);
|
|
}
|
|
}
|
|
|
|
BitcoinAddressType _getScriptType(BitcoinBaseAddress type) {
|
|
if (type is P2pkhAddress) {
|
|
return P2pkhAddressType.p2pkh;
|
|
} else if (type is P2shAddress) {
|
|
return P2shAddressType.p2wpkhInP2sh;
|
|
} else if (type is P2wshAddress) {
|
|
return SegwitAddresType.p2wsh;
|
|
} else if (type is P2trAddress) {
|
|
return SegwitAddresType.p2tr;
|
|
} else if (type is SilentPaymentsAddresType) {
|
|
return SilentPaymentsAddresType.p2sp;
|
|
} else {
|
|
return SegwitAddresType.p2wpkh;
|
|
}
|
|
}
|