Coverage Report

Created: 2025-06-10 13:21

next uncovered line (L), next uncovered region (R), next uncovered branch (B)
/bitcoin/src/wallet/spend.cpp
Line
Count
Source
1
// Copyright (c) 2021-2022 The Bitcoin Core developers
2
// Distributed under the MIT software license, see the accompanying
3
// file COPYING or http://www.opensource.org/licenses/mit-license.php.
4
5
#include <algorithm>
6
#include <common/args.h>
7
#include <common/messages.h>
8
#include <common/system.h>
9
#include <consensus/amount.h>
10
#include <consensus/validation.h>
11
#include <interfaces/chain.h>
12
#include <node/types.h>
13
#include <numeric>
14
#include <policy/policy.h>
15
#include <primitives/transaction.h>
16
#include <script/script.h>
17
#include <script/signingprovider.h>
18
#include <script/solver.h>
19
#include <util/check.h>
20
#include <util/moneystr.h>
21
#include <util/rbf.h>
22
#include <util/trace.h>
23
#include <util/translation.h>
24
#include <util/transaction_identifier.h>
25
#include <wallet/coincontrol.h>
26
#include <wallet/fees.h>
27
#include <wallet/receive.h>
28
#include <wallet/spend.h>
29
#include <wallet/transaction.h>
30
#include <wallet/wallet.h>
31
32
#include <cmath>
33
34
using common::StringForFeeReason;
35
using common::TransactionErrorString;
36
using interfaces::FoundBlock;
37
using node::TransactionError;
38
39
TRACEPOINT_SEMAPHORE(coin_selection, selected_coins);
40
TRACEPOINT_SEMAPHORE(coin_selection, normal_create_tx_internal);
41
TRACEPOINT_SEMAPHORE(coin_selection, attempting_aps_create_tx);
42
TRACEPOINT_SEMAPHORE(coin_selection, aps_create_tx_internal);
43
44
namespace wallet {
45
static constexpr size_t OUTPUT_GROUP_MAX_ENTRIES{100};
46
47
/** Whether the descriptor represents, directly or not, a witness program. */
48
0
static bool IsSegwit(const Descriptor& desc) {
49
0
    if (const auto typ = desc.GetOutputType()) return *typ != OutputType::LEGACY;
  Branch (49:20): [True: 0, False: 0]
50
0
    return false;
51
0
}
52
53
/** Whether to assume ECDSA signatures' will be high-r. */
54
0
static bool UseMaxSig(const std::optional<CTxIn>& txin, const CCoinControl* coin_control) {
55
    // Use max sig if watch only inputs were used or if this particular input is an external input
56
    // to ensure a sufficient fee is attained for the requested feerate.
57
0
    return coin_control && (coin_control->fAllowWatchOnly || (txin && coin_control->IsExternalSelected(txin->prevout)));
  Branch (57:12): [True: 0, False: 0]
  Branch (57:29): [True: 0, False: 0]
  Branch (57:63): [True: 0, False: 0]
  Branch (57:71): [True: 0, False: 0]
58
0
}
59
60
/** Get the size of an input (in witness units) once it's signed.
61
 *
62
 * @param desc The output script descriptor of the coin spent by this input.
63
 * @param txin Optionally the txin to estimate the size of. Used to determine the size of ECDSA signatures.
64
 * @param coin_control Information about the context to determine the size of ECDSA signatures.
65
 * @param tx_is_segwit Whether the transaction has at least a single input spending a segwit coin.
66
 * @param can_grind_r Whether the signer will be able to grind the R of the signature.
67
 */
68
static std::optional<int64_t> MaxInputWeight(const Descriptor& desc, const std::optional<CTxIn>& txin,
69
                                             const CCoinControl* coin_control, const bool tx_is_segwit,
70
0
                                             const bool can_grind_r) {
71
0
    if (const auto sat_weight = desc.MaxSatisfactionWeight(!can_grind_r || UseMaxSig(txin, coin_control))) {
  Branch (71:20): [True: 0, False: 0]
72
0
        if (const auto elems_count = desc.MaxSatisfactionElems()) {
  Branch (72:24): [True: 0, False: 0]
73
0
            const bool is_segwit = IsSegwit(desc);
74
            // Account for the size of the scriptsig and the number of elements on the witness stack. Note
75
            // that if any input in the transaction is spending a witness program, we need to specify the
76
            // witness stack size for every input regardless of whether it is segwit itself.
77
            // NOTE: this also works in case of mixed scriptsig-and-witness such as in p2sh-wrapped segwit v0
78
            // outputs. In this case the size of the scriptsig length will always be one (since the redeemScript
79
            // is always a push of the witness program in this case, which is smaller than 253 bytes).
80
0
            const int64_t scriptsig_len = is_segwit ? 1 : GetSizeOfCompactSize(*sat_weight / WITNESS_SCALE_FACTOR);
  Branch (80:43): [True: 0, False: 0]
81
0
            const int64_t witstack_len = is_segwit ? GetSizeOfCompactSize(*elems_count) : (tx_is_segwit ? 1 : 0);
  Branch (81:42): [True: 0, False: 0]
  Branch (81:92): [True: 0, False: 0]
82
            // previous txid + previous vout + sequence + scriptsig len + witstack size + scriptsig or witness
83
            // NOTE: sat_weight already accounts for the witness discount accordingly.
84
0
            return (32 + 4 + 4 + scriptsig_len) * WITNESS_SCALE_FACTOR + witstack_len + *sat_weight;
85
0
        }
86
0
    }
87
88
0
    return {};
89
0
}
90
91
int CalculateMaximumSignedInputSize(const CTxOut& txout, const COutPoint outpoint, const SigningProvider* provider, bool can_grind_r, const CCoinControl* coin_control)
92
0
{
93
0
    if (!provider) return -1;
  Branch (93:9): [True: 0, False: 0]
94
95
0
    if (const auto desc = InferDescriptor(txout.scriptPubKey, *provider)) {
  Branch (95:20): [True: 0, False: 0]
96
0
        if (const auto weight = MaxInputWeight(*desc, {}, coin_control, true, can_grind_r)) {
  Branch (96:24): [True: 0, False: 0]
97
0
            return static_cast<int>(GetVirtualTransactionSize(*weight, 0, 0));
98
0
        }
99
0
    }
100
101
0
    return -1;
102
0
}
103
104
int CalculateMaximumSignedInputSize(const CTxOut& txout, const CWallet* wallet, const CCoinControl* coin_control)
105
0
{
106
0
    const std::unique_ptr<SigningProvider> provider = wallet->GetSolvingProvider(txout.scriptPubKey);
107
0
    return CalculateMaximumSignedInputSize(txout, COutPoint(), provider.get(), wallet->CanGrindR(), coin_control);
108
0
}
109
110
/** Infer a descriptor for the given output script. */
111
static std::unique_ptr<Descriptor> GetDescriptor(const CWallet* wallet, const CCoinControl* coin_control,
112
                                                 const CScript script_pubkey)
113
0
{
114
0
    MultiSigningProvider providers;
115
0
    for (const auto spkman: wallet->GetScriptPubKeyMans(script_pubkey)) {
  Branch (115:27): [True: 0, False: 0]
116
0
        providers.AddProvider(spkman->GetSolvingProvider(script_pubkey));
117
0
    }
118
0
    if (coin_control) {
  Branch (118:9): [True: 0, False: 0]
119
0
        providers.AddProvider(std::make_unique<FlatSigningProvider>(coin_control->m_external_provider));
120
0
    }
121
0
    return InferDescriptor(script_pubkey, providers);
122
0
}
123
124
/** Infer the maximum size of this input after it will be signed. */
125
static std::optional<int64_t> GetSignedTxinWeight(const CWallet* wallet, const CCoinControl* coin_control,
126
                                                  const CTxIn& txin, const CTxOut& txo, const bool tx_is_segwit,
127
                                                  const bool can_grind_r)
128
0
{
129
    // If weight was provided, use that.
130
0
    std::optional<int64_t> weight;
131
0
    if (coin_control && (weight = coin_control->GetInputWeight(txin.prevout))) {
  Branch (131:9): [True: 0, False: 0]
  Branch (131:9): [True: 0, False: 0]
  Branch (131:25): [True: 0, False: 0]
132
0
        return weight.value();
133
0
    }
134
135
    // Otherwise, use the maximum satisfaction size provided by the descriptor.
136
0
    std::unique_ptr<Descriptor> desc{GetDescriptor(wallet, coin_control, txo.scriptPubKey)};
137
0
    if (desc) return MaxInputWeight(*desc, {txin}, coin_control, tx_is_segwit, can_grind_r);
  Branch (137:9): [True: 0, False: 0]
138
139
0
    return {};
140
0
}
141
142
// txouts needs to be in the order of tx.vin
143
TxSize CalculateMaximumSignedTxSize(const CTransaction &tx, const CWallet *wallet, const std::vector<CTxOut>& txouts, const CCoinControl* coin_control)
144
0
{
145
    // version + nLockTime + input count + output count
146
0
    int64_t weight = (4 + 4 + GetSizeOfCompactSize(tx.vin.size()) + GetSizeOfCompactSize(tx.vout.size())) * WITNESS_SCALE_FACTOR;
147
    // Whether any input spends a witness program. Necessary to run before the next loop over the
148
    // inputs in order to accurately compute the compactSize length for the witness data per input.
149
0
    bool is_segwit = std::any_of(txouts.begin(), txouts.end(), [&](const CTxOut& txo) {
150
0
        std::unique_ptr<Descriptor> desc{GetDescriptor(wallet, coin_control, txo.scriptPubKey)};
151
0
        if (desc) return IsSegwit(*desc);
  Branch (151:13): [True: 0, False: 0]
152
0
        return false;
153
0
    });
154
    // Segwit marker and flag
155
0
    if (is_segwit) weight += 2;
  Branch (155:9): [True: 0, False: 0]
156
157
    // Add the size of the transaction outputs.
158
0
    for (const auto& txo : tx.vout) weight += GetSerializeSize(txo) * WITNESS_SCALE_FACTOR;
  Branch (158:26): [True: 0, False: 0]
159
160
    // Add the size of the transaction inputs as if they were signed.
161
0
    for (uint32_t i = 0; i < txouts.size(); i++) {
  Branch (161:26): [True: 0, False: 0]
162
0
        const auto txin_weight = GetSignedTxinWeight(wallet, coin_control, tx.vin[i], txouts[i], is_segwit, wallet->CanGrindR());
163
0
        if (!txin_weight) return TxSize{-1, -1};
  Branch (163:13): [True: 0, False: 0]
164
0
        assert(*txin_weight > -1);
  Branch (164:9): [True: 0, False: 0]
165
0
        weight += *txin_weight;
166
0
    }
167
168
    // It's ok to use 0 as the number of sigops since we never create any pathological transaction.
169
0
    return TxSize{GetVirtualTransactionSize(weight, 0, 0), weight};
170
0
}
171
172
TxSize CalculateMaximumSignedTxSize(const CTransaction &tx, const CWallet *wallet, const CCoinControl* coin_control)
173
0
{
174
0
    std::vector<CTxOut> txouts;
175
    // Look up the inputs. The inputs are either in the wallet, or in coin_control.
176
0
    for (const CTxIn& input : tx.vin) {
  Branch (176:29): [True: 0, False: 0]
177
0
        const auto mi = wallet->mapWallet.find(input.prevout.hash);
178
        // Can not estimate size without knowing the input details
179
0
        if (mi != wallet->mapWallet.end()) {
  Branch (179:13): [True: 0, False: 0]
180
0
            assert(input.prevout.n < mi->second.tx->vout.size());
  Branch (180:13): [True: 0, False: 0]
181
0
            txouts.emplace_back(mi->second.tx->vout.at(input.prevout.n));
182
0
        } else if (coin_control) {
  Branch (182:20): [True: 0, False: 0]
183
0
            const auto& txout{coin_control->GetExternalOutput(input.prevout)};
184
0
            if (!txout) return TxSize{-1, -1};
  Branch (184:17): [True: 0, False: 0]
185
0
            txouts.emplace_back(*txout);
186
0
        } else {
187
0
            return TxSize{-1, -1};
188
0
        }
189
0
    }
190
0
    return CalculateMaximumSignedTxSize(tx, wallet, txouts, coin_control);
191
0
}
192
193
size_t CoinsResult::Size() const
194
0
{
195
0
    size_t size{0};
196
0
    for (const auto& it : coins) {
  Branch (196:25): [True: 0, False: 0]
197
0
        size += it.second.size();
198
0
    }
199
0
    return size;
200
0
}
201
202
std::vector<COutput> CoinsResult::All() const
203
0
{
204
0
    std::vector<COutput> all;
205
0
    all.reserve(coins.size());
206
0
    for (const auto& it : coins) {
  Branch (206:25): [True: 0, False: 0]
207
0
        all.insert(all.end(), it.second.begin(), it.second.end());
208
0
    }
209
0
    return all;
210
0
}
211
212
0
void CoinsResult::Clear() {
213
0
    coins.clear();
214
0
}
215
216
void CoinsResult::Erase(const std::unordered_set<COutPoint, SaltedOutpointHasher>& coins_to_remove)
217
0
{
218
0
    for (auto& [type, vec] : coins) {
  Branch (218:28): [True: 0, False: 0]
219
0
        auto remove_it = std::remove_if(vec.begin(), vec.end(), [&](const COutput& coin) {
220
            // remove it if it's on the set
221
0
            if (coins_to_remove.count(coin.outpoint) == 0) return false;
  Branch (221:17): [True: 0, False: 0]
222
223
            // update cached amounts
224
0
            total_amount -= coin.txout.nValue;
225
0
            if (coin.HasEffectiveValue()) total_effective_amount = *total_effective_amount - coin.GetEffectiveValue();
  Branch (225:17): [True: 0, False: 0]
226
0
            return true;
227
0
        });
228
0
        vec.erase(remove_it, vec.end());
229
0
    }
230
0
}
231
232
void CoinsResult::Shuffle(FastRandomContext& rng_fast)
233
0
{
234
0
    for (auto& it : coins) {
  Branch (234:19): [True: 0, False: 0]
235
0
        std::shuffle(it.second.begin(), it.second.end(), rng_fast);
236
0
    }
237
0
}
238
239
void CoinsResult::Add(OutputType type, const COutput& out)
240
0
{
241
0
    coins[type].emplace_back(out);
242
0
    total_amount += out.txout.nValue;
243
0
    if (out.HasEffectiveValue()) {
  Branch (243:9): [True: 0, False: 0]
244
0
        total_effective_amount = total_effective_amount.has_value() ?
  Branch (244:34): [True: 0, False: 0]
245
0
                *total_effective_amount + out.GetEffectiveValue() : out.GetEffectiveValue();
246
0
    }
247
0
}
248
249
static OutputType GetOutputType(TxoutType type, bool is_from_p2sh)
250
0
{
251
0
    switch (type) {
252
0
        case TxoutType::WITNESS_V1_TAPROOT:
  Branch (252:9): [True: 0, False: 0]
253
0
            return OutputType::BECH32M;
254
0
        case TxoutType::WITNESS_V0_KEYHASH:
  Branch (254:9): [True: 0, False: 0]
255
0
        case TxoutType::WITNESS_V0_SCRIPTHASH:
  Branch (255:9): [True: 0, False: 0]
256
0
            if (is_from_p2sh) return OutputType::P2SH_SEGWIT;
  Branch (256:17): [True: 0, False: 0]
257
0
            else return OutputType::BECH32;
258
0
        case TxoutType::SCRIPTHASH:
  Branch (258:9): [True: 0, False: 0]
259
0
        case TxoutType::PUBKEYHASH:
  Branch (259:9): [True: 0, False: 0]
260
0
            return OutputType::LEGACY;
261
0
        default:
  Branch (261:9): [True: 0, False: 0]
262
0
            return OutputType::UNKNOWN;
263
0
    }
264
0
}
265
266
// Fetch and validate the coin control selected inputs.
267
// Coins could be internal (from the wallet) or external.
268
util::Result<PreSelectedInputs> FetchSelectedInputs(const CWallet& wallet, const CCoinControl& coin_control,
269
                                            const CoinSelectionParams& coin_selection_params)
270
0
{
271
0
    PreSelectedInputs result;
272
0
    const bool can_grind_r = wallet.CanGrindR();
273
0
    std::map<COutPoint, CAmount> map_of_bump_fees = wallet.chain().calculateIndividualBumpFees(coin_control.ListSelected(), coin_selection_params.m_effective_feerate);
274
0
    for (const COutPoint& outpoint : coin_control.ListSelected()) {
  Branch (274:36): [True: 0, False: 0]
275
0
        int64_t input_bytes = coin_control.GetInputWeight(outpoint).value_or(-1);
276
0
        if (input_bytes != -1) {
  Branch (276:13): [True: 0, False: 0]
277
0
            input_bytes = GetVirtualTransactionSize(input_bytes, 0, 0);
278
0
        }
279
0
        CTxOut txout;
280
0
        if (auto ptr_wtx = wallet.GetWalletTx(outpoint.hash)) {
  Branch (280:18): [True: 0, False: 0]
281
            // Clearly invalid input, fail
282
0
            if (ptr_wtx->tx->vout.size() <= outpoint.n) {
  Branch (282:17): [True: 0, False: 0]
283
0
                return util::Error{strprintf(_("Invalid pre-selected input %s"), outpoint.ToString())};
284
0
            }
285
0
            txout = ptr_wtx->tx->vout.at(outpoint.n);
286
0
            if (input_bytes == -1) {
  Branch (286:17): [True: 0, False: 0]
287
0
                input_bytes = CalculateMaximumSignedInputSize(txout, &wallet, &coin_control);
288
0
            }
289
0
        } else {
290
            // The input is external. We did not find the tx in mapWallet.
291
0
            const auto out{coin_control.GetExternalOutput(outpoint)};
292
0
            if (!out) {
  Branch (292:17): [True: 0, False: 0]
293
0
                return util::Error{strprintf(_("Not found pre-selected input %s"), outpoint.ToString())};
294
0
            }
295
296
0
            txout = *out;
297
0
        }
298
299
0
        if (input_bytes == -1) {
  Branch (299:13): [True: 0, False: 0]
300
0
            input_bytes = CalculateMaximumSignedInputSize(txout, outpoint, &coin_control.m_external_provider, can_grind_r, &coin_control);
301
0
        }
302
303
0
        if (input_bytes == -1) {
  Branch (303:13): [True: 0, False: 0]
304
0
            return util::Error{strprintf(_("Not solvable pre-selected input %s"), outpoint.ToString())}; // Not solvable, can't estimate size for fee
305
0
        }
306
307
        /* Set some defaults for depth, spendable, solvable, safe, time, and from_me as these don't matter for preset inputs since no selection is being done. */
308
0
        COutput output(outpoint, txout, /*depth=*/ 0, input_bytes, /*spendable=*/ true, /*solvable=*/ true, /*safe=*/ true, /*time=*/ 0, /*from_me=*/ false, coin_selection_params.m_effective_feerate);
309
0
        output.ApplyBumpFee(map_of_bump_fees.at(output.outpoint));
310
0
        result.Insert(output, coin_selection_params.m_subtract_fee_outputs);
311
0
    }
312
0
    return result;
313
0
}
314
315
CoinsResult AvailableCoins(const CWallet& wallet,
316
                           const CCoinControl* coinControl,
317
                           std::optional<CFeeRate> feerate,
318
                           const CoinFilterParams& params)
319
0
{
320
0
    AssertLockHeld(wallet.cs_wallet);
321
322
0
    CoinsResult result;
323
    // Either the WALLET_FLAG_AVOID_REUSE flag is not set (in which case we always allow), or we default to avoiding, and only in the case where
324
    // a coin control object is provided, and has the avoid address reuse flag set to false, do we allow already used addresses
325
0
    bool allow_used_addresses = !wallet.IsWalletFlagSet(WALLET_FLAG_AVOID_REUSE) || (coinControl && !coinControl->m_avoid_address_reuse);
  Branch (325:33): [True: 0, False: 0]
  Branch (325:86): [True: 0, False: 0]
  Branch (325:101): [True: 0, False: 0]
326
0
    const int min_depth = {coinControl ? coinControl->m_min_depth : DEFAULT_MIN_DEPTH};
  Branch (326:28): [True: 0, False: 0]
327
0
    const int max_depth = {coinControl ? coinControl->m_max_depth : DEFAULT_MAX_DEPTH};
  Branch (327:28): [True: 0, False: 0]
328
0
    const bool only_safe = {coinControl ? !coinControl->m_include_unsafe_inputs : true};
  Branch (328:29): [True: 0, False: 0]
329
0
    const bool can_grind_r = wallet.CanGrindR();
330
0
    std::vector<COutPoint> outpoints;
331
332
0
    std::set<Txid> trusted_parents;
333
0
    for (const auto& entry : wallet.mapWallet)
  Branch (333:28): [True: 0, False: 0]
334
0
    {
335
0
        const Txid& txid = entry.first;
336
0
        const CWalletTx& wtx = entry.second;
337
338
0
        if (wallet.IsTxImmatureCoinBase(wtx) && !params.include_immature_coinbase)
  Branch (338:13): [True: 0, False: 0]
  Branch (338:49): [True: 0, False: 0]
339
0
            continue;
340
341
0
        int nDepth = wallet.GetTxDepthInMainChain(wtx);
342
0
        if (nDepth < 0)
  Branch (342:13): [True: 0, False: 0]
343
0
            continue;
344
345
        // We should not consider coins which aren't at least in our mempool
346
        // It's possible for these to be conflicted via ancestors which we may never be able to detect
347
0
        if (nDepth == 0 && !wtx.InMempool())
  Branch (347:13): [True: 0, False: 0]
  Branch (347:28): [True: 0, False: 0]
348
0
            continue;
349
350
0
        bool safeTx = CachedTxIsTrusted(wallet, wtx, trusted_parents);
351
352
        // We should not consider coins from transactions that are replacing
353
        // other transactions.
354
        //
355
        // Example: There is a transaction A which is replaced by bumpfee
356
        // transaction B. In this case, we want to prevent creation of
357
        // a transaction B' which spends an output of B.
358
        //
359
        // Reason: If transaction A were initially confirmed, transactions B
360
        // and B' would no longer be valid, so the user would have to create
361
        // a new transaction C to replace B'. However, in the case of a
362
        // one-block reorg, transactions B' and C might BOTH be accepted,
363
        // when the user only wanted one of them. Specifically, there could
364
        // be a 1-block reorg away from the chain where transactions A and C
365
        // were accepted to another chain where B, B', and C were all
366
        // accepted.
367
0
        if (nDepth == 0 && wtx.mapValue.count("replaces_txid")) {
  Branch (367:13): [True: 0, False: 0]
  Branch (367:13): [True: 0, False: 0]
  Branch (367:28): [True: 0, False: 0]
368
0
            safeTx = false;
369
0
        }
370
371
        // Similarly, we should not consider coins from transactions that
372
        // have been replaced. In the example above, we would want to prevent
373
        // creation of a transaction A' spending an output of A, because if
374
        // transaction B were initially confirmed, conflicting with A and
375
        // A', we wouldn't want to the user to create a transaction D
376
        // intending to replace A', but potentially resulting in a scenario
377
        // where A, A', and D could all be accepted (instead of just B and
378
        // D, or just A and A' like the user would want).
379
0
        if (nDepth == 0 && wtx.mapValue.count("replaced_by_txid")) {
  Branch (379:13): [True: 0, False: 0]
  Branch (379:13): [True: 0, False: 0]
  Branch (379:28): [True: 0, False: 0]
380
0
            safeTx = false;
381
0
        }
382
383
0
        if (only_safe && !safeTx) {
  Branch (383:13): [True: 0, False: 0]
  Branch (383:26): [True: 0, False: 0]
384
0
            continue;
385
0
        }
386
387
0
        if (nDepth < min_depth || nDepth > max_depth) {
  Branch (387:13): [True: 0, False: 0]
  Branch (387:35): [True: 0, False: 0]
388
0
            continue;
389
0
        }
390
391
0
        bool tx_from_me = CachedTxIsFromMe(wallet, wtx, ISMINE_ALL);
392
393
0
        for (unsigned int i = 0; i < wtx.tx->vout.size(); i++) {
  Branch (393:34): [True: 0, False: 0]
394
0
            const CTxOut& output = wtx.tx->vout[i];
395
0
            const COutPoint outpoint(txid, i);
396
397
0
            if (output.nValue < params.min_amount || output.nValue > params.max_amount)
  Branch (397:17): [True: 0, False: 0]
  Branch (397:54): [True: 0, False: 0]
398
0
                continue;
399
400
            // Skip manually selected coins (the caller can fetch them directly)
401
0
            if (coinControl && coinControl->HasSelected() && coinControl->IsSelected(outpoint))
  Branch (401:17): [True: 0, False: 0]
  Branch (401:32): [True: 0, False: 0]
  Branch (401:62): [True: 0, False: 0]
402
0
                continue;
403
404
0
            if (wallet.IsLockedCoin(outpoint) && params.skip_locked)
  Branch (404:17): [True: 0, False: 0]
  Branch (404:50): [True: 0, False: 0]
405
0
                continue;
406
407
0
            if (wallet.IsSpent(outpoint))
  Branch (407:17): [True: 0, False: 0]
408
0
                continue;
409
410
0
            isminetype mine = wallet.IsMine(output);
411
412
0
            if (mine == ISMINE_NO) {
  Branch (412:17): [True: 0, False: 0]
413
0
                continue;
414
0
            }
415
416
0
            if (!allow_used_addresses && wallet.IsSpentKey(output.scriptPubKey)) {
  Branch (416:17): [True: 0, False: 0]
  Branch (416:42): [True: 0, False: 0]
417
0
                continue;
418
0
            }
419
420
0
            std::unique_ptr<SigningProvider> provider = wallet.GetSolvingProvider(output.scriptPubKey);
421
422
0
            int input_bytes = CalculateMaximumSignedInputSize(output, COutPoint(), provider.get(), can_grind_r, coinControl);
423
            // Because CalculateMaximumSignedInputSize infers a solvable descriptor to get the satisfaction size,
424
            // it is safe to assume that this input is solvable if input_bytes is greater than -1.
425
0
            bool solvable = input_bytes > -1;
426
0
            bool spendable = ((mine & ISMINE_SPENDABLE) != ISMINE_NO) || (((mine & ISMINE_WATCH_ONLY) != ISMINE_NO) && (coinControl && coinControl->fAllowWatchOnly && solvable));
  Branch (426:30): [True: 0, False: 0]
  Branch (426:75): [True: 0, False: 0]
  Branch (426:121): [True: 0, False: 0]
  Branch (426:136): [True: 0, False: 0]
  Branch (426:168): [True: 0, False: 0]
427
428
            // Filter by spendable outputs only
429
0
            if (!spendable && params.only_spendable) continue;
  Branch (429:17): [True: 0, False: 0]
  Branch (429:31): [True: 0, False: 0]
430
431
            // Obtain script type
432
0
            std::vector<std::vector<uint8_t>> script_solutions;
433
0
            TxoutType type = Solver(output.scriptPubKey, script_solutions);
434
435
            // If the output is P2SH and solvable, we want to know if it is
436
            // a P2SH (legacy) or one of P2SH-P2WPKH, P2SH-P2WSH (P2SH-Segwit). We can determine
437
            // this from the redeemScript. If the output is not solvable, it will be classified
438
            // as a P2SH (legacy), since we have no way of knowing otherwise without the redeemScript
439
0
            bool is_from_p2sh{false};
440
0
            if (type == TxoutType::SCRIPTHASH && solvable) {
  Branch (440:17): [True: 0, False: 0]
  Branch (440:50): [True: 0, False: 0]
441
0
                CScript script;
442
0
                if (!provider->GetCScript(CScriptID(uint160(script_solutions[0])), script)) continue;
  Branch (442:21): [True: 0, False: 0]
443
0
                type = Solver(script, script_solutions);
444
0
                is_from_p2sh = true;
445
0
            }
446
447
0
            result.Add(GetOutputType(type, is_from_p2sh),
448
0
                       COutput(outpoint, output, nDepth, input_bytes, spendable, solvable, safeTx, wtx.GetTxTime(), tx_from_me, feerate));
449
450
0
            outpoints.push_back(outpoint);
451
452
            // Checks the sum amount of all UTXO's.
453
0
            if (params.min_sum_amount != MAX_MONEY) {
  Branch (453:17): [True: 0, False: 0]
454
0
                if (result.GetTotalAmount() >= params.min_sum_amount) {
  Branch (454:21): [True: 0, False: 0]
455
0
                    return result;
456
0
                }
457
0
            }
458
459
            // Checks the maximum number of UTXO's.
460
0
            if (params.max_count > 0 && result.Size() >= params.max_count) {
  Branch (460:17): [True: 0, False: 0]
  Branch (460:41): [True: 0, False: 0]
461
0
                return result;
462
0
            }
463
0
        }
464
0
    }
465
466
0
    if (feerate.has_value()) {
  Branch (466:9): [True: 0, False: 0]
467
0
        std::map<COutPoint, CAmount> map_of_bump_fees = wallet.chain().calculateIndividualBumpFees(outpoints, feerate.value());
468
469
0
        for (auto& [_, outputs] : result.coins) {
  Branch (469:33): [True: 0, False: 0]
470
0
            for (auto& output : outputs) {
  Branch (470:31): [True: 0, False: 0]
471
0
                output.ApplyBumpFee(map_of_bump_fees.at(output.outpoint));
472
0
            }
473
0
        }
474
0
    }
475
476
0
    return result;
477
0
}
478
479
CoinsResult AvailableCoinsListUnspent(const CWallet& wallet, const CCoinControl* coinControl, CoinFilterParams params)
480
0
{
481
0
    params.only_spendable = false;
482
0
    return AvailableCoins(wallet, coinControl, /*feerate=*/ std::nullopt, params);
483
0
}
484
485
const CTxOut& FindNonChangeParentOutput(const CWallet& wallet, const COutPoint& outpoint)
486
0
{
487
0
    AssertLockHeld(wallet.cs_wallet);
488
0
    const CWalletTx* wtx{Assert(wallet.GetWalletTx(outpoint.hash))};
489
490
0
    const CTransaction* ptx = wtx->tx.get();
491
0
    int n = outpoint.n;
492
0
    while (OutputIsChange(wallet, ptx->vout[n]) && ptx->vin.size() > 0) {
  Branch (492:12): [True: 0, False: 0]
  Branch (492:52): [True: 0, False: 0]
493
0
        const COutPoint& prevout = ptx->vin[0].prevout;
494
0
        const CWalletTx* it = wallet.GetWalletTx(prevout.hash);
495
0
        if (!it || it->tx->vout.size() <= prevout.n ||
  Branch (495:13): [True: 0, False: 0]
  Branch (495:20): [True: 0, False: 0]
496
0
            !wallet.IsMine(it->tx->vout[prevout.n])) {
  Branch (496:13): [True: 0, False: 0]
497
0
            break;
498
0
        }
499
0
        ptx = it->tx.get();
500
0
        n = prevout.n;
501
0
    }
502
0
    return ptx->vout[n];
503
0
}
504
505
std::map<CTxDestination, std::vector<COutput>> ListCoins(const CWallet& wallet)
506
0
{
507
0
    AssertLockHeld(wallet.cs_wallet);
508
509
0
    std::map<CTxDestination, std::vector<COutput>> result;
510
511
0
    CCoinControl coin_control;
512
0
    CoinFilterParams coins_params;
513
0
    coins_params.only_spendable = false;
514
0
    coins_params.skip_locked = false;
515
0
    for (const COutput& coin : AvailableCoins(wallet, &coin_control, /*feerate=*/std::nullopt, coins_params).All()) {
  Branch (515:30): [True: 0, False: 0]
516
0
        CTxDestination address;
517
0
        if ((coin.spendable || (wallet.IsWalletFlagSet(WALLET_FLAG_DISABLE_PRIVATE_KEYS) && coin.solvable))) {
  Branch (517:14): [True: 0, False: 0]
  Branch (517:33): [True: 0, False: 0]
  Branch (517:93): [True: 0, False: 0]
518
0
            if (!ExtractDestination(FindNonChangeParentOutput(wallet, coin.outpoint).scriptPubKey, address)) {
  Branch (518:17): [True: 0, False: 0]
519
                // For backwards compatibility, we convert P2PK output scripts into PKHash destinations
520
0
                if (auto pk_dest = std::get_if<PubKeyDestination>(&address)) {
  Branch (520:26): [True: 0, False: 0]
521
0
                    address = PKHash(pk_dest->GetPubKey());
522
0
                } else {
523
0
                    continue;
524
0
                }
525
0
            }
526
0
            result[address].emplace_back(coin);
527
0
        }
528
0
    }
529
0
    return result;
530
0
}
531
532
FilteredOutputGroups GroupOutputs(const CWallet& wallet,
533
                          const CoinsResult& coins,
534
                          const CoinSelectionParams& coin_sel_params,
535
                          const std::vector<SelectionFilter>& filters,
536
                          std::vector<OutputGroup>& ret_discarded_groups)
537
0
{
538
0
    FilteredOutputGroups filtered_groups;
539
540
0
    if (!coin_sel_params.m_avoid_partial_spends) {
  Branch (540:9): [True: 0, False: 0]
541
        // Allowing partial spends means no grouping. Each COutput gets its own OutputGroup
542
0
        for (const auto& [type, outputs] : coins.coins) {
  Branch (542:42): [True: 0, False: 0]
543
0
            for (const COutput& output : outputs) {
  Branch (543:40): [True: 0, False: 0]
544
                // Get mempool info
545
0
                size_t ancestors, descendants;
546
0
                wallet.chain().getTransactionAncestry(output.outpoint.hash, ancestors, descendants);
547
548
                // Create a new group per output and add it to the all groups vector
549
0
                OutputGroup group(coin_sel_params);
550
0
                group.Insert(std::make_shared<COutput>(output), ancestors, descendants);
551
552
                // Each filter maps to a different set of groups
553
0
                bool accepted = false;
554
0
                for (const auto& sel_filter : filters) {
  Branch (554:45): [True: 0, False: 0]
555
0
                    const auto& filter = sel_filter.filter;
556
0
                    if (!group.EligibleForSpending(filter)) continue;
  Branch (556:25): [True: 0, False: 0]
557
0
                    filtered_groups[filter].Push(group, type, /*insert_positive=*/true, /*insert_mixed=*/true);
558
0
                    accepted = true;
559
0
                }
560
0
                if (!accepted) ret_discarded_groups.emplace_back(group);
  Branch (560:21): [True: 0, False: 0]
561
0
            }
562
0
        }
563
0
        return filtered_groups;
564
0
    }
565
566
    // We want to combine COutputs that have the same scriptPubKey into single OutputGroups
567
    // except when there are more than OUTPUT_GROUP_MAX_ENTRIES COutputs grouped in an OutputGroup.
568
    // To do this, we maintain a map where the key is the scriptPubKey and the value is a vector of OutputGroups.
569
    // For each COutput, we check if the scriptPubKey is in the map, and if it is, the COutput is added
570
    // to the last OutputGroup in the vector for the scriptPubKey. When the last OutputGroup has
571
    // OUTPUT_GROUP_MAX_ENTRIES COutputs, a new OutputGroup is added to the end of the vector.
572
0
    typedef std::map<std::pair<CScript, OutputType>, std::vector<OutputGroup>> ScriptPubKeyToOutgroup;
573
0
    const auto& insert_output = [&](
574
0
            const std::shared_ptr<COutput>& output, OutputType type, size_t ancestors, size_t descendants,
575
0
            ScriptPubKeyToOutgroup& groups_map) {
576
0
        std::vector<OutputGroup>& groups = groups_map[std::make_pair(output->txout.scriptPubKey,type)];
577
578
0
        if (groups.size() == 0) {
  Branch (578:13): [True: 0, False: 0]
579
            // No OutputGroups for this scriptPubKey yet, add one
580
0
            groups.emplace_back(coin_sel_params);
581
0
        }
582
583
        // Get the last OutputGroup in the vector so that we can add the COutput to it
584
        // A pointer is used here so that group can be reassigned later if it is full.
585
0
        OutputGroup* group = &groups.back();
586
587
        // Check if this OutputGroup is full. We limit to OUTPUT_GROUP_MAX_ENTRIES when using -avoidpartialspends
588
        // to avoid surprising users with very high fees.
589
0
        if (group->m_outputs.size() >= OUTPUT_GROUP_MAX_ENTRIES) {
  Branch (589:13): [True: 0, False: 0]
590
            // The last output group is full, add a new group to the vector and use that group for the insertion
591
0
            groups.emplace_back(coin_sel_params);
592
0
            group = &groups.back();
593
0
        }
594
595
0
        group->Insert(output, ancestors, descendants);
596
0
    };
597
598
0
    ScriptPubKeyToOutgroup spk_to_groups_map;
599
0
    ScriptPubKeyToOutgroup spk_to_positive_groups_map;
600
0
    for (const auto& [type, outs] : coins.coins) {
  Branch (600:35): [True: 0, False: 0]
601
0
        for (const COutput& output : outs) {
  Branch (601:36): [True: 0, False: 0]
602
0
            size_t ancestors, descendants;
603
0
            wallet.chain().getTransactionAncestry(output.outpoint.hash, ancestors, descendants);
604
605
0
            const auto& shared_output = std::make_shared<COutput>(output);
606
            // Filter for positive only before adding the output
607
0
            if (output.GetEffectiveValue() > 0) {
  Branch (607:17): [True: 0, False: 0]
608
0
                insert_output(shared_output, type, ancestors, descendants, spk_to_positive_groups_map);
609
0
            }
610
611
            // 'All' groups
612
0
            insert_output(shared_output, type, ancestors, descendants, spk_to_groups_map);
613
0
        }
614
0
    }
615
616
    // Now we go through the entire maps and pull out the OutputGroups
617
0
    const auto& push_output_groups = [&](const ScriptPubKeyToOutgroup& groups_map, bool positive_only) {
618
0
        for (const auto& [script, groups] : groups_map) {
  Branch (618:43): [True: 0, False: 0]
619
            // Go through the vector backwards. This allows for the first item we deal with being the partial group.
620
0
            for (auto group_it = groups.rbegin(); group_it != groups.rend(); group_it++) {
  Branch (620:51): [True: 0, False: 0]
621
0
                const OutputGroup& group = *group_it;
622
623
                // Each filter maps to a different set of groups
624
0
                bool accepted = false;
625
0
                for (const auto& sel_filter : filters) {
  Branch (625:45): [True: 0, False: 0]
626
0
                    const auto& filter = sel_filter.filter;
627
0
                    if (!group.EligibleForSpending(filter)) continue;
  Branch (627:25): [True: 0, False: 0]
628
629
                    // Don't include partial groups if there are full groups too and we don't want partial groups
630
0
                    if (group_it == groups.rbegin() && groups.size() > 1 && !filter.m_include_partial_groups) {
  Branch (630:25): [True: 0, False: 0]
  Branch (630:25): [True: 0, False: 0]
  Branch (630:56): [True: 0, False: 0]
  Branch (630:77): [True: 0, False: 0]
631
0
                        continue;
632
0
                    }
633
634
0
                    OutputType type = script.second;
635
                    // Either insert the group into the positive-only groups or the mixed ones.
636
0
                    filtered_groups[filter].Push(group, type, positive_only, /*insert_mixed=*/!positive_only);
637
0
                    accepted = true;
638
0
                }
639
0
                if (!accepted) ret_discarded_groups.emplace_back(group);
  Branch (639:21): [True: 0, False: 0]
640
0
            }
641
0
        }
642
0
    };
643
644
0
    push_output_groups(spk_to_groups_map, /*positive_only=*/ false);
645
0
    push_output_groups(spk_to_positive_groups_map, /*positive_only=*/ true);
646
647
0
    return filtered_groups;
648
0
}
649
650
FilteredOutputGroups GroupOutputs(const CWallet& wallet,
651
                                  const CoinsResult& coins,
652
                                  const CoinSelectionParams& params,
653
                                  const std::vector<SelectionFilter>& filters)
654
0
{
655
0
    std::vector<OutputGroup> unused;
656
0
    return GroupOutputs(wallet, coins, params, filters, unused);
657
0
}
658
659
// Returns true if the result contains an error and the message is not empty
660
0
static bool HasErrorMsg(const util::Result<SelectionResult>& res) { return !util::ErrorString(res).empty(); }
661
662
util::Result<SelectionResult> AttemptSelection(interfaces::Chain& chain, const CAmount& nTargetValue, OutputGroupTypeMap& groups,
663
                               const CoinSelectionParams& coin_selection_params, bool allow_mixed_output_types)
664
0
{
665
    // Run coin selection on each OutputType and compute the Waste Metric
666
0
    std::vector<SelectionResult> results;
667
0
    for (auto& [type, group] : groups.groups_by_type) {
  Branch (667:30): [True: 0, False: 0]
668
0
        auto result{ChooseSelectionResult(chain, nTargetValue, group, coin_selection_params)};
669
        // If any specific error message appears here, then something particularly wrong happened.
670
0
        if (HasErrorMsg(result)) return result; // So let's return the specific error.
  Branch (670:13): [True: 0, False: 0]
671
        // Append the favorable result.
672
0
        if (result) results.push_back(*result);
  Branch (672:13): [True: 0, False: 0]
673
0
    }
674
    // If we have at least one solution for funding the transaction without mixing, choose the minimum one according to waste metric
675
    // and return the result
676
0
    if (results.size() > 0) return *std::min_element(results.begin(), results.end());
  Branch (676:9): [True: 0, False: 0]
677
678
    // If we can't fund the transaction from any individual OutputType, run coin selection one last time
679
    // over all available coins, which would allow mixing.
680
    // If TypesCount() <= 1, there is nothing to mix.
681
0
    if (allow_mixed_output_types && groups.TypesCount() > 1) {
  Branch (681:9): [True: 0, False: 0]
  Branch (681:37): [True: 0, False: 0]
682
0
        return ChooseSelectionResult(chain, nTargetValue, groups.all_groups, coin_selection_params);
683
0
    }
684
    // Either mixing is not allowed and we couldn't find a solution from any single OutputType, or mixing was allowed and we still couldn't
685
    // find a solution using all available coins
686
0
    return util::Error();
687
0
};
688
689
util::Result<SelectionResult> ChooseSelectionResult(interfaces::Chain& chain, const CAmount& nTargetValue, Groups& groups, const CoinSelectionParams& coin_selection_params)
690
0
{
691
    // Vector of results. We will choose the best one based on waste.
692
0
    std::vector<SelectionResult> results;
693
0
    std::vector<util::Result<SelectionResult>> errors;
694
0
    auto append_error = [&] (util::Result<SelectionResult>&& result) {
695
        // If any specific error message appears here, then something different from a simple "no selection found" happened.
696
        // Let's save it, so it can be retrieved to the user if no other selection algorithm succeeded.
697
0
        if (HasErrorMsg(result)) {
  Branch (697:13): [True: 0, False: 0]
698
0
            errors.emplace_back(std::move(result));
699
0
        }
700
0
    };
701
702
    // Maximum allowed weight for selected coins.
703
0
    int max_transaction_weight = coin_selection_params.m_max_tx_weight.value_or(MAX_STANDARD_TX_WEIGHT);
704
0
    int tx_weight_no_input = coin_selection_params.tx_noinputs_size * WITNESS_SCALE_FACTOR;
705
0
    int max_selection_weight = max_transaction_weight - tx_weight_no_input;
706
0
    if (max_selection_weight <= 0) {
  Branch (706:9): [True: 0, False: 0]
707
0
        return util::Error{_("Maximum transaction weight is less than transaction weight without inputs")};
708
0
    }
709
710
    // SFFO frequently causes issues in the context of changeless input sets: skip BnB when SFFO is active
711
0
    if (!coin_selection_params.m_subtract_fee_outputs) {
  Branch (711:9): [True: 0, False: 0]
712
0
        if (auto bnb_result{SelectCoinsBnB(groups.positive_group, nTargetValue, coin_selection_params.m_cost_of_change, max_selection_weight)}) {
  Branch (712:18): [True: 0, False: 0]
713
0
            results.push_back(*bnb_result);
714
0
        } else append_error(std::move(bnb_result));
715
0
    }
716
717
    // Deduct change weight because remaining Coin Selection algorithms can create change output
718
0
    int change_outputs_weight = coin_selection_params.change_output_size * WITNESS_SCALE_FACTOR;
719
0
    max_selection_weight -= change_outputs_weight;
720
0
    if (max_selection_weight < 0 && results.empty()) {
  Branch (720:9): [True: 0, False: 0]
  Branch (720:37): [True: 0, False: 0]
721
0
        return util::Error{_("Maximum transaction weight is too low, can not accommodate change output")};
722
0
    }
723
724
    // The knapsack solver has some legacy behavior where it will spend dust outputs. We retain this behavior, so don't filter for positive only here.
725
0
    if (auto knapsack_result{KnapsackSolver(groups.mixed_group, nTargetValue, coin_selection_params.m_min_change_target, coin_selection_params.rng_fast, max_selection_weight)}) {
  Branch (725:14): [True: 0, False: 0]
726
0
        results.push_back(*knapsack_result);
727
0
    } else append_error(std::move(knapsack_result));
728
729
0
    if (coin_selection_params.m_effective_feerate > CFeeRate{3 * coin_selection_params.m_long_term_feerate}) { // Minimize input set for feerates of at least 3×LTFRE (default: 30 ṩ/vB+)
  Branch (729:9): [True: 0, False: 0]
730
0
        if (auto cg_result{CoinGrinder(groups.positive_group, nTargetValue, coin_selection_params.m_min_change_target, max_selection_weight)}) {
  Branch (730:18): [True: 0, False: 0]
731
0
            cg_result->RecalculateWaste(coin_selection_params.min_viable_change, coin_selection_params.m_cost_of_change, coin_selection_params.m_change_fee);
732
0
            results.push_back(*cg_result);
733
0
        } else {
734
0
            append_error(std::move(cg_result));
735
0
        }
736
0
    }
737
738
0
    if (auto srd_result{SelectCoinsSRD(groups.positive_group, nTargetValue, coin_selection_params.m_change_fee, coin_selection_params.rng_fast, max_selection_weight)}) {
  Branch (738:14): [True: 0, False: 0]
739
0
        results.push_back(*srd_result);
740
0
    } else append_error(std::move(srd_result));
741
742
0
    if (results.empty()) {
  Branch (742:9): [True: 0, False: 0]
743
        // No solution found, retrieve the first explicit error (if any).
744
        // future: add 'severity level' to errors so the worst one can be retrieved instead of the first one.
745
0
        return errors.empty() ? util::Error() : std::move(errors.front());
  Branch (745:16): [True: 0, False: 0]
746
0
    }
747
748
    // If the chosen input set has unconfirmed inputs, check for synergies from overlapping ancestry
749
0
    for (auto& result : results) {
  Branch (749:23): [True: 0, False: 0]
750
0
        std::vector<COutPoint> outpoints;
751
0
        std::set<std::shared_ptr<COutput>> coins = result.GetInputSet();
752
0
        CAmount summed_bump_fees = 0;
753
0
        for (auto& coin : coins) {
  Branch (753:25): [True: 0, False: 0]
754
0
            if (coin->depth > 0) continue; // Bump fees only exist for unconfirmed inputs
  Branch (754:17): [True: 0, False: 0]
755
0
            outpoints.push_back(coin->outpoint);
756
0
            summed_bump_fees += coin->ancestor_bump_fees;
757
0
        }
758
0
        std::optional<CAmount> combined_bump_fee = chain.calculateCombinedBumpFee(outpoints, coin_selection_params.m_effective_feerate);
759
0
        if (!combined_bump_fee.has_value()) {
  Branch (759:13): [True: 0, False: 0]
760
0
            return util::Error{_("Failed to calculate bump fees, because unconfirmed UTXOs depend on enormous cluster of unconfirmed transactions.")};
761
0
        }
762
0
        CAmount bump_fee_overestimate = summed_bump_fees - combined_bump_fee.value();
763
0
        if (bump_fee_overestimate) {
  Branch (763:13): [True: 0, False: 0]
764
0
            result.SetBumpFeeDiscount(bump_fee_overestimate);
765
0
        }
766
0
        result.RecalculateWaste(coin_selection_params.min_viable_change, coin_selection_params.m_cost_of_change, coin_selection_params.m_change_fee);
767
0
    }
768
769
    // Choose the result with the least waste
770
    // If the waste is the same, choose the one which spends more inputs.
771
0
    return *std::min_element(results.begin(), results.end());
772
0
}
773
774
util::Result<SelectionResult> SelectCoins(const CWallet& wallet, CoinsResult& available_coins, const PreSelectedInputs& pre_set_inputs,
775
                                          const CAmount& nTargetValue, const CCoinControl& coin_control,
776
                                          const CoinSelectionParams& coin_selection_params)
777
0
{
778
    // Deduct preset inputs amount from the search target
779
0
    CAmount selection_target = nTargetValue - pre_set_inputs.total_amount;
780
781
    // Return if automatic coin selection is disabled, and we don't cover the selection target
782
0
    if (!coin_control.m_allow_other_inputs && selection_target > 0) {
  Branch (782:9): [True: 0, False: 0]
  Branch (782:47): [True: 0, False: 0]
783
0
        return util::Error{_("The preselected coins total amount does not cover the transaction target. "
784
0
                             "Please allow other inputs to be automatically selected or include more coins manually")};
785
0
    }
786
787
    // Return if we can cover the target only with the preset inputs
788
0
    if (selection_target <= 0) {
  Branch (788:9): [True: 0, False: 0]
789
0
        SelectionResult result(nTargetValue, SelectionAlgorithm::MANUAL);
790
0
        result.AddInputs(pre_set_inputs.coins, coin_selection_params.m_subtract_fee_outputs);
791
0
        result.RecalculateWaste(coin_selection_params.min_viable_change, coin_selection_params.m_cost_of_change, coin_selection_params.m_change_fee);
792
0
        return result;
793
0
    }
794
795
    // Return early if we cannot cover the target with the wallet's UTXO.
796
    // We use the total effective value if we are not subtracting fee from outputs and 'available_coins' contains the data.
797
0
    CAmount available_coins_total_amount = coin_selection_params.m_subtract_fee_outputs ? available_coins.GetTotalAmount() :
  Branch (797:44): [True: 0, False: 0]
798
0
            (available_coins.GetEffectiveTotalAmount().has_value() ? *available_coins.GetEffectiveTotalAmount() : 0);
  Branch (798:14): [True: 0, False: 0]
799
0
    if (selection_target > available_coins_total_amount) {
  Branch (799:9): [True: 0, False: 0]
800
0
        return util::Error(); // Insufficient funds
801
0
    }
802
803
    // Start wallet Coin Selection procedure
804
0
    auto op_selection_result = AutomaticCoinSelection(wallet, available_coins, selection_target, coin_selection_params);
805
0
    if (!op_selection_result) return op_selection_result;
  Branch (805:9): [True: 0, False: 0]
806
807
    // If needed, add preset inputs to the automatic coin selection result
808
0
    if (!pre_set_inputs.coins.empty()) {
  Branch (808:9): [True: 0, False: 0]
809
0
        SelectionResult preselected(pre_set_inputs.total_amount, SelectionAlgorithm::MANUAL);
810
0
        preselected.AddInputs(pre_set_inputs.coins, coin_selection_params.m_subtract_fee_outputs);
811
0
        op_selection_result->Merge(preselected);
812
0
        op_selection_result->RecalculateWaste(coin_selection_params.min_viable_change,
813
0
                                                coin_selection_params.m_cost_of_change,
814
0
                                                coin_selection_params.m_change_fee);
815
816
        // Verify we haven't exceeded the maximum allowed weight
817
0
        int max_inputs_weight = coin_selection_params.m_max_tx_weight.value_or(MAX_STANDARD_TX_WEIGHT) - (coin_selection_params.tx_noinputs_size * WITNESS_SCALE_FACTOR);
818
0
        if (op_selection_result->GetWeight() > max_inputs_weight) {
  Branch (818:13): [True: 0, False: 0]
819
0
            return util::Error{_("The combination of the pre-selected inputs and the wallet automatic inputs selection exceeds the transaction maximum weight. "
820
0
                                 "Please try sending a smaller amount or manually consolidating your wallet's UTXOs")};
821
0
        }
822
0
    }
823
0
    return op_selection_result;
824
0
}
825
826
util::Result<SelectionResult> AutomaticCoinSelection(const CWallet& wallet, CoinsResult& available_coins, const CAmount& value_to_select, const CoinSelectionParams& coin_selection_params)
827
0
{
828
0
    unsigned int limit_ancestor_count = 0;
829
0
    unsigned int limit_descendant_count = 0;
830
0
    wallet.chain().getPackageLimits(limit_ancestor_count, limit_descendant_count);
831
0
    const size_t max_ancestors = (size_t)std::max<int64_t>(1, limit_ancestor_count);
832
0
    const size_t max_descendants = (size_t)std::max<int64_t>(1, limit_descendant_count);
833
0
    const bool fRejectLongChains = gArgs.GetBoolArg("-walletrejectlongchains", DEFAULT_WALLET_REJECT_LONG_CHAINS);
834
835
    // Cases where we have 101+ outputs all pointing to the same destination may result in
836
    // privacy leaks as they will potentially be deterministically sorted. We solve that by
837
    // explicitly shuffling the outputs before processing
838
0
    if (coin_selection_params.m_avoid_partial_spends && available_coins.Size() > OUTPUT_GROUP_MAX_ENTRIES) {
  Branch (838:9): [True: 0, False: 0]
  Branch (838:57): [True: 0, False: 0]
839
0
        available_coins.Shuffle(coin_selection_params.rng_fast);
840
0
    }
841
842
    // Coin Selection attempts to select inputs from a pool of eligible UTXOs to fund the
843
    // transaction at a target feerate. If an attempt fails, more attempts may be made using a more
844
    // permissive CoinEligibilityFilter.
845
0
    {
846
        // Place coins eligibility filters on a scope increasing order.
847
0
        std::vector<SelectionFilter> ordered_filters{
848
                // If possible, fund the transaction with confirmed UTXOs only. Prefer at least six
849
                // confirmations on outputs received from other wallets and only spend confirmed change.
850
0
                {CoinEligibilityFilter(1, 6, 0), /*allow_mixed_output_types=*/false},
851
0
                {CoinEligibilityFilter(1, 1, 0)},
852
0
        };
853
        // Fall back to using zero confirmation change (but with as few ancestors in the mempool as
854
        // possible) if we cannot fund the transaction otherwise.
855
0
        if (wallet.m_spend_zero_conf_change) {
  Branch (855:13): [True: 0, False: 0]
856
0
            ordered_filters.push_back({CoinEligibilityFilter(0, 1, 2)});
857
0
            ordered_filters.push_back({CoinEligibilityFilter(0, 1, std::min(size_t{4}, max_ancestors/3), std::min(size_t{4}, max_descendants/3))});
858
0
            ordered_filters.push_back({CoinEligibilityFilter(0, 1, max_ancestors/2, max_descendants/2)});
859
            // If partial groups are allowed, relax the requirement of spending OutputGroups (groups
860
            // of UTXOs sent to the same address, which are obviously controlled by a single wallet)
861
            // in their entirety.
862
0
            ordered_filters.push_back({CoinEligibilityFilter(0, 1, max_ancestors-1, max_descendants-1, /*include_partial=*/true)});
863
            // Try with unsafe inputs if they are allowed. This may spend unconfirmed outputs
864
            // received from other wallets.
865
0
            if (coin_selection_params.m_include_unsafe_inputs) {
  Branch (865:17): [True: 0, False: 0]
866
0
                ordered_filters.push_back({CoinEligibilityFilter(/*conf_mine=*/0, /*conf_theirs*/0, max_ancestors-1, max_descendants-1, /*include_partial=*/true)});
867
0
            }
868
            // Try with unlimited ancestors/descendants. The transaction will still need to meet
869
            // mempool ancestor/descendant policy to be accepted to mempool and broadcasted, but
870
            // OutputGroups use heuristics that may overestimate ancestor/descendant counts.
871
0
            if (!fRejectLongChains) {
  Branch (871:17): [True: 0, False: 0]
872
0
                ordered_filters.push_back({CoinEligibilityFilter(0, 1, std::numeric_limits<uint64_t>::max(),
873
0
                                                                   std::numeric_limits<uint64_t>::max(),
874
0
                                                                   /*include_partial=*/true)});
875
0
            }
876
0
        }
877
878
        // Group outputs and map them by coin eligibility filter
879
0
        std::vector<OutputGroup> discarded_groups;
880
0
        FilteredOutputGroups filtered_groups = GroupOutputs(wallet, available_coins, coin_selection_params, ordered_filters, discarded_groups);
881
882
        // Check if we still have enough balance after applying filters (some coins might be discarded)
883
0
        CAmount total_discarded = 0;
884
0
        CAmount total_unconf_long_chain = 0;
885
0
        for (const auto& group : discarded_groups) {
  Branch (885:32): [True: 0, False: 0]
886
0
            total_discarded += group.GetSelectionAmount();
887
0
            if (group.m_ancestors >= max_ancestors || group.m_descendants >= max_descendants) total_unconf_long_chain += group.GetSelectionAmount();
  Branch (887:17): [True: 0, False: 0]
  Branch (887:55): [True: 0, False: 0]
888
0
        }
889
890
0
        if (CAmount total_amount = available_coins.GetTotalAmount() - total_discarded < value_to_select) {
  Branch (890:21): [True: 0, False: 0]
891
            // Special case, too-long-mempool cluster.
892
0
            if (total_amount + total_unconf_long_chain > value_to_select) {
  Branch (892:17): [True: 0, False: 0]
893
0
                return util::Error{_("Unconfirmed UTXOs are available, but spending them creates a chain of transactions that will be rejected by the mempool")};
894
0
            }
895
0
            return util::Error{}; // General "Insufficient Funds"
896
0
        }
897
898
        // Walk-through the filters until the solution gets found.
899
        // If no solution is found, return the first detailed error (if any).
900
        // future: add "error level" so the worst one can be picked instead.
901
0
        std::vector<util::Result<SelectionResult>> res_detailed_errors;
902
0
        for (const auto& select_filter : ordered_filters) {
  Branch (902:40): [True: 0, False: 0]
903
0
            auto it = filtered_groups.find(select_filter.filter);
904
0
            if (it == filtered_groups.end()) continue;
  Branch (904:17): [True: 0, False: 0]
905
0
            if (auto res{AttemptSelection(wallet.chain(), value_to_select, it->second,
  Branch (905:22): [True: 0, False: 0]
906
0
                                          coin_selection_params, select_filter.allow_mixed_output_types)}) {
907
0
                return res; // result found
908
0
            } else {
909
                // If any specific error message appears here, then something particularly wrong might have happened.
910
                // Save the error and continue the selection process. So if no solutions gets found, we can return
911
                // the detailed error to the upper layers.
912
0
                if (HasErrorMsg(res)) res_detailed_errors.emplace_back(std::move(res));
  Branch (912:21): [True: 0, False: 0]
913
0
            }
914
0
        }
915
916
        // Return right away if we have a detailed error
917
0
        if (!res_detailed_errors.empty()) return std::move(res_detailed_errors.front());
  Branch (917:13): [True: 0, False: 0]
918
919
920
        // General "Insufficient Funds"
921
0
        return util::Error{};
922
0
    }
923
0
}
924
925
static bool IsCurrentForAntiFeeSniping(interfaces::Chain& chain, const uint256& block_hash)
926
0
{
927
0
    if (chain.isInitialBlockDownload()) {
  Branch (927:9): [True: 0, False: 0]
928
0
        return false;
929
0
    }
930
0
    constexpr int64_t MAX_ANTI_FEE_SNIPING_TIP_AGE = 8 * 60 * 60; // in seconds
931
0
    int64_t block_time;
932
0
    CHECK_NONFATAL(chain.findBlock(block_hash, FoundBlock().time(block_time)));
933
0
    if (block_time < (GetTime() - MAX_ANTI_FEE_SNIPING_TIP_AGE)) {
  Branch (933:9): [True: 0, False: 0]
934
0
        return false;
935
0
    }
936
0
    return true;
937
0
}
938
939
/**
940
 * Set a height-based locktime for new transactions (uses the height of the
941
 * current chain tip unless we are not synced with the current chain
942
 */
943
static void DiscourageFeeSniping(CMutableTransaction& tx, FastRandomContext& rng_fast,
944
                                 interfaces::Chain& chain, const uint256& block_hash, int block_height)
945
0
{
946
    // All inputs must be added by now
947
0
    assert(!tx.vin.empty());
  Branch (947:5): [True: 0, False: 0]
948
    // Discourage fee sniping.
949
    //
950
    // For a large miner the value of the transactions in the best block and
951
    // the mempool can exceed the cost of deliberately attempting to mine two
952
    // blocks to orphan the current best block. By setting nLockTime such that
953
    // only the next block can include the transaction, we discourage this
954
    // practice as the height restricted and limited blocksize gives miners
955
    // considering fee sniping fewer options for pulling off this attack.
956
    //
957
    // A simple way to think about this is from the wallet's point of view we
958
    // always want the blockchain to move forward. By setting nLockTime this
959
    // way we're basically making the statement that we only want this
960
    // transaction to appear in the next block; we don't want to potentially
961
    // encourage reorgs by allowing transactions to appear at lower heights
962
    // than the next block in forks of the best chain.
963
    //
964
    // Of course, the subsidy is high enough, and transaction volume low
965
    // enough, that fee sniping isn't a problem yet, but by implementing a fix
966
    // now we ensure code won't be written that makes assumptions about
967
    // nLockTime that preclude a fix later.
968
0
    if (IsCurrentForAntiFeeSniping(chain, block_hash)) {
  Branch (968:9): [True: 0, False: 0]
969
0
        tx.nLockTime = block_height;
970
971
        // Secondly occasionally randomly pick a nLockTime even further back, so
972
        // that transactions that are delayed after signing for whatever reason,
973
        // e.g. high-latency mix networks and some CoinJoin implementations, have
974
        // better privacy.
975
0
        if (rng_fast.randrange(10) == 0) {
  Branch (975:13): [True: 0, False: 0]
976
0
            tx.nLockTime = std::max(0, int(tx.nLockTime) - int(rng_fast.randrange(100)));
977
0
        }
978
0
    } else {
979
        // If our chain is lagging behind, we can't discourage fee sniping nor help
980
        // the privacy of high-latency transactions. To avoid leaking a potentially
981
        // unique "nLockTime fingerprint", set nLockTime to a constant.
982
0
        tx.nLockTime = 0;
983
0
    }
984
    // Sanity check all values
985
0
    assert(tx.nLockTime < LOCKTIME_THRESHOLD); // Type must be block height
  Branch (985:5): [True: 0, False: 0]
986
0
    assert(tx.nLockTime <= uint64_t(block_height));
  Branch (986:5): [True: 0, False: 0]
987
0
    for (const auto& in : tx.vin) {
  Branch (987:25): [True: 0, False: 0]
988
        // Can not be FINAL for locktime to work
989
0
        assert(in.nSequence != CTxIn::SEQUENCE_FINAL);
  Branch (989:9): [True: 0, False: 0]
990
        // May be MAX NONFINAL to disable both BIP68 and BIP125
991
0
        if (in.nSequence == CTxIn::MAX_SEQUENCE_NONFINAL) continue;
  Branch (991:13): [True: 0, False: 0]
992
        // May be MAX BIP125 to disable BIP68 and enable BIP125
993
0
        if (in.nSequence == MAX_BIP125_RBF_SEQUENCE) continue;
  Branch (993:13): [True: 0, False: 0]
994
        // The wallet does not support any other sequence-use right now.
995
0
        assert(false);
  Branch (995:9): [Folded - Ignored]
996
0
    }
997
0
}
998
999
size_t GetSerializeSizeForRecipient(const CRecipient& recipient)
1000
0
{
1001
0
    return ::GetSerializeSize(CTxOut(recipient.nAmount, GetScriptForDestination(recipient.dest)));
1002
0
}
1003
1004
bool IsDust(const CRecipient& recipient, const CFeeRate& dustRelayFee)
1005
0
{
1006
0
    return ::IsDust(CTxOut(recipient.nAmount, GetScriptForDestination(recipient.dest)), dustRelayFee);
1007
0
}
1008
1009
static util::Result<CreatedTransactionResult> CreateTransactionInternal(
1010
        CWallet& wallet,
1011
        const std::vector<CRecipient>& vecSend,
1012
        std::optional<unsigned int> change_pos,
1013
        const CCoinControl& coin_control,
1014
        bool sign) EXCLUSIVE_LOCKS_REQUIRED(wallet.cs_wallet)
1015
0
{
1016
0
    AssertLockHeld(wallet.cs_wallet);
1017
1018
0
    FastRandomContext rng_fast;
1019
0
    CMutableTransaction txNew; // The resulting transaction that we make
1020
1021
0
    if (coin_control.m_version) {
  Branch (1021:9): [True: 0, False: 0]
1022
0
        txNew.version = coin_control.m_version.value();
1023
0
    }
1024
1025
0
    CoinSelectionParams coin_selection_params{rng_fast}; // Parameters for coin selection, init with dummy
1026
0
    coin_selection_params.m_avoid_partial_spends = coin_control.m_avoid_partial_spends;
1027
0
    coin_selection_params.m_include_unsafe_inputs = coin_control.m_include_unsafe_inputs;
1028
0
    coin_selection_params.m_max_tx_weight = coin_control.m_max_tx_weight.value_or(MAX_STANDARD_TX_WEIGHT);
1029
0
    int minimum_tx_weight = MIN_STANDARD_TX_NONWITNESS_SIZE * WITNESS_SCALE_FACTOR;
1030
0
    if (coin_selection_params.m_max_tx_weight.value() < minimum_tx_weight || coin_selection_params.m_max_tx_weight.value() > MAX_STANDARD_TX_WEIGHT) {
  Branch (1030:9): [True: 0, False: 0]
  Branch (1030:78): [True: 0, False: 0]
1031
0
        return util::Error{strprintf(_("Maximum transaction weight must be between %d and %d"), minimum_tx_weight, MAX_STANDARD_TX_WEIGHT)};
1032
0
    }
1033
    // Set the long term feerate estimate to the wallet's consolidate feerate
1034
0
    coin_selection_params.m_long_term_feerate = wallet.m_consolidate_feerate;
1035
    // Static vsize overhead + outputs vsize. 4 nVersion, 4 nLocktime, 1 input count, 1 witness overhead (dummy, flag, stack size)
1036
0
    coin_selection_params.tx_noinputs_size = 10 + GetSizeOfCompactSize(vecSend.size()); // bytes for output count
1037
1038
0
    CAmount recipients_sum = 0;
1039
0
    const OutputType change_type = wallet.TransactionChangeType(coin_control.m_change_type ? *coin_control.m_change_type : wallet.m_default_change_type, vecSend);
  Branch (1039:65): [True: 0, False: 0]
1040
0
    ReserveDestination reservedest(&wallet, change_type);
1041
0
    unsigned int outputs_to_subtract_fee_from = 0; // The number of outputs which we are subtracting the fee from
1042
0
    for (const auto& recipient : vecSend) {
  Branch (1042:32): [True: 0, False: 0]
1043
0
        if (IsDust(recipient, wallet.chain().relayDustFee())) {
  Branch (1043:13): [True: 0, False: 0]
1044
0
            return util::Error{_("Transaction amount too small")};
1045
0
        }
1046
1047
        // Include the fee cost for outputs.
1048
0
        coin_selection_params.tx_noinputs_size += GetSerializeSizeForRecipient(recipient);
1049
0
        recipients_sum += recipient.nAmount;
1050
1051
0
        if (recipient.fSubtractFeeFromAmount) {
  Branch (1051:13): [True: 0, False: 0]
1052
0
            outputs_to_subtract_fee_from++;
1053
0
            coin_selection_params.m_subtract_fee_outputs = true;
1054
0
        }
1055
0
    }
1056
1057
    // Create change script that will be used if we need change
1058
0
    CScript scriptChange;
1059
0
    bilingual_str error; // possible error str
1060
1061
    // coin control: send change to custom address
1062
0
    if (!std::get_if<CNoDestination>(&coin_control.destChange)) {
  Branch (1062:9): [True: 0, False: 0]
1063
0
        scriptChange = GetScriptForDestination(coin_control.destChange);
1064
0
    } else { // no coin control: send change to newly generated address
1065
        // Note: We use a new key here to keep it from being obvious which side is the change.
1066
        //  The drawback is that by not reusing a previous key, the change may be lost if a
1067
        //  backup is restored, if the backup doesn't have the new private key for the change.
1068
        //  If we reused the old key, it would be possible to add code to look for and
1069
        //  rediscover unknown transactions that were written with keys of ours to recover
1070
        //  post-backup change.
1071
1072
        // Reserve a new key pair from key pool. If it fails, provide a dummy
1073
        // destination in case we don't need change.
1074
0
        CTxDestination dest;
1075
0
        auto op_dest = reservedest.GetReservedDestination(true);
1076
0
        if (!op_dest) {
  Branch (1076:13): [True: 0, False: 0]
1077
0
            error = _("Transaction needs a change address, but we can't generate it.") + Untranslated(" ") + util::ErrorString(op_dest);
1078
0
        } else {
1079
0
            dest = *op_dest;
1080
0
            scriptChange = GetScriptForDestination(dest);
1081
0
        }
1082
        // A valid destination implies a change script (and
1083
        // vice-versa). An empty change script will abort later, if the
1084
        // change keypool ran out, but change is required.
1085
0
        CHECK_NONFATAL(IsValidDestination(dest) != scriptChange.empty());
1086
0
    }
1087
0
    CTxOut change_prototype_txout(0, scriptChange);
1088
0
    coin_selection_params.change_output_size = GetSerializeSize(change_prototype_txout);
1089
1090
    // Get size of spending the change output
1091
0
    int change_spend_size = CalculateMaximumSignedInputSize(change_prototype_txout, &wallet, /*coin_control=*/nullptr);
1092
    // If the wallet doesn't know how to sign change output, assume p2sh-p2wpkh
1093
    // as lower-bound to allow BnB to do it's thing
1094
0
    if (change_spend_size == -1) {
  Branch (1094:9): [True: 0, False: 0]
1095
0
        coin_selection_params.change_spend_size = DUMMY_NESTED_P2WPKH_INPUT_SIZE;
1096
0
    } else {
1097
0
        coin_selection_params.change_spend_size = change_spend_size;
1098
0
    }
1099
1100
    // Set discard feerate
1101
0
    coin_selection_params.m_discard_feerate = GetDiscardRate(wallet);
1102
1103
    // Get the fee rate to use effective values in coin selection
1104
0
    FeeCalculation feeCalc;
1105
0
    coin_selection_params.m_effective_feerate = GetMinimumFeeRate(wallet, coin_control, &feeCalc);
1106
    // Do not, ever, assume that it's fine to change the fee rate if the user has explicitly
1107
    // provided one
1108
0
    if (coin_control.m_feerate && coin_selection_params.m_effective_feerate > *coin_control.m_feerate) {
  Branch (1108:9): [True: 0, False: 0]
  Branch (1108:35): [True: 0, False: 0]
1109
0
        return util::Error{strprintf(_("Fee rate (%s) is lower than the minimum fee rate setting (%s)"), coin_control.m_feerate->ToString(FeeEstimateMode::SAT_VB), coin_selection_params.m_effective_feerate.ToString(FeeEstimateMode::SAT_VB))};
1110
0
    }
1111
0
    if (feeCalc.reason == FeeReason::FALLBACK && !wallet.m_allow_fallback_fee) {
  Branch (1111:9): [True: 0, False: 0]
  Branch (1111:50): [True: 0, False: 0]
1112
        // eventually allow a fallback fee
1113
0
        return util::Error{strprintf(_("Fee estimation failed. Fallbackfee is disabled. Wait a few blocks or enable %s."), "-fallbackfee")};
1114
0
    }
1115
1116
    // Calculate the cost of change
1117
    // Cost of change is the cost of creating the change output + cost of spending the change output in the future.
1118
    // For creating the change output now, we use the effective feerate.
1119
    // For spending the change output in the future, we use the discard feerate for now.
1120
    // So cost of change = (change output size * effective feerate) + (size of spending change output * discard feerate)
1121
0
    coin_selection_params.m_change_fee = coin_selection_params.m_effective_feerate.GetFee(coin_selection_params.change_output_size);
1122
0
    coin_selection_params.m_cost_of_change = coin_selection_params.m_discard_feerate.GetFee(coin_selection_params.change_spend_size) + coin_selection_params.m_change_fee;
1123
1124
0
    coin_selection_params.m_min_change_target = GenerateChangeTarget(std::floor(recipients_sum / vecSend.size()), coin_selection_params.m_change_fee, rng_fast);
1125
1126
    // The smallest change amount should be:
1127
    // 1. at least equal to dust threshold
1128
    // 2. at least 1 sat greater than fees to spend it at m_discard_feerate
1129
0
    const auto dust = GetDustThreshold(change_prototype_txout, coin_selection_params.m_discard_feerate);
1130
0
    const auto change_spend_fee = coin_selection_params.m_discard_feerate.GetFee(coin_selection_params.change_spend_size);
1131
0
    coin_selection_params.min_viable_change = std::max(change_spend_fee + 1, dust);
1132
1133
    // Include the fees for things that aren't inputs, excluding the change output
1134
0
    const CAmount not_input_fees = coin_selection_params.m_effective_feerate.GetFee(coin_selection_params.m_subtract_fee_outputs ? 0 : coin_selection_params.tx_noinputs_size);
  Branch (1134:85): [True: 0, False: 0]
1135
0
    CAmount selection_target = recipients_sum + not_input_fees;
1136
1137
    // This can only happen if feerate is 0, and requested destinations are value of 0 (e.g. OP_RETURN)
1138
    // and no pre-selected inputs. This will result in 0-input transaction, which is consensus-invalid anyways
1139
0
    if (selection_target == 0 && !coin_control.HasSelected()) {
  Branch (1139:9): [True: 0, False: 0]
  Branch (1139:34): [True: 0, False: 0]
1140
0
        return util::Error{_("Transaction requires one destination of non-zero value, a non-zero feerate, or a pre-selected input")};
1141
0
    }
1142
1143
    // Fetch manually selected coins
1144
0
    PreSelectedInputs preset_inputs;
1145
0
    if (coin_control.HasSelected()) {
  Branch (1145:9): [True: 0, False: 0]
1146
0
        auto res_fetch_inputs = FetchSelectedInputs(wallet, coin_control, coin_selection_params);
1147
0
        if (!res_fetch_inputs) return util::Error{util::ErrorString(res_fetch_inputs)};
  Branch (1147:13): [True: 0, False: 0]
1148
0
        preset_inputs = *res_fetch_inputs;
1149
0
    }
1150
1151
    // Fetch wallet available coins if "other inputs" are
1152
    // allowed (coins automatically selected by the wallet)
1153
0
    CoinsResult available_coins;
1154
0
    if (coin_control.m_allow_other_inputs) {
  Branch (1154:9): [True: 0, False: 0]
1155
0
        available_coins = AvailableCoins(wallet, &coin_control, coin_selection_params.m_effective_feerate);
1156
0
    }
1157
1158
    // Choose coins to use
1159
0
    auto select_coins_res = SelectCoins(wallet, available_coins, preset_inputs, /*nTargetValue=*/selection_target, coin_control, coin_selection_params);
1160
0
    if (!select_coins_res) {
  Branch (1160:9): [True: 0, False: 0]
1161
        // 'SelectCoins' either returns a specific error message or, if empty, means a general "Insufficient funds".
1162
0
        const bilingual_str& err = util::ErrorString(select_coins_res);
1163
0
        return util::Error{err.empty() ?_("Insufficient funds") : err};
  Branch (1163:28): [True: 0, False: 0]
1164
0
    }
1165
0
    const SelectionResult& result = *select_coins_res;
1166
0
    TRACEPOINT(coin_selection, selected_coins,
1167
0
           wallet.GetName().c_str(),
1168
0
           GetAlgorithmName(result.GetAlgo()).c_str(),
1169
0
           result.GetTarget(),
1170
0
           result.GetWaste(),
1171
0
           result.GetSelectedValue());
1172
1173
    // vouts to the payees
1174
0
    txNew.vout.reserve(vecSend.size() + 1); // + 1 because of possible later insert
1175
0
    for (const auto& recipient : vecSend)
  Branch (1175:32): [True: 0, False: 0]
1176
0
    {
1177
0
        txNew.vout.emplace_back(recipient.nAmount, GetScriptForDestination(recipient.dest));
1178
0
    }
1179
0
    const CAmount change_amount = result.GetChange(coin_selection_params.min_viable_change, coin_selection_params.m_change_fee);
1180
0
    if (change_amount > 0) {
  Branch (1180:9): [True: 0, False: 0]
1181
0
        CTxOut newTxOut(change_amount, scriptChange);
1182
0
        if (!change_pos) {
  Branch (1182:13): [True: 0, False: 0]
1183
            // Insert change txn at random position:
1184
0
            change_pos = rng_fast.randrange(txNew.vout.size() + 1);
1185
0
        } else if ((unsigned int)*change_pos > txNew.vout.size()) {
  Branch (1185:20): [True: 0, False: 0]
1186
0
            return util::Error{_("Transaction change output index out of range")};
1187
0
        }
1188
0
        txNew.vout.insert(txNew.vout.begin() + *change_pos, newTxOut);
1189
0
    } else {
1190
0
        change_pos = std::nullopt;
1191
0
    }
1192
1193
    // Shuffle selected coins and fill in final vin
1194
0
    std::vector<std::shared_ptr<COutput>> selected_coins = result.GetShuffledInputVector();
1195
1196
0
    if (coin_control.HasSelected() && coin_control.HasSelectedOrder()) {
  Branch (1196:9): [True: 0, False: 0]
  Branch (1196:39): [True: 0, False: 0]
1197
        // When there are preselected inputs, we need to move them to be the first UTXOs
1198
        // and have them be in the order selected. We can use stable_sort for this, where we
1199
        // compare with the positions stored in coin_control. The COutputs that have positions
1200
        // will be placed before those that don't, and those positions will be in order.
1201
0
        std::stable_sort(selected_coins.begin(), selected_coins.end(),
1202
0
            [&coin_control](const std::shared_ptr<COutput>& a, const std::shared_ptr<COutput>& b) {
1203
0
                auto a_pos = coin_control.GetSelectionPos(a->outpoint);
1204
0
                auto b_pos = coin_control.GetSelectionPos(b->outpoint);
1205
0
                if (a_pos.has_value() && b_pos.has_value()) {
  Branch (1205:21): [True: 0, False: 0]
  Branch (1205:42): [True: 0, False: 0]
1206
0
                    return a_pos.value() < b_pos.value();
1207
0
                } else if (a_pos.has_value() && !b_pos.has_value()) {
  Branch (1207:28): [True: 0, False: 0]
  Branch (1207:49): [True: 0, False: 0]
1208
0
                    return true;
1209
0
                } else {
1210
0
                    return false;
1211
0
                }
1212
0
            });
1213
0
    }
1214
1215
    // The sequence number is set to non-maxint so that DiscourageFeeSniping
1216
    // works.
1217
    //
1218
    // BIP125 defines opt-in RBF as any nSequence < maxint-1, so
1219
    // we use the highest possible value in that range (maxint-2)
1220
    // to avoid conflicting with other possible uses of nSequence,
1221
    // and in the spirit of "smallest possible change from prior
1222
    // behavior."
1223
0
    bool use_anti_fee_sniping = true;
1224
0
    const uint32_t default_sequence{coin_control.m_signal_bip125_rbf.value_or(wallet.m_signal_rbf) ? MAX_BIP125_RBF_SEQUENCE : CTxIn::MAX_SEQUENCE_NONFINAL};
  Branch (1224:37): [True: 0, False: 0]
1225
0
    txNew.vin.reserve(selected_coins.size());
1226
0
    for (const auto& coin : selected_coins) {
  Branch (1226:27): [True: 0, False: 0]
1227
0
        std::optional<uint32_t> sequence = coin_control.GetSequence(coin->outpoint);
1228
0
        if (sequence) {
  Branch (1228:13): [True: 0, False: 0]
1229
            // If an input has a preset sequence, we can't do anti-fee-sniping
1230
0
            use_anti_fee_sniping = false;
1231
0
        }
1232
0
        txNew.vin.emplace_back(coin->outpoint, CScript{}, sequence.value_or(default_sequence));
1233
1234
0
        auto scripts = coin_control.GetScripts(coin->outpoint);
1235
0
        if (scripts.first) {
  Branch (1235:13): [True: 0, False: 0]
1236
0
            txNew.vin.back().scriptSig = *scripts.first;
1237
0
        }
1238
0
        if (scripts.second) {
  Branch (1238:13): [True: 0, False: 0]
1239
0
            txNew.vin.back().scriptWitness = *scripts.second;
1240
0
        }
1241
0
    }
1242
0
    if (coin_control.m_locktime) {
  Branch (1242:9): [True: 0, False: 0]
1243
0
        txNew.nLockTime = coin_control.m_locktime.value();
1244
        // If we have a locktime set, we can't use anti-fee-sniping
1245
0
        use_anti_fee_sniping = false;
1246
0
    }
1247
0
    if (use_anti_fee_sniping) {
  Branch (1247:9): [True: 0, False: 0]
1248
0
        DiscourageFeeSniping(txNew, rng_fast, wallet.chain(), wallet.GetLastBlockHash(), wallet.GetLastBlockHeight());
1249
0
    }
1250
1251
    // Calculate the transaction fee
1252
0
    TxSize tx_sizes = CalculateMaximumSignedTxSize(CTransaction(txNew), &wallet, &coin_control);
1253
0
    int nBytes = tx_sizes.vsize;
1254
0
    if (nBytes == -1) {
  Branch (1254:9): [True: 0, False: 0]
1255
0
        return util::Error{_("Missing solving data for estimating transaction size")};
1256
0
    }
1257
0
    CAmount fee_needed = coin_selection_params.m_effective_feerate.GetFee(nBytes) + result.GetTotalBumpFees();
1258
0
    const CAmount output_value = CalculateOutputValue(txNew);
1259
0
    Assume(recipients_sum + change_amount == output_value);
1260
0
    CAmount current_fee = result.GetSelectedValue() - output_value;
1261
1262
    // Sanity check that the fee cannot be negative as that means we have more output value than input value
1263
0
    if (current_fee < 0) {
  Branch (1263:9): [True: 0, False: 0]
1264
0
        return util::Error{Untranslated(STR_INTERNAL_BUG("Fee paid < 0"))};
1265
0
    }
1266
1267
    // If there is a change output and we overpay the fees then increase the change to match the fee needed
1268
0
    if (change_pos && fee_needed < current_fee) {
  Branch (1268:9): [True: 0, False: 0]
  Branch (1268:23): [True: 0, False: 0]
1269
0
        auto& change = txNew.vout.at(*change_pos);
1270
0
        change.nValue += current_fee - fee_needed;
1271
0
        current_fee = result.GetSelectedValue() - CalculateOutputValue(txNew);
1272
0
        if (fee_needed != current_fee) {
  Branch (1272:13): [True: 0, False: 0]
1273
0
            return util::Error{Untranslated(STR_INTERNAL_BUG("Change adjustment: Fee needed != fee paid"))};
1274
0
        }
1275
0
    }
1276
1277
    // Reduce output values for subtractFeeFromAmount
1278
0
    if (coin_selection_params.m_subtract_fee_outputs) {
  Branch (1278:9): [True: 0, False: 0]
1279
0
        CAmount to_reduce = fee_needed - current_fee;
1280
0
        unsigned int i = 0;
1281
0
        bool fFirst = true;
1282
0
        for (const auto& recipient : vecSend)
  Branch (1282:36): [True: 0, False: 0]
1283
0
        {
1284
0
            if (change_pos && i == *change_pos) {
  Branch (1284:17): [True: 0, False: 0]
  Branch (1284:31): [True: 0, False: 0]
1285
0
                ++i;
1286
0
            }
1287
0
            CTxOut& txout = txNew.vout[i];
1288
1289
0
            if (recipient.fSubtractFeeFromAmount)
  Branch (1289:17): [True: 0, False: 0]
1290
0
            {
1291
0
                txout.nValue -= to_reduce / outputs_to_subtract_fee_from; // Subtract fee equally from each selected recipient
1292
1293
0
                if (fFirst) // first receiver pays the remainder not divisible by output count
  Branch (1293:21): [True: 0, False: 0]
1294
0
                {
1295
0
                    fFirst = false;
1296
0
                    txout.nValue -= to_reduce % outputs_to_subtract_fee_from;
1297
0
                }
1298
1299
                // Error if this output is reduced to be below dust
1300
0
                if (IsDust(txout, wallet.chain().relayDustFee())) {
  Branch (1300:21): [True: 0, False: 0]
1301
0
                    if (txout.nValue < 0) {
  Branch (1301:25): [True: 0, False: 0]
1302
0
                        return util::Error{_("The transaction amount is too small to pay the fee")};
1303
0
                    } else {
1304
0
                        return util::Error{_("The transaction amount is too small to send after the fee has been deducted")};
1305
0
                    }
1306
0
                }
1307
0
            }
1308
0
            ++i;
1309
0
        }
1310
0
        current_fee = result.GetSelectedValue() - CalculateOutputValue(txNew);
1311
0
        if (fee_needed != current_fee) {
  Branch (1311:13): [True: 0, False: 0]
1312
0
            return util::Error{Untranslated(STR_INTERNAL_BUG("SFFO: Fee needed != fee paid"))};
1313
0
        }
1314
0
    }
1315
1316
    // fee_needed should now always be less than or equal to the current fees that we pay.
1317
    // If it is not, it is a bug.
1318
0
    if (fee_needed > current_fee) {
  Branch (1318:9): [True: 0, False: 0]
1319
0
        return util::Error{Untranslated(STR_INTERNAL_BUG("Fee needed > fee paid"))};
1320
0
    }
1321
1322
    // Give up if change keypool ran out and change is required
1323
0
    if (scriptChange.empty() && change_pos) {
  Branch (1323:9): [True: 0, False: 0]
  Branch (1323:33): [True: 0, False: 0]
1324
0
        return util::Error{error};
1325
0
    }
1326
1327
0
    if (sign && !wallet.SignTransaction(txNew)) {
  Branch (1327:9): [True: 0, False: 0]
  Branch (1327:17): [True: 0, False: 0]
1328
0
        return util::Error{_("Signing transaction failed")};
1329
0
    }
1330
1331
    // Return the constructed transaction data.
1332
0
    CTransactionRef tx = MakeTransactionRef(std::move(txNew));
1333
1334
    // Limit size
1335
0
    if ((sign && GetTransactionWeight(*tx) > MAX_STANDARD_TX_WEIGHT) ||
  Branch (1335:10): [True: 0, False: 0]
  Branch (1335:18): [True: 0, False: 0]
1336
0
        (!sign && tx_sizes.weight > MAX_STANDARD_TX_WEIGHT))
  Branch (1336:10): [True: 0, False: 0]
  Branch (1336:19): [True: 0, False: 0]
1337
0
    {
1338
0
        return util::Error{_("Transaction too large")};
1339
0
    }
1340
1341
0
    if (current_fee > wallet.m_default_max_tx_fee) {
  Branch (1341:9): [True: 0, False: 0]
1342
0
        return util::Error{TransactionErrorString(TransactionError::MAX_FEE_EXCEEDED)};
1343
0
    }
1344
1345
0
    if (gArgs.GetBoolArg("-walletrejectlongchains", DEFAULT_WALLET_REJECT_LONG_CHAINS)) {
  Branch (1345:9): [True: 0, False: 0]
1346
        // Lastly, ensure this tx will pass the mempool's chain limits
1347
0
        auto result = wallet.chain().checkChainLimits(tx);
1348
0
        if (!result) {
  Branch (1348:13): [True: 0, False: 0]
1349
0
            return util::Error{util::ErrorString(result)};
1350
0
        }
1351
0
    }
1352
1353
    // Before we return success, we assume any change key will be used to prevent
1354
    // accidental reuse.
1355
0
    reservedest.KeepDestination();
1356
1357
0
    wallet.WalletLogPrintf("Coin Selection: Algorithm:%s, Waste Metric Score:%d\n", GetAlgorithmName(result.GetAlgo()), result.GetWaste());
1358
0
    wallet.WalletLogPrintf("Fee Calculation: Fee:%d Bytes:%u Tgt:%d (requested %d) Reason:\"%s\" Decay %.5f: Estimation: (%g - %g) %.2f%% %.1f/(%.1f %d mem %.1f out) Fail: (%g - %g) %.2f%% %.1f/(%.1f %d mem %.1f out)\n",
1359
0
              current_fee, nBytes, feeCalc.returnedTarget, feeCalc.desiredTarget, StringForFeeReason(feeCalc.reason), feeCalc.est.decay,
1360
0
              feeCalc.est.pass.start, feeCalc.est.pass.end,
1361
0
              (feeCalc.est.pass.totalConfirmed + feeCalc.est.pass.inMempool + feeCalc.est.pass.leftMempool) > 0.0 ? 100 * feeCalc.est.pass.withinTarget / (feeCalc.est.pass.totalConfirmed + feeCalc.est.pass.inMempool + feeCalc.est.pass.leftMempool) : 0.0,
  Branch (1361:15): [True: 0, False: 0]
1362
0
              feeCalc.est.pass.withinTarget, feeCalc.est.pass.totalConfirmed, feeCalc.est.pass.inMempool, feeCalc.est.pass.leftMempool,
1363
0
              feeCalc.est.fail.start, feeCalc.est.fail.end,
1364
0
              (feeCalc.est.fail.totalConfirmed + feeCalc.est.fail.inMempool + feeCalc.est.fail.leftMempool) > 0.0 ? 100 * feeCalc.est.fail.withinTarget / (feeCalc.est.fail.totalConfirmed + feeCalc.est.fail.inMempool + feeCalc.est.fail.leftMempool) : 0.0,
  Branch (1364:15): [True: 0, False: 0]
1365
0
              feeCalc.est.fail.withinTarget, feeCalc.est.fail.totalConfirmed, feeCalc.est.fail.inMempool, feeCalc.est.fail.leftMempool);
1366
0
    return CreatedTransactionResult(tx, current_fee, change_pos, feeCalc);
1367
0
}
1368
1369
util::Result<CreatedTransactionResult> CreateTransaction(
1370
        CWallet& wallet,
1371
        const std::vector<CRecipient>& vecSend,
1372
        std::optional<unsigned int> change_pos,
1373
        const CCoinControl& coin_control,
1374
        bool sign)
1375
0
{
1376
0
    if (vecSend.empty()) {
  Branch (1376:9): [True: 0, False: 0]
1377
0
        return util::Error{_("Transaction must have at least one recipient")};
1378
0
    }
1379
1380
0
    if (std::any_of(vecSend.cbegin(), vecSend.cend(), [](const auto& recipient){ return recipient.nAmount < 0; })) {
  Branch (1380:9): [True: 0, False: 0]
1381
0
        return util::Error{_("Transaction amounts must not be negative")};
1382
0
    }
1383
1384
0
    LOCK(wallet.cs_wallet);
1385
1386
0
    auto res = CreateTransactionInternal(wallet, vecSend, change_pos, coin_control, sign);
1387
0
    TRACEPOINT(coin_selection, normal_create_tx_internal,
1388
0
           wallet.GetName().c_str(),
1389
0
           bool(res),
1390
0
           res ? res->fee : 0,
1391
0
           res && res->change_pos.has_value() ? int32_t(*res->change_pos) : -1);
1392
0
    if (!res) return res;
  Branch (1392:9): [True: 0, False: 0]
1393
0
    const auto& txr_ungrouped = *res;
1394
    // try with avoidpartialspends unless it's enabled already
1395
0
    if (txr_ungrouped.fee > 0 /* 0 means non-functional fee rate estimation */ && wallet.m_max_aps_fee > -1 && !coin_control.m_avoid_partial_spends) {
  Branch (1395:9): [True: 0, False: 0]
  Branch (1395:83): [True: 0, False: 0]
  Branch (1395:112): [True: 0, False: 0]
1396
0
        TRACEPOINT(coin_selection, attempting_aps_create_tx, wallet.GetName().c_str());
1397
0
        CCoinControl tmp_cc = coin_control;
1398
0
        tmp_cc.m_avoid_partial_spends = true;
1399
1400
        // Reuse the change destination from the first creation attempt to avoid skipping BIP44 indexes
1401
0
        if (txr_ungrouped.change_pos) {
  Branch (1401:13): [True: 0, False: 0]
1402
0
            ExtractDestination(txr_ungrouped.tx->vout[*txr_ungrouped.change_pos].scriptPubKey, tmp_cc.destChange);
1403
0
        }
1404
1405
0
        auto txr_grouped = CreateTransactionInternal(wallet, vecSend, change_pos, tmp_cc, sign);
1406
        // if fee of this alternative one is within the range of the max fee, we use this one
1407
0
        const bool use_aps{txr_grouped.has_value() ? (txr_grouped->fee <= txr_ungrouped.fee + wallet.m_max_aps_fee) : false};
  Branch (1407:28): [True: 0, False: 0]
1408
0
        TRACEPOINT(coin_selection, aps_create_tx_internal,
1409
0
               wallet.GetName().c_str(),
1410
0
               use_aps,
1411
0
               txr_grouped.has_value(),
1412
0
               txr_grouped.has_value() ? txr_grouped->fee : 0,
1413
0
               txr_grouped.has_value() && txr_grouped->change_pos.has_value() ? int32_t(*txr_grouped->change_pos) : -1);
1414
0
        if (txr_grouped) {
  Branch (1414:13): [True: 0, False: 0]
1415
0
            wallet.WalletLogPrintf("Fee non-grouped = %lld, grouped = %lld, using %s\n",
1416
0
                txr_ungrouped.fee, txr_grouped->fee, use_aps ? "grouped" : "non-grouped");
  Branch (1416:54): [True: 0, False: 0]
1417
0
            if (use_aps) return txr_grouped;
  Branch (1417:17): [True: 0, False: 0]
1418
0
        }
1419
0
    }
1420
0
    return res;
1421
0
}
1422
1423
util::Result<CreatedTransactionResult> FundTransaction(CWallet& wallet, const CMutableTransaction& tx, const std::vector<CRecipient>& vecSend, std::optional<unsigned int> change_pos, bool lockUnspents, CCoinControl coinControl)
1424
0
{
1425
    // We want to make sure tx.vout is not used now that we are passing outputs as a vector of recipients.
1426
    // This sets us up to remove tx completely in a future PR in favor of passing the inputs directly.
1427
0
    assert(tx.vout.empty());
  Branch (1427:5): [True: 0, False: 0]
1428
1429
    // Set the user desired locktime
1430
0
    coinControl.m_locktime = tx.nLockTime;
1431
1432
    // Set the user desired version
1433
0
    coinControl.m_version = tx.version;
1434
1435
    // Acquire the locks to prevent races to the new locked unspents between the
1436
    // CreateTransaction call and LockCoin calls (when lockUnspents is true).
1437
0
    LOCK(wallet.cs_wallet);
1438
1439
    // Fetch specified UTXOs from the UTXO set to get the scriptPubKeys and values of the outputs being selected
1440
    // and to match with the given solving_data. Only used for non-wallet outputs.
1441
0
    std::map<COutPoint, Coin> coins;
1442
0
    for (const CTxIn& txin : tx.vin) {
  Branch (1442:28): [True: 0, False: 0]
1443
0
        coins[txin.prevout]; // Create empty map entry keyed by prevout.
1444
0
    }
1445
0
    wallet.chain().findCoins(coins);
1446
1447
0
    for (const CTxIn& txin : tx.vin) {
  Branch (1447:28): [True: 0, False: 0]
1448
0
        const auto& outPoint = txin.prevout;
1449
0
        PreselectedInput& preset_txin = coinControl.Select(outPoint);
1450
0
        if (!wallet.IsMine(outPoint)) {
  Branch (1450:13): [True: 0, False: 0]
1451
0
            if (coins[outPoint].out.IsNull()) {
  Branch (1451:17): [True: 0, False: 0]
1452
0
                return util::Error{_("Unable to find UTXO for external input")};
1453
0
            }
1454
1455
            // The input was not in the wallet, but is in the UTXO set, so select as external
1456
0
            preset_txin.SetTxOut(coins[outPoint].out);
1457
0
        }
1458
0
        preset_txin.SetSequence(txin.nSequence);
1459
0
        preset_txin.SetScriptSig(txin.scriptSig);
1460
0
        preset_txin.SetScriptWitness(txin.scriptWitness);
1461
0
    }
1462
1463
0
    auto res = CreateTransaction(wallet, vecSend, change_pos, coinControl, false);
1464
0
    if (!res) {
  Branch (1464:9): [True: 0, False: 0]
1465
0
        return res;
1466
0
    }
1467
1468
0
    if (lockUnspents) {
  Branch (1468:9): [True: 0, False: 0]
1469
0
        for (const CTxIn& txin : res->tx->vin) {
  Branch (1469:32): [True: 0, False: 0]
1470
0
            wallet.LockCoin(txin.prevout);
1471
0
        }
1472
0
    }
1473
1474
0
    return res;
1475
0
}
1476
} // namespace wallet