LCOV - code coverage report
Current view: top level - src/policy - fees.cpp (source / functions) Coverage Total Hit
Test: total_coverage.info Lines: 91.9 % 556 511
Test Date: 2025-10-25 05:06:34 Functions: 100.0 % 42 42
Branches: 58.1 % 700 407

             Branch data     Line data    Source code
       1                 :             : // Copyright (c) 2009-2010 Satoshi Nakamoto
       2                 :             : // Copyright (c) 2009-2022 The Bitcoin Core developers
       3                 :             : // Distributed under the MIT software license, see the accompanying
       4                 :             : // file COPYING or http://www.opensource.org/licenses/mit-license.php.
       5                 :             : 
       6                 :             : #include <policy/fees.h>
       7                 :             : 
       8                 :             : #include <common/system.h>
       9                 :             : #include <consensus/amount.h>
      10                 :             : #include <kernel/mempool_entry.h>
      11                 :             : #include <logging.h>
      12                 :             : #include <policy/feerate.h>
      13                 :             : #include <primitives/transaction.h>
      14                 :             : #include <random.h>
      15                 :             : #include <serialize.h>
      16                 :             : #include <streams.h>
      17                 :             : #include <sync.h>
      18                 :             : #include <tinyformat.h>
      19                 :             : #include <uint256.h>
      20                 :             : #include <util/fs.h>
      21                 :             : #include <util/serfloat.h>
      22                 :             : #include <util/syserror.h>
      23                 :             : #include <util/time.h>
      24                 :             : 
      25                 :             : #include <algorithm>
      26                 :             : #include <cassert>
      27                 :             : #include <chrono>
      28                 :             : #include <cmath>
      29                 :             : #include <cstddef>
      30                 :             : #include <cstdint>
      31                 :             : #include <exception>
      32                 :             : #include <stdexcept>
      33                 :             : #include <utility>
      34                 :             : 
      35                 :             : // The current format written, and the version required to read. Must be
      36                 :             : // increased to at least 289900+1 on the next breaking change.
      37                 :             : constexpr int CURRENT_FEES_FILE_VERSION{149900};
      38                 :             : 
      39                 :             : static constexpr double INF_FEERATE = 1e99;
      40                 :             : 
      41                 :         319 : std::string StringForFeeEstimateHorizon(FeeEstimateHorizon horizon)
      42                 :             : {
      43   [ +  +  +  - ]:         319 :     switch (horizon) {
      44                 :          63 :     case FeeEstimateHorizon::SHORT_HALFLIFE: return "short";
      45                 :         128 :     case FeeEstimateHorizon::MED_HALFLIFE: return "medium";
      46                 :         128 :     case FeeEstimateHorizon::LONG_HALFLIFE: return "long";
      47                 :             :     } // no default case, so the compiler can warn about missing cases
      48                 :           0 :     assert(false);
      49                 :             : }
      50                 :             : 
      51                 :             : namespace {
      52                 :             : 
      53                 :             : struct EncodedDoubleFormatter
      54                 :             : {
      55                 :    32397758 :     template<typename Stream> void Ser(Stream &s, double v)
      56                 :             :     {
      57                 :    32397758 :         s << EncodeDouble(v);
      58                 :             :     }
      59                 :             : 
      60                 :    17375853 :     template<typename Stream> void Unser(Stream& s, double& v)
      61                 :             :     {
      62                 :             :         uint64_t encoded;
      63                 :    17375853 :         s >> encoded;
      64                 :    17375853 :         v = DecodeDouble(encoded);
      65                 :    17375853 :     }
      66                 :             : };
      67                 :             : 
      68                 :             : } // namespace
      69                 :             : 
      70                 :             : /**
      71                 :             :  * We will instantiate an instance of this class to track transactions that were
      72                 :             :  * included in a block. We will lump transactions into a bucket according to their
      73                 :             :  * approximate feerate and then track how long it took for those txs to be included in a block
      74                 :             :  *
      75                 :             :  * The tracking of unconfirmed (mempool) transactions is completely independent of the
      76                 :             :  * historical tracking of transactions that have been confirmed in a block.
      77                 :             :  */
      78                 :             : class TxConfirmStats
      79                 :             : {
      80                 :             : private:
      81                 :             :     //Define the buckets we will group transactions into
      82                 :             :     const std::vector<double>& buckets;              // The upper-bound of the range for the bucket (inclusive)
      83                 :             :     const std::map<double, unsigned int>& bucketMap; // Map of bucket upper-bound to index into all vectors by bucket
      84                 :             : 
      85                 :             :     // For each bucket X:
      86                 :             :     // Count the total # of txs in each bucket
      87                 :             :     // Track the historical moving average of this total over blocks
      88                 :             :     std::vector<double> txCtAvg;
      89                 :             : 
      90                 :             :     // Count the total # of txs confirmed within Y blocks in each bucket
      91                 :             :     // Track the historical moving average of these totals over blocks
      92                 :             :     std::vector<std::vector<double>> confAvg; // confAvg[Y][X]
      93                 :             : 
      94                 :             :     // Track moving avg of txs which have been evicted from the mempool
      95                 :             :     // after failing to be confirmed within Y blocks
      96                 :             :     std::vector<std::vector<double>> failAvg; // failAvg[Y][X]
      97                 :             : 
      98                 :             :     // Sum the total feerate of all tx's in each bucket
      99                 :             :     // Track the historical moving average of this total over blocks
     100                 :             :     std::vector<double> m_feerate_avg;
     101                 :             : 
     102                 :             :     // Combine the conf counts with tx counts to calculate the confirmation % for each Y,X
     103                 :             :     // Combine the total value with the tx counts to calculate the avg feerate per bucket
     104                 :             : 
     105                 :             :     double decay;
     106                 :             : 
     107                 :             :     // Resolution (# of blocks) with which confirmations are tracked
     108                 :             :     unsigned int scale;
     109                 :             : 
     110                 :             :     // Mempool counts of outstanding transactions
     111                 :             :     // For each bucket X, track the number of transactions in the mempool
     112                 :             :     // that are unconfirmed for each possible confirmation value Y
     113                 :             :     std::vector<std::vector<int> > unconfTxs;  //unconfTxs[Y][X]
     114                 :             :     // transactions still unconfirmed after GetMaxConfirms for each bucket
     115                 :             :     std::vector<int> oldUnconfTxs;
     116                 :             : 
     117                 :             :     void resizeInMemoryCounters(size_t newbuckets);
     118                 :             : 
     119                 :             : public:
     120                 :             :     /**
     121                 :             :      * Create new TxConfirmStats. This is called by BlockPolicyEstimator's
     122                 :             :      * constructor with default values.
     123                 :             :      * @param defaultBuckets contains the upper limits for the bucket boundaries
     124                 :             :      * @param maxPeriods max number of periods to track
     125                 :             :      * @param decay how much to decay the historical moving average per block
     126                 :             :      */
     127                 :             :     TxConfirmStats(const std::vector<double>& defaultBuckets, const std::map<double, unsigned int>& defaultBucketMap,
     128                 :             :                    unsigned int maxPeriods, double decay, unsigned int scale);
     129                 :             : 
     130                 :             :     /** Roll the circular buffer for unconfirmed txs*/
     131                 :             :     void ClearCurrent(unsigned int nBlockHeight);
     132                 :             : 
     133                 :             :     /**
     134                 :             :      * Record a new transaction data point in the current block stats
     135                 :             :      * @param blocksToConfirm the number of blocks it took this transaction to confirm
     136                 :             :      * @param val the feerate of the transaction
     137                 :             :      * @warning blocksToConfirm is 1-based and has to be >= 1
     138                 :             :      */
     139                 :             :     void Record(int blocksToConfirm, double val);
     140                 :             : 
     141                 :             :     /** Record a new transaction entering the mempool*/
     142                 :             :     unsigned int NewTx(unsigned int nBlockHeight, double val);
     143                 :             : 
     144                 :             :     /** Remove a transaction from mempool tracking stats*/
     145                 :             :     void removeTx(unsigned int entryHeight, unsigned int nBestSeenHeight,
     146                 :             :                   unsigned int bucketIndex, bool inBlock);
     147                 :             : 
     148                 :             :     /** Update our estimates by decaying our historical moving average and updating
     149                 :             :         with the data gathered from the current block */
     150                 :             :     void UpdateMovingAverages();
     151                 :             : 
     152                 :             :     /**
     153                 :             :      * Calculate a feerate estimate.  Find the lowest value bucket (or range of buckets
     154                 :             :      * to make sure we have enough data points) whose transactions still have sufficient likelihood
     155                 :             :      * of being confirmed within the target number of confirmations
     156                 :             :      * @param confTarget target number of confirmations
     157                 :             :      * @param sufficientTxVal required average number of transactions per block in a bucket range
     158                 :             :      * @param minSuccess the success probability we require
     159                 :             :      * @param nBlockHeight the current block height
     160                 :             :      */
     161                 :             :     double EstimateMedianVal(int confTarget, double sufficientTxVal,
     162                 :             :                              double minSuccess, unsigned int nBlockHeight,
     163                 :             :                              EstimationResult *result = nullptr) const;
     164                 :             : 
     165                 :             :     /** Return the max number of confirms we're tracking */
     166   [ -  +  -  +  :      184042 :     unsigned int GetMaxConfirms() const { return scale * confAvg.size(); }
          -  +  -  +  -  
          +  -  +  -  +  
          -  +  -  +  -  
          +  -  +  -  +  
                   -  + ]
     167                 :             : 
     168                 :             :     /** Write state of estimation data to a file*/
     169                 :             :     void Write(AutoFile& fileout) const;
     170                 :             : 
     171                 :             :     /**
     172                 :             :      * Read saved state of estimation data from a file and replace all internal data structures and
     173                 :             :      * variables with this state.
     174                 :             :      */
     175                 :             :     void Read(AutoFile& filein, size_t numBuckets);
     176                 :             : };
     177                 :             : 
     178                 :             : 
     179                 :        4812 : TxConfirmStats::TxConfirmStats(const std::vector<double>& defaultBuckets,
     180                 :             :                                 const std::map<double, unsigned int>& defaultBucketMap,
     181                 :        4812 :                                unsigned int maxPeriods, double _decay, unsigned int _scale)
     182         [ -  + ]:        4812 :     : buckets(defaultBuckets), bucketMap(defaultBucketMap), decay(_decay), scale(_scale)
     183                 :             : {
     184         [ -  + ]:        4812 :     assert(_scale != 0 && "_scale must be non-zero");
     185         [ +  - ]:        4812 :     confAvg.resize(maxPeriods);
     186         [ +  - ]:        4812 :     failAvg.resize(maxPeriods);
     187         [ +  + ]:      129924 :     for (unsigned int i = 0; i < maxPeriods; i++) {
     188   [ -  +  +  - ]:      125112 :         confAvg[i].resize(buckets.size());
     189   [ -  +  +  - ]:      125112 :         failAvg[i].resize(buckets.size());
     190                 :             :     }
     191                 :             : 
     192   [ -  +  +  - ]:        4812 :     txCtAvg.resize(buckets.size());
     193   [ -  +  +  - ]:        4812 :     m_feerate_avg.resize(buckets.size());
     194                 :             : 
     195   [ -  +  +  - ]:        4812 :     resizeInMemoryCounters(buckets.size());
     196                 :        4812 : }
     197                 :             : 
     198                 :        6495 : void TxConfirmStats::resizeInMemoryCounters(size_t newbuckets) {
     199                 :             :     // newbuckets must be passed in because the buckets referred to during Read have not been updated yet.
     200         [ -  + ]:        6495 :     unconfTxs.resize(GetMaxConfirms());
     201   [ -  +  +  + ]:     2318715 :     for (unsigned int i = 0; i < unconfTxs.size(); i++) {
     202                 :     2312220 :         unconfTxs[i].resize(newbuckets);
     203                 :             :     }
     204                 :        6495 :     oldUnconfTxs.resize(newbuckets);
     205                 :        6495 : }
     206                 :             : 
     207                 :             : // Roll the unconfirmed txs circular buffer
     208                 :      298422 : void TxConfirmStats::ClearCurrent(unsigned int nBlockHeight)
     209                 :             : {
     210   [ -  +  +  + ]:    56998602 :     for (unsigned int j = 0; j < buckets.size(); j++) {
     211   [ -  +  -  + ]:    56700180 :         oldUnconfTxs[j] += unconfTxs[nBlockHeight % unconfTxs.size()][j];
     212         [ -  + ]:    56700180 :         unconfTxs[nBlockHeight%unconfTxs.size()][j] = 0;
     213                 :             :     }
     214                 :      298422 : }
     215                 :             : 
     216                 :             : 
     217                 :      127218 : void TxConfirmStats::Record(int blocksToConfirm, double feerate)
     218                 :             : {
     219                 :             :     // blocksToConfirm is 1-based
     220         [ +  - ]:      127218 :     if (blocksToConfirm < 1)
     221                 :             :         return;
     222                 :      127218 :     int periodsToConfirm = (blocksToConfirm + scale - 1) / scale;
     223                 :      127218 :     unsigned int bucketindex = bucketMap.lower_bound(feerate)->second;
     224   [ -  +  +  + ]:     3285628 :     for (size_t i = periodsToConfirm; i <= confAvg.size(); i++) {
     225                 :     3158410 :         confAvg[i - 1][bucketindex]++;
     226                 :             :     }
     227                 :      127218 :     txCtAvg[bucketindex]++;
     228                 :      127218 :     m_feerate_avg[bucketindex] += feerate;
     229                 :             : }
     230                 :             : 
     231                 :      298422 : void TxConfirmStats::UpdateMovingAverages()
     232                 :             : {
     233   [ -  +  -  +  :      298422 :     assert(confAvg.size() == failAvg.size());
                   -  + ]
     234   [ -  +  +  + ]:    56998602 :     for (unsigned int j = 0; j < buckets.size(); j++) {
     235   [ -  +  +  + ]:  1530904860 :         for (unsigned int i = 0; i < confAvg.size(); i++) {
     236                 :  1474204680 :             confAvg[i][j] *= decay;
     237                 :  1474204680 :             failAvg[i][j] *= decay;
     238                 :             :         }
     239                 :    56700180 :         m_feerate_avg[j] *= decay;
     240                 :    56700180 :         txCtAvg[j] *= decay;
     241                 :             :     }
     242                 :      298422 : }
     243                 :             : 
     244                 :             : // returns -1 on error conditions
     245                 :       21648 : double TxConfirmStats::EstimateMedianVal(int confTarget, double sufficientTxVal,
     246                 :             :                                          double successBreakPoint, unsigned int nBlockHeight,
     247                 :             :                                          EstimationResult *result) const
     248                 :             : {
     249                 :             :     // Counters for a bucket (or range of buckets)
     250                 :       21648 :     double nConf = 0; // Number of tx's confirmed within the confTarget
     251                 :       21648 :     double totalNum = 0; // Total number of tx's that were ever confirmed
     252                 :       21648 :     int extraNum = 0;  // Number of tx's still in mempool for confTarget or longer
     253                 :       21648 :     double failNum = 0; // Number of tx's that were never confirmed but removed from the mempool after confTarget
     254                 :       21648 :     const int periodTarget = (confTarget + scale - 1) / scale;
     255         [ -  + ]:       21648 :     const int maxbucketindex = buckets.size() - 1;
     256                 :             : 
     257                 :             :     // We'll combine buckets until we have enough samples.
     258                 :             :     // The near and far variables will define the range we've combined
     259                 :             :     // The best variables are the last range we saw which still had a high
     260                 :             :     // enough confirmation rate to count as success.
     261                 :             :     // The cur variables are the current range we're counting.
     262                 :       21648 :     unsigned int curNearBucket = maxbucketindex;
     263                 :       21648 :     unsigned int bestNearBucket = maxbucketindex;
     264                 :       21648 :     unsigned int curFarBucket = maxbucketindex;
     265                 :       21648 :     unsigned int bestFarBucket = maxbucketindex;
     266                 :             : 
     267                 :             :     // We'll always group buckets into sets that meet sufficientTxVal --
     268                 :             :     // this ensures that we're using consistent groups between different
     269                 :             :     // confirmation targets.
     270                 :       21648 :     double partialNum = 0;
     271                 :             : 
     272                 :       21648 :     bool foundAnswer = false;
     273         [ -  + ]:       21648 :     unsigned int bins = unconfTxs.size();
     274                 :       21648 :     bool newBucketRange = true;
     275                 :       21648 :     bool passing = true;
     276                 :       21648 :     EstimatorBucket passBucket;
     277                 :       21648 :     EstimatorBucket failBucket;
     278                 :             : 
     279                 :             :     // Start counting from highest feerate transactions
     280         [ +  + ]:     4134768 :     for (int bucket = maxbucketindex; bucket >= 0; --bucket) {
     281         [ +  + ]:     4113120 :         if (newBucketRange) {
     282                 :       57058 :             curNearBucket = bucket;
     283                 :       57058 :             newBucketRange = false;
     284                 :             :         }
     285                 :     4113120 :         curFarBucket = bucket;
     286                 :     4113120 :         nConf += confAvg[periodTarget - 1][bucket];
     287                 :     4113120 :         partialNum += txCtAvg[bucket];
     288                 :     4113120 :         totalNum += txCtAvg[bucket];
     289                 :     4113120 :         failNum += failAvg[periodTarget - 1][bucket];
     290   [ -  +  +  + ]:   580969460 :         for (unsigned int confct = confTarget; confct < GetMaxConfirms(); confct++)
     291                 :   576856340 :             extraNum += unconfTxs[(nBlockHeight - confct) % bins][bucket];
     292         [ +  + ]:     4113120 :         extraNum += oldUnconfTxs[bucket];
     293                 :             :         // If we have enough transaction data points in this range of buckets,
     294                 :             :         // we can test for success
     295                 :             :         // (Only count the confirmed data points, so that each confirmation count
     296                 :             :         // will be looking at the same amount of data and same bucket breaks)
     297                 :             : 
     298         [ +  + ]:     4113120 :         if (partialNum < sufficientTxVal / (1 - decay)) {
     299                 :             :             // the buckets we've added in this round aren't sufficient
     300                 :             :             // so keep adding
     301                 :     4066548 :             continue;
     302                 :             :         } else {
     303                 :       46572 :             partialNum = 0; // reset for the next range we'll add
     304                 :             : 
     305                 :       46572 :             double curPct = nConf / (totalNum + failNum + extraNum);
     306                 :             : 
     307                 :             :             // Check to see if we are no longer getting confirmed at the success rate
     308         [ +  + ]:       46572 :             if (curPct < successBreakPoint) {
     309         [ +  + ]:       10066 :                 if (passing == true) {
     310                 :             :                     // First time we hit a failure record the failed bucket
     311         [ +  + ]:         987 :                     unsigned int failMinBucket = std::min(curNearBucket, curFarBucket);
     312         [ +  - ]:         987 :                     unsigned int failMaxBucket = std::max(curNearBucket, curFarBucket);
     313         [ +  + ]:         987 :                     failBucket.start = failMinBucket ? buckets[failMinBucket - 1] : 0;
     314                 :         987 :                     failBucket.end = buckets[failMaxBucket];
     315                 :         987 :                     failBucket.withinTarget = nConf;
     316                 :         987 :                     failBucket.totalConfirmed = totalNum;
     317                 :         987 :                     failBucket.inMempool = extraNum;
     318                 :         987 :                     failBucket.leftMempool = failNum;
     319                 :         987 :                     passing = false;
     320                 :             :                 }
     321                 :       10066 :                 continue;
     322                 :       10066 :             }
     323                 :             :             // Otherwise update the cumulative stats, and the bucket variables
     324                 :             :             // and reset the counters
     325                 :             :             else {
     326                 :       36506 :                 failBucket = EstimatorBucket(); // Reset any failed bucket, currently passing
     327                 :       36506 :                 foundAnswer = true;
     328                 :       36506 :                 passing = true;
     329                 :       36506 :                 passBucket.withinTarget = nConf;
     330                 :       36506 :                 nConf = 0;
     331                 :       36506 :                 passBucket.totalConfirmed = totalNum;
     332                 :       36506 :                 totalNum = 0;
     333                 :       36506 :                 passBucket.inMempool = extraNum;
     334                 :       36506 :                 passBucket.leftMempool = failNum;
     335                 :       36506 :                 failNum = 0;
     336                 :       36506 :                 extraNum = 0;
     337                 :       36506 :                 bestNearBucket = curNearBucket;
     338                 :       36506 :                 bestFarBucket = curFarBucket;
     339                 :       36506 :                 newBucketRange = true;
     340                 :             :             }
     341                 :             :         }
     342                 :             :     }
     343                 :             : 
     344                 :       21648 :     double median = -1;
     345                 :       21648 :     double txSum = 0;
     346                 :             : 
     347                 :             :     // Calculate the "average" feerate of the best bucket range that met success conditions
     348                 :             :     // Find the bucket with the median transaction and then report the average feerate from that bucket
     349                 :             :     // This is a compromise between finding the median which we can't since we don't save all tx's
     350                 :             :     // and reporting the average which is less accurate
     351         [ +  + ]:       21648 :     unsigned int minBucket = std::min(bestNearBucket, bestFarBucket);
     352         [ +  - ]:       21648 :     unsigned int maxBucket = std::max(bestNearBucket, bestFarBucket);
     353         [ +  + ]:     1413587 :     for (unsigned int j = minBucket; j <= maxBucket; j++) {
     354                 :     1391939 :         txSum += txCtAvg[j];
     355                 :             :     }
     356         [ +  + ]:       21648 :     if (foundAnswer && txSum != 0) {
     357                 :       12441 :         txSum = txSum / 2;
     358         [ +  - ]:       34485 :         for (unsigned int j = minBucket; j <= maxBucket; j++) {
     359         [ +  + ]:       34485 :             if (txCtAvg[j] < txSum)
     360                 :       22044 :                 txSum -= txCtAvg[j];
     361                 :             :             else { // we're in the right bucket
     362                 :       12441 :                 median = m_feerate_avg[j] / txCtAvg[j];
     363                 :       12441 :                 break;
     364                 :             :             }
     365                 :             :         }
     366                 :             : 
     367         [ +  + ]:       12441 :         passBucket.start = minBucket ? buckets[minBucket-1] : 0;
     368                 :       12441 :         passBucket.end = buckets[maxBucket];
     369                 :             :     }
     370                 :             : 
     371                 :             :     // If we were passing until we reached last few buckets with insufficient data, then report those as failed
     372         [ +  + ]:       21648 :     if (passing && !newBucketRange) {
     373         [ -  + ]:       19665 :         unsigned int failMinBucket = std::min(curNearBucket, curFarBucket);
     374         [ +  - ]:       19665 :         unsigned int failMaxBucket = std::max(curNearBucket, curFarBucket);
     375         [ -  + ]:       19665 :         failBucket.start = failMinBucket ? buckets[failMinBucket - 1] : 0;
     376                 :       19665 :         failBucket.end = buckets[failMaxBucket];
     377                 :       19665 :         failBucket.withinTarget = nConf;
     378                 :       19665 :         failBucket.totalConfirmed = totalNum;
     379                 :       19665 :         failBucket.inMempool = extraNum;
     380                 :       19665 :         failBucket.leftMempool = failNum;
     381                 :             :     }
     382                 :             : 
     383                 :       21648 :     float passed_within_target_perc = 0.0;
     384                 :       21648 :     float failed_within_target_perc = 0.0;
     385         [ +  + ]:       21648 :     if ((passBucket.totalConfirmed + passBucket.inMempool + passBucket.leftMempool)) {
     386                 :       12441 :         passed_within_target_perc = 100 * passBucket.withinTarget / (passBucket.totalConfirmed + passBucket.inMempool + passBucket.leftMempool);
     387                 :             :     }
     388         [ +  + ]:       21648 :     if ((failBucket.totalConfirmed + failBucket.inMempool + failBucket.leftMempool)) {
     389                 :       15131 :         failed_within_target_perc = 100 * failBucket.withinTarget / (failBucket.totalConfirmed + failBucket.inMempool + failBucket.leftMempool);
     390                 :             :     }
     391                 :             : 
     392         [ +  - ]:       21648 :     LogDebug(BCLog::ESTIMATEFEE, "FeeEst: %d > %.0f%% decay %.5f: feerate: %g from (%g - %g) %.2f%% %.1f/(%.1f %d mem %.1f out) Fail: (%g - %g) %.2f%% %.1f/(%.1f %d mem %.1f out)\n",
     393                 :             :              confTarget, 100.0 * successBreakPoint, decay,
     394                 :             :              median, passBucket.start, passBucket.end,
     395                 :             :              passed_within_target_perc,
     396                 :             :              passBucket.withinTarget, passBucket.totalConfirmed, passBucket.inMempool, passBucket.leftMempool,
     397                 :             :              failBucket.start, failBucket.end,
     398                 :             :              failed_within_target_perc,
     399                 :             :              failBucket.withinTarget, failBucket.totalConfirmed, failBucket.inMempool, failBucket.leftMempool);
     400                 :             : 
     401                 :             : 
     402         [ +  + ]:       21648 :     if (result) {
     403                 :       21560 :         result->pass = passBucket;
     404                 :       21560 :         result->fail = failBucket;
     405                 :       21560 :         result->decay = decay;
     406                 :       21560 :         result->scale = scale;
     407                 :             :     }
     408                 :       21648 :     return median;
     409                 :             : }
     410                 :             : 
     411                 :        3138 : void TxConfirmStats::Write(AutoFile& fileout) const
     412                 :             : {
     413                 :        3138 :     fileout << Using<EncodedDoubleFormatter>(decay);
     414                 :        3138 :     fileout << scale;
     415                 :        3138 :     fileout << Using<VectorFormatter<EncodedDoubleFormatter>>(m_feerate_avg);
     416                 :        3138 :     fileout << Using<VectorFormatter<EncodedDoubleFormatter>>(txCtAvg);
     417                 :        3138 :     fileout << Using<VectorFormatter<VectorFormatter<EncodedDoubleFormatter>>>(confAvg);
     418                 :        3138 :     fileout << Using<VectorFormatter<VectorFormatter<EncodedDoubleFormatter>>>(failAvg);
     419                 :        3138 : }
     420                 :             : 
     421                 :        1683 : void TxConfirmStats::Read(AutoFile& filein, size_t numBuckets)
     422                 :             : {
     423                 :             :     // Read data file and do some very basic sanity checking
     424                 :             :     // buckets and bucketMap are not updated yet, so don't access them
     425                 :             :     // If there is a read failure, we'll just discard this entire object anyway
     426                 :        1683 :     size_t maxConfirms, maxPeriods;
     427                 :             : 
     428                 :             :     // The current version will store the decay with each individual TxConfirmStats and also keep a scale factor
     429                 :        1683 :     filein >> Using<EncodedDoubleFormatter>(decay);
     430   [ +  -  -  + ]:        1683 :     if (decay <= 0 || decay >= 1) {
     431         [ #  # ]:           0 :         throw std::runtime_error("Corrupt estimates file. Decay must be between 0 and 1 (non-inclusive)");
     432                 :             :     }
     433                 :        1683 :     filein >> scale;
     434         [ -  + ]:        1683 :     if (scale == 0) {
     435         [ #  # ]:           0 :         throw std::runtime_error("Corrupt estimates file. Scale must be non-zero");
     436                 :             :     }
     437                 :             : 
     438                 :        1683 :     filein >> Using<VectorFormatter<EncodedDoubleFormatter>>(m_feerate_avg);
     439   [ -  +  -  + ]:        1683 :     if (m_feerate_avg.size() != numBuckets) {
     440         [ #  # ]:           0 :         throw std::runtime_error("Corrupt estimates file. Mismatch in feerate average bucket count");
     441                 :             :     }
     442                 :        1683 :     filein >> Using<VectorFormatter<EncodedDoubleFormatter>>(txCtAvg);
     443   [ -  +  -  + ]:        1683 :     if (txCtAvg.size() != numBuckets) {
     444         [ #  # ]:           0 :         throw std::runtime_error("Corrupt estimates file. Mismatch in tx count bucket count");
     445                 :             :     }
     446                 :        1683 :     filein >> Using<VectorFormatter<VectorFormatter<EncodedDoubleFormatter>>>(confAvg);
     447         [ -  + ]:        1683 :     maxPeriods = confAvg.size();
     448                 :        1683 :     maxConfirms = scale * maxPeriods;
     449                 :             : 
     450         [ -  + ]:        1683 :     if (maxConfirms <= 0 || maxConfirms > 6 * 24 * 7) { // one week
     451         [ #  # ]:           0 :         throw std::runtime_error("Corrupt estimates file.  Must maintain estimates for between 1 and 1008 (one week) confirms");
     452                 :             :     }
     453         [ +  + ]:       45441 :     for (unsigned int i = 0; i < maxPeriods; i++) {
     454   [ -  +  -  + ]:       43758 :         if (confAvg[i].size() != numBuckets) {
     455         [ #  # ]:           0 :             throw std::runtime_error("Corrupt estimates file. Mismatch in feerate conf average bucket count");
     456                 :             :         }
     457                 :             :     }
     458                 :             : 
     459                 :        1683 :     filein >> Using<VectorFormatter<VectorFormatter<EncodedDoubleFormatter>>>(failAvg);
     460   [ -  +  -  + ]:        1683 :     if (maxPeriods != failAvg.size()) {
     461         [ #  # ]:           0 :         throw std::runtime_error("Corrupt estimates file. Mismatch in confirms tracked for failures");
     462                 :             :     }
     463         [ +  + ]:       45441 :     for (unsigned int i = 0; i < maxPeriods; i++) {
     464   [ -  +  -  + ]:       43758 :         if (failAvg[i].size() != numBuckets) {
     465         [ #  # ]:           0 :             throw std::runtime_error("Corrupt estimates file. Mismatch in one of failure average bucket counts");
     466                 :             :         }
     467                 :             :     }
     468                 :             : 
     469                 :             :     // Resize the current block variables which aren't stored in the data file
     470                 :             :     // to match the number of confirms and buckets
     471                 :        1683 :     resizeInMemoryCounters(numBuckets);
     472                 :             : 
     473         [ +  + ]:        1683 :     LogDebug(BCLog::ESTIMATEFEE, "Reading estimates: %u buckets counting confirms up to %u blocks\n",
     474                 :             :              numBuckets, maxConfirms);
     475                 :        1683 : }
     476                 :             : 
     477                 :      134085 : unsigned int TxConfirmStats::NewTx(unsigned int nBlockHeight, double val)
     478                 :             : {
     479         [ -  + ]:      134085 :     unsigned int bucketindex = bucketMap.lower_bound(val)->second;
     480         [ -  + ]:      134085 :     unsigned int blockIndex = nBlockHeight % unconfTxs.size();
     481                 :      134085 :     unconfTxs[blockIndex][bucketindex]++;
     482                 :      134085 :     return bucketindex;
     483                 :             : }
     484                 :             : 
     485                 :      134085 : void TxConfirmStats::removeTx(unsigned int entryHeight, unsigned int nBestSeenHeight, unsigned int bucketindex, bool inBlock)
     486                 :             : {
     487                 :             :     //nBestSeenHeight is not updated yet for the new block
     488                 :      134085 :     int blocksAgo = nBestSeenHeight - entryHeight;
     489         [ +  - ]:      134085 :     if (nBestSeenHeight == 0)  // the BlockPolicyEstimator hasn't seen any blocks yet
     490                 :             :         blocksAgo = 0;
     491         [ -  + ]:      134085 :     if (blocksAgo < 0) {
     492         [ #  # ]:           0 :         LogDebug(BCLog::ESTIMATEFEE, "Blockpolicy error, blocks ago is negative for mempool tx\n");
     493                 :           0 :         return;  //This can't happen because we call this with our best seen height, no entries can have higher
     494                 :             :     }
     495                 :             : 
     496   [ -  +  +  + ]:      134085 :     if (blocksAgo >= (int)unconfTxs.size()) {
     497         [ +  - ]:        4464 :         if (oldUnconfTxs[bucketindex] > 0) {
     498                 :        4464 :             oldUnconfTxs[bucketindex]--;
     499                 :             :         } else {
     500         [ #  # ]:           0 :             LogDebug(BCLog::ESTIMATEFEE, "Blockpolicy error, mempool tx removed from >25 blocks,bucketIndex=%u already\n",
     501                 :             :                      bucketindex);
     502                 :             :         }
     503                 :             :     }
     504                 :             :     else {
     505         [ +  - ]:      129621 :         unsigned int blockIndex = entryHeight % unconfTxs.size();
     506         [ +  - ]:      129621 :         if (unconfTxs[blockIndex][bucketindex] > 0) {
     507                 :      129621 :             unconfTxs[blockIndex][bucketindex]--;
     508                 :             :         } else {
     509         [ #  # ]:           0 :             LogDebug(BCLog::ESTIMATEFEE, "Blockpolicy error, mempool tx removed from blockIndex=%u,bucketIndex=%u already\n",
     510                 :             :                      blockIndex, bucketindex);
     511                 :             :         }
     512                 :             :     }
     513   [ +  +  +  + ]:      134085 :     if (!inBlock && (unsigned int)blocksAgo >= scale) { // Only counts as a failure if not confirmed for entire period
     514         [ -  + ]:         959 :         assert(scale != 0);
     515                 :         959 :         unsigned int periodsAgo = blocksAgo / scale;
     516   [ +  +  -  +  :        2469 :         for (size_t i = 0; i < periodsAgo && i < failAvg.size(); i++) {
                   +  + ]
     517                 :        1510 :             failAvg[i][bucketindex]++;
     518                 :             :         }
     519                 :             :     }
     520                 :             : }
     521                 :             : 
     522                 :        1494 : bool CBlockPolicyEstimator::removeTx(Txid hash)
     523                 :             : {
     524                 :        1494 :     LOCK(m_cs_fee_estimator);
     525   [ +  -  +  - ]:        1494 :     return _removeTx(hash, /*inBlock=*/false);
     526                 :        1494 : }
     527                 :             : 
     528                 :       47780 : bool CBlockPolicyEstimator::_removeTx(const Txid& hash, bool inBlock)
     529                 :             : {
     530                 :       47780 :     AssertLockHeld(m_cs_fee_estimator);
     531                 :       47780 :     std::map<Txid, TxStatsInfo>::iterator pos = mapMemPoolTxs.find(hash);
     532         [ +  + ]:       47780 :     if (pos != mapMemPoolTxs.end()) {
     533                 :       44695 :         feeStats->removeTx(pos->second.blockHeight, nBestSeenHeight, pos->second.bucketIndex, inBlock);
     534                 :       44695 :         shortStats->removeTx(pos->second.blockHeight, nBestSeenHeight, pos->second.bucketIndex, inBlock);
     535                 :       44695 :         longStats->removeTx(pos->second.blockHeight, nBestSeenHeight, pos->second.bucketIndex, inBlock);
     536                 :       44695 :         mapMemPoolTxs.erase(hash);
     537                 :       44695 :         return true;
     538                 :             :     } else {
     539                 :             :         return false;
     540                 :             :     }
     541                 :             : }
     542                 :             : 
     543                 :        1043 : CBlockPolicyEstimator::CBlockPolicyEstimator(const fs::path& estimation_filepath, const bool read_stale_estimates)
     544                 :        1043 :     : m_estimation_filepath{estimation_filepath}
     545                 :             : {
     546                 :        1043 :     static_assert(MIN_BUCKET_FEERATE > 0, "Min feerate must be nonzero");
     547                 :        1043 :     size_t bucketIndex = 0;
     548                 :             : 
     549         [ +  + ]:      198170 :     for (double bucketBoundary = MIN_BUCKET_FEERATE; bucketBoundary <= MAX_BUCKET_FEERATE; bucketBoundary *= FEE_SPACING, bucketIndex++) {
     550         [ +  - ]:      197127 :         buckets.push_back(bucketBoundary);
     551         [ +  - ]:      197127 :         bucketMap[bucketBoundary] = bucketIndex;
     552                 :             :     }
     553         [ +  - ]:        1043 :     buckets.push_back(INF_FEERATE);
     554         [ +  - ]:        1043 :     bucketMap[INF_FEERATE] = bucketIndex;
     555   [ -  +  -  + ]:        1043 :     assert(bucketMap.size() == buckets.size());
     556                 :             : 
     557   [ +  -  +  - ]:        1043 :     feeStats = std::unique_ptr<TxConfirmStats>(new TxConfirmStats(buckets, bucketMap, MED_BLOCK_PERIODS, MED_DECAY, MED_SCALE));
     558   [ +  -  +  - ]:        1043 :     shortStats = std::unique_ptr<TxConfirmStats>(new TxConfirmStats(buckets, bucketMap, SHORT_BLOCK_PERIODS, SHORT_DECAY, SHORT_SCALE));
     559   [ +  -  +  - ]:        1043 :     longStats = std::unique_ptr<TxConfirmStats>(new TxConfirmStats(buckets, bucketMap, LONG_BLOCK_PERIODS, LONG_DECAY, LONG_SCALE));
     560                 :             : 
     561   [ +  -  +  - ]:        2086 :     AutoFile est_file{fsbridge::fopen(m_estimation_filepath, "rb")};
     562                 :             : 
     563         [ +  + ]:        1043 :     if (est_file.IsNull()) {
     564   [ -  +  +  - ]:         962 :         LogInfo("%s is not found. Continue anyway.", fs::PathToString(m_estimation_filepath));
     565                 :         481 :         return;
     566                 :             :     }
     567                 :             : 
     568         [ +  - ]:         562 :     std::chrono::hours file_age = GetFeeEstimatorFileAge();
     569   [ +  +  +  + ]:         562 :     if (file_age > MAX_FILE_AGE && !read_stale_estimates) {
     570   [ -  +  +  - ]:           2 :         LogPrintf("Fee estimation file %s too old (age=%lld > %lld hours) and will not be used to avoid serving stale estimates.\n", fs::PathToString(m_estimation_filepath), Ticks<std::chrono::hours>(file_age), Ticks<std::chrono::hours>(MAX_FILE_AGE));
     571                 :           1 :         return;
     572                 :             :     }
     573                 :             : 
     574   [ +  -  -  + ]:         561 :     if (!Read(est_file)) {
     575   [ #  #  #  # ]:           0 :         LogPrintf("Failed to read fee estimates from %s. Continue anyway.\n", fs::PathToString(m_estimation_filepath));
     576                 :             :     }
     577                 :        1043 : }
     578                 :             : 
     579                 :        2085 : CBlockPolicyEstimator::~CBlockPolicyEstimator() = default;
     580                 :             : 
     581                 :       48568 : void CBlockPolicyEstimator::TransactionAddedToMempool(const NewMempoolTransactionInfo& tx, uint64_t /*unused*/)
     582                 :             : {
     583                 :       48568 :     processTransaction(tx);
     584                 :       48568 : }
     585                 :             : 
     586                 :        1494 : void CBlockPolicyEstimator::TransactionRemovedFromMempool(const CTransactionRef& tx, MemPoolRemovalReason /*unused*/, uint64_t /*unused*/)
     587                 :             : {
     588                 :        1494 :     removeTx(tx->GetHash());
     589                 :        1494 : }
     590                 :             : 
     591                 :      122386 : void CBlockPolicyEstimator::MempoolTransactionsRemovedForBlock(const std::vector<RemovedMempoolTransactionInfo>& txs_removed_for_block, unsigned int nBlockHeight)
     592                 :             : {
     593                 :      122386 :     processBlock(txs_removed_for_block, nBlockHeight);
     594                 :      122386 : }
     595                 :             : 
     596                 :       48568 : void CBlockPolicyEstimator::processTransaction(const NewMempoolTransactionInfo& tx)
     597                 :             : {
     598                 :       48568 :     LOCK(m_cs_fee_estimator);
     599                 :       48568 :     const unsigned int txHeight = tx.info.txHeight;
     600                 :       48568 :     const auto& hash = tx.info.m_tx->GetHash();
     601         [ -  + ]:       48568 :     if (mapMemPoolTxs.count(hash)) {
     602   [ #  #  #  #  :           0 :         LogDebug(BCLog::ESTIMATEFEE, "Blockpolicy error mempool tx %s already being tracked\n",
             #  #  #  # ]
     603                 :             :                  hash.ToString());
     604                 :           0 :         return;
     605                 :             :     }
     606                 :             : 
     607         [ +  + ]:       48568 :     if (txHeight != nBestSeenHeight) {
     608                 :             :         // Ignore side chains and re-orgs; assuming they are random they don't
     609                 :             :         // affect the estimate.  We'll potentially double count transactions in 1-block reorgs.
     610                 :             :         // Ignore txs if BlockPolicyEstimator is not in sync with ActiveChain().Tip().
     611                 :             :         // It will be synced next time a block is processed.
     612                 :             :         return;
     613                 :             :     }
     614                 :             :     // This transaction should only count for fee estimation if:
     615                 :             :     // - it's not being re-added during a reorg which bypasses typical mempool fee limits
     616                 :             :     // - the node is not behind
     617                 :             :     // - the transaction is not dependent on any other transactions in the mempool
     618                 :             :     // - it's not part of a package.
     619   [ +  +  +  +  :       48090 :     const bool validForFeeEstimation = !tx.m_mempool_limit_bypassed && !tx.m_submitted_in_package && tx.m_chainstate_is_current && tx.m_has_no_mempool_parents;
             +  +  +  + ]
     620                 :             : 
     621                 :             :     // Only want to be updating estimates when our blockchain is synced,
     622                 :             :     // otherwise we'll miscalculate how many blocks its taking to get included.
     623                 :       48090 :     if (!validForFeeEstimation) {
     624                 :        3395 :         untrackedTxs++;
     625                 :        3395 :         return;
     626                 :             :     }
     627                 :       44695 :     trackedTxs++;
     628                 :             : 
     629                 :             :     // Feerates are stored and reported as BTC-per-kb:
     630         [ +  - ]:       44695 :     const CFeeRate feeRate(tx.info.m_fee, tx.info.m_virtual_transaction_size);
     631                 :             : 
     632         [ +  - ]:       44695 :     mapMemPoolTxs[hash].blockHeight = txHeight;
     633         [ +  - ]:       44695 :     unsigned int bucketIndex = feeStats->NewTx(txHeight, static_cast<double>(feeRate.GetFeePerK()));
     634         [ +  - ]:       44695 :     mapMemPoolTxs[hash].bucketIndex = bucketIndex;
     635         [ +  - ]:       44695 :     unsigned int bucketIndex2 = shortStats->NewTx(txHeight, static_cast<double>(feeRate.GetFeePerK()));
     636         [ -  + ]:       44695 :     assert(bucketIndex == bucketIndex2);
     637         [ +  - ]:       44695 :     unsigned int bucketIndex3 = longStats->NewTx(txHeight, static_cast<double>(feeRate.GetFeePerK()));
     638         [ -  + ]:       44695 :     assert(bucketIndex == bucketIndex3);
     639                 :       48568 : }
     640                 :             : 
     641                 :       44927 : bool CBlockPolicyEstimator::processBlockTx(unsigned int nBlockHeight, const RemovedMempoolTransactionInfo& tx)
     642                 :             : {
     643                 :       44927 :     AssertLockHeld(m_cs_fee_estimator);
     644         [ +  + ]:       44927 :     if (!_removeTx(tx.info.m_tx->GetHash(), true)) {
     645                 :             :         // This transaction wasn't being tracked for fee estimation
     646                 :             :         return false;
     647                 :             :     }
     648                 :             : 
     649                 :             :     // How many blocks did it take for miners to include this transaction?
     650                 :             :     // blocksToConfirm is 1-based, so a transaction included in the earliest
     651                 :             :     // possible block has confirmation count of 1
     652                 :       42406 :     int blocksToConfirm = nBlockHeight - tx.info.txHeight;
     653         [ -  + ]:       42406 :     if (blocksToConfirm <= 0) {
     654                 :             :         // This can't happen because we don't process transactions from a block with a height
     655                 :             :         // lower than our greatest seen height
     656         [ #  # ]:           0 :         LogDebug(BCLog::ESTIMATEFEE, "Blockpolicy error Transaction had negative blocksToConfirm\n");
     657                 :           0 :         return false;
     658                 :             :     }
     659                 :             : 
     660                 :             :     // Feerates are stored and reported as BTC-per-kb:
     661                 :       42406 :     CFeeRate feeRate(tx.info.m_fee, tx.info.m_virtual_transaction_size);
     662                 :             : 
     663                 :       42406 :     feeStats->Record(blocksToConfirm, static_cast<double>(feeRate.GetFeePerK()));
     664                 :       42406 :     shortStats->Record(blocksToConfirm, static_cast<double>(feeRate.GetFeePerK()));
     665                 :       42406 :     longStats->Record(blocksToConfirm, static_cast<double>(feeRate.GetFeePerK()));
     666                 :       42406 :     return true;
     667                 :             : }
     668                 :             : 
     669                 :      122386 : void CBlockPolicyEstimator::processBlock(const std::vector<RemovedMempoolTransactionInfo>& txs_removed_for_block,
     670                 :             :                                          unsigned int nBlockHeight)
     671                 :             : {
     672                 :      122386 :     LOCK(m_cs_fee_estimator);
     673         [ +  + ]:      122386 :     if (nBlockHeight <= nBestSeenHeight) {
     674                 :             :         // Ignore side chains and re-orgs; assuming they are random
     675                 :             :         // they don't affect the estimate.
     676                 :             :         // And if an attacker can re-org the chain at will, then
     677                 :             :         // you've got much bigger problems than "attacker can influence
     678                 :             :         // transaction fees."
     679         [ +  - ]:       22912 :         return;
     680                 :             :     }
     681                 :             : 
     682                 :             :     // Must update nBestSeenHeight in sync with ClearCurrent so that
     683                 :             :     // calls to removeTx (via processBlockTx) correctly calculate age
     684                 :             :     // of unconfirmed txs to remove from tracking.
     685                 :       99474 :     nBestSeenHeight = nBlockHeight;
     686                 :             : 
     687                 :             :     // Update unconfirmed circular buffer
     688         [ +  - ]:       99474 :     feeStats->ClearCurrent(nBlockHeight);
     689         [ +  - ]:       99474 :     shortStats->ClearCurrent(nBlockHeight);
     690         [ +  - ]:       99474 :     longStats->ClearCurrent(nBlockHeight);
     691                 :             : 
     692                 :             :     // Decay all exponential averages
     693         [ +  - ]:       99474 :     feeStats->UpdateMovingAverages();
     694         [ +  - ]:       99474 :     shortStats->UpdateMovingAverages();
     695         [ +  - ]:       99474 :     longStats->UpdateMovingAverages();
     696                 :             : 
     697                 :       99474 :     unsigned int countedTxs = 0;
     698                 :             :     // Update averages with data points from current block
     699         [ +  + ]:      144401 :     for (const auto& tx : txs_removed_for_block) {
     700   [ +  -  +  + ]:       44927 :         if (processBlockTx(nBlockHeight, tx))
     701                 :       42406 :             countedTxs++;
     702                 :             :     }
     703                 :             : 
     704   [ +  +  +  + ]:       99474 :     if (firstRecordedHeight == 0 && countedTxs > 0) {
     705                 :         239 :         firstRecordedHeight = nBestSeenHeight;
     706   [ +  -  +  -  :         239 :         LogDebug(BCLog::ESTIMATEFEE, "Blockpolicy first recorded height %u\n", firstRecordedHeight);
                   +  - ]
     707                 :             :     }
     708                 :             : 
     709                 :             : 
     710   [ +  -  +  -  :      197962 :     LogDebug(BCLog::ESTIMATEFEE, "Blockpolicy estimates updated by %u of %u block txs, since last block %u of %u tracked, mempool map size %u, max target %u from %s\n",
          +  -  +  -  +  
          +  +  -  -  +  
                   +  - ]
     711                 :             :              countedTxs, txs_removed_for_block.size(), trackedTxs, trackedTxs + untrackedTxs, mapMemPoolTxs.size(),
     712                 :             :              MaxUsableEstimate(), HistoricalBlockSpan() > BlockSpan() ? "historical" : "current");
     713                 :             : 
     714                 :       99474 :     trackedTxs = 0;
     715         [ +  - ]:       99474 :     untrackedTxs = 0;
     716                 :      122386 : }
     717                 :             : 
     718                 :          94 : CFeeRate CBlockPolicyEstimator::estimateFee(int confTarget) const
     719                 :             : {
     720                 :             :     // It's not possible to get reasonable estimates for confTarget of 1
     721         [ +  + ]:          94 :     if (confTarget <= 1)
     722                 :           6 :         return CFeeRate(0);
     723                 :             : 
     724                 :          88 :     return estimateRawFee(confTarget, DOUBLE_SUCCESS_PCT, FeeEstimateHorizon::MED_HALFLIFE);
     725                 :             : }
     726                 :             : 
     727                 :         407 : CFeeRate CBlockPolicyEstimator::estimateRawFee(int confTarget, double successThreshold, FeeEstimateHorizon horizon, EstimationResult* result) const
     728                 :             : {
     729                 :         407 :     TxConfirmStats* stats = nullptr;
     730                 :         407 :     double sufficientTxs = SUFFICIENT_FEETXS;
     731   [ +  +  +  - ]:         407 :     switch (horizon) {
     732                 :          63 :     case FeeEstimateHorizon::SHORT_HALFLIFE: {
     733                 :          63 :         stats = shortStats.get();
     734                 :          63 :         sufficientTxs = SUFFICIENT_TXS_SHORT;
     735                 :          63 :         break;
     736                 :             :     }
     737                 :         216 :     case FeeEstimateHorizon::MED_HALFLIFE: {
     738                 :         216 :         stats = feeStats.get();
     739                 :         216 :         break;
     740                 :             :     }
     741                 :         128 :     case FeeEstimateHorizon::LONG_HALFLIFE: {
     742                 :         128 :         stats = longStats.get();
     743                 :         128 :         break;
     744                 :             :     }
     745                 :             :     } // no default case, so the compiler can warn about missing cases
     746         [ -  + ]:         407 :     assert(stats);
     747                 :             : 
     748                 :         407 :     LOCK(m_cs_fee_estimator);
     749                 :             :     // Return failure if trying to analyze a target we're not tracking
     750   [ +  -  +  - ]:         814 :     if (confTarget <= 0 || (unsigned int)confTarget > stats->GetMaxConfirms())
     751                 :           0 :         return CFeeRate(0);
     752         [ -  + ]:         407 :     if (successThreshold > 1)
     753                 :           0 :         return CFeeRate(0);
     754                 :             : 
     755         [ +  - ]:         407 :     double median = stats->EstimateMedianVal(confTarget, sufficientTxs, successThreshold, nBestSeenHeight, result);
     756                 :             : 
     757         [ +  + ]:         407 :     if (median < 0)
     758                 :          25 :         return CFeeRate(0);
     759                 :             : 
     760                 :         382 :     return CFeeRate(llround(median));
     761                 :         407 : }
     762                 :             : 
     763                 :        4270 : unsigned int CBlockPolicyEstimator::HighestTargetTracked(FeeEstimateHorizon horizon) const
     764                 :             : {
     765                 :        4270 :     LOCK(m_cs_fee_estimator);
     766   [ +  +  +  - ]:        4270 :     switch (horizon) {
     767                 :         128 :     case FeeEstimateHorizon::SHORT_HALFLIFE: {
     768         [ -  + ]:         128 :         return shortStats->GetMaxConfirms();
     769                 :             :     }
     770                 :         128 :     case FeeEstimateHorizon::MED_HALFLIFE: {
     771         [ -  + ]:         128 :         return feeStats->GetMaxConfirms();
     772                 :             :     }
     773                 :        4014 :     case FeeEstimateHorizon::LONG_HALFLIFE: {
     774         [ -  + ]:        4014 :         return longStats->GetMaxConfirms();
     775                 :             :     }
     776                 :             :     } // no default case, so the compiler can warn about missing cases
     777                 :           0 :     assert(false);
     778                 :        4270 : }
     779                 :             : 
     780                 :      206448 : unsigned int CBlockPolicyEstimator::BlockSpan() const
     781                 :             : {
     782         [ +  + ]:      206448 :     if (firstRecordedHeight == 0) return 0;
     783         [ -  + ]:       26305 :     assert(nBestSeenHeight >= firstRecordedHeight);
     784                 :             : 
     785                 :       26305 :     return nBestSeenHeight - firstRecordedHeight;
     786                 :             : }
     787                 :             : 
     788                 :      206448 : unsigned int CBlockPolicyEstimator::HistoricalBlockSpan() const
     789                 :             : {
     790         [ +  + ]:      206448 :     if (historicalFirst == 0) return 0;
     791         [ -  + ]:        3100 :     assert(historicalBest >= historicalFirst);
     792                 :             : 
     793         [ +  - ]:        3100 :     if (nBestSeenHeight - historicalBest > OLDEST_ESTIMATE_HISTORY) return 0;
     794                 :             : 
     795                 :        3100 :     return historicalBest - historicalFirst;
     796                 :             : }
     797                 :             : 
     798                 :      105928 : unsigned int CBlockPolicyEstimator::MaxUsableEstimate() const
     799                 :             : {
     800                 :             :     // Block spans are divided by 2 to make sure there are enough potential failing data points for the estimate
     801   [ +  +  -  +  :      210375 :     return std::min(longStats->GetMaxConfirms(), std::max(BlockSpan(), HistoricalBlockSpan()) / 2);
                   -  + ]
     802                 :             : }
     803                 :             : 
     804                 :             : /** Return a fee estimate at the required successThreshold from the shortest
     805                 :             :  * time horizon which tracks confirmations up to the desired target.  If
     806                 :             :  * checkShorterHorizon is requested, also allow short time horizon estimates
     807                 :             :  * for a lower target to reduce the given answer */
     808                 :       14070 : double CBlockPolicyEstimator::estimateCombinedFee(unsigned int confTarget, double successThreshold, bool checkShorterHorizon, EstimationResult *result) const
     809                 :             : {
     810                 :       14070 :     double estimate = -1;
     811   [ +  -  -  +  :       14070 :     if (confTarget >= 1 && confTarget <= longStats->GetMaxConfirms()) {
                   +  - ]
     812                 :             :         // Find estimate from shortest time horizon possible
     813   [ -  +  +  + ]:       14070 :         if (confTarget <= shortStats->GetMaxConfirms()) { // short horizon
     814                 :       11048 :             estimate = shortStats->EstimateMedianVal(confTarget, SUFFICIENT_TXS_SHORT, successThreshold, nBestSeenHeight, result);
     815                 :             :         }
     816   [ -  +  +  + ]:        3022 :         else if (confTarget <= feeStats->GetMaxConfirms()) { // medium horizon
     817                 :        1467 :             estimate = feeStats->EstimateMedianVal(confTarget, SUFFICIENT_FEETXS, successThreshold, nBestSeenHeight, result);
     818                 :             :         }
     819                 :             :         else { // long horizon
     820                 :        1555 :             estimate = longStats->EstimateMedianVal(confTarget, SUFFICIENT_FEETXS, successThreshold, nBestSeenHeight, result);
     821                 :             :         }
     822         [ +  + ]:       14070 :         if (checkShorterHorizon) {
     823                 :       14013 :             EstimationResult tempResult;
     824                 :             :             // If a lower confTarget from a more recent horizon returns a lower answer use it.
     825   [ -  +  +  + ]:       14013 :             if (confTarget > feeStats->GetMaxConfirms()) {
     826                 :        1555 :                 double medMax = feeStats->EstimateMedianVal(feeStats->GetMaxConfirms(), SUFFICIENT_FEETXS, successThreshold, nBestSeenHeight, &tempResult);
     827   [ +  +  +  +  :        1555 :                 if (medMax > 0 && (estimate == -1 || medMax < estimate)) {
                   +  + ]
     828                 :         769 :                     estimate = medMax;
     829         [ +  - ]:         769 :                     if (result) *result = tempResult;
     830                 :             :                 }
     831                 :             :             }
     832   [ -  +  +  + ]:       14013 :             if (confTarget > shortStats->GetMaxConfirms()) {
     833                 :        3022 :                 double shortMax = shortStats->EstimateMedianVal(shortStats->GetMaxConfirms(), SUFFICIENT_TXS_SHORT, successThreshold, nBestSeenHeight, &tempResult);
     834   [ +  +  +  +  :        3022 :                 if (shortMax > 0 && (estimate == -1 || shortMax < estimate)) {
                   +  + ]
     835                 :         282 :                     estimate = shortMax;
     836         [ +  - ]:         282 :                     if (result) *result = tempResult;
     837                 :             :                 }
     838                 :             :             }
     839                 :             :         }
     840                 :             :     }
     841                 :       14070 :     return estimate;
     842                 :             : }
     843                 :             : 
     844                 :             : /** Ensure that for a conservative estimate, the DOUBLE_SUCCESS_PCT is also met
     845                 :             :  * at 2 * target for any longer time horizons.
     846                 :             :  */
     847                 :        1609 : double CBlockPolicyEstimator::estimateConservativeFee(unsigned int doubleTarget, EstimationResult *result) const
     848                 :             : {
     849                 :        1609 :     double estimate = -1;
     850                 :        1609 :     EstimationResult tempResult;
     851   [ -  +  +  + ]:        1609 :     if (doubleTarget <= shortStats->GetMaxConfirms()) {
     852                 :        1236 :         estimate = feeStats->EstimateMedianVal(doubleTarget, SUFFICIENT_FEETXS, DOUBLE_SUCCESS_PCT, nBestSeenHeight, result);
     853                 :             :     }
     854   [ -  +  +  + ]:        1609 :     if (doubleTarget <= feeStats->GetMaxConfirms()) {
     855                 :        1358 :         double longEstimate = longStats->EstimateMedianVal(doubleTarget, SUFFICIENT_FEETXS, DOUBLE_SUCCESS_PCT, nBestSeenHeight, &tempResult);
     856         [ +  + ]:        1358 :         if (longEstimate > estimate) {
     857                 :           2 :             estimate = longEstimate;
     858         [ +  - ]:           2 :             if (result) *result = tempResult;
     859                 :             :         }
     860                 :             :     }
     861                 :        1609 :     return estimate;
     862                 :             : }
     863                 :             : 
     864                 :             : /** estimateSmartFee returns the max of the feerates calculated with a 60%
     865                 :             :  * threshold required at target / 2, an 85% threshold required at target and a
     866                 :             :  * 95% threshold required at 2 * target.  Each calculation is performed at the
     867                 :             :  * shortest time horizon which tracks the required target.  Conservative
     868                 :             :  * estimates, however, required the 95% threshold at 2 * target be met for any
     869                 :             :  * longer time horizons also.
     870                 :             :  */
     871                 :        6454 : CFeeRate CBlockPolicyEstimator::estimateSmartFee(int confTarget, FeeCalculation *feeCalc, bool conservative) const
     872                 :             : {
     873                 :        6454 :     LOCK(m_cs_fee_estimator);
     874                 :             : 
     875         [ +  + ]:        6454 :     if (feeCalc) {
     876                 :        2811 :         feeCalc->desiredTarget = confTarget;
     877                 :        2811 :         feeCalc->returnedTarget = confTarget;
     878                 :             :     }
     879                 :             : 
     880                 :        6454 :     double median = -1;
     881                 :        6454 :     EstimationResult tempResult;
     882                 :             : 
     883                 :             :     // Return failure if trying to analyze a target we're not tracking
     884   [ +  -  -  +  :        6454 :     if (confTarget <= 0 || (unsigned int)confTarget > longStats->GetMaxConfirms()) {
                   -  + ]
     885                 :           0 :         return CFeeRate(0);  // error condition
     886                 :             :     }
     887                 :             : 
     888                 :             :     // It's not possible to get reasonable estimates for confTarget of 1
     889         [ +  + ]:        6454 :     if (confTarget == 1) confTarget = 2;
     890                 :             : 
     891         [ +  - ]:        6454 :     unsigned int maxUsableEstimate = MaxUsableEstimate();
     892         [ +  + ]:        6454 :     if ((unsigned int)confTarget > maxUsableEstimate) {
     893                 :        5493 :         confTarget = maxUsableEstimate;
     894                 :             :     }
     895         [ +  + ]:        6454 :     if (feeCalc) feeCalc->returnedTarget = confTarget;
     896                 :             : 
     897         [ +  + ]:        6454 :     if (confTarget <= 1) return CFeeRate(0); // error condition
     898                 :             : 
     899                 :        4690 :     assert(confTarget > 0); //estimateCombinedFee and estimateConservativeFee take unsigned ints
     900                 :             :     /** true is passed to estimateCombined fee for target/2 and target so
     901                 :             :      * that we check the max confirms for shorter time horizons as well.
     902                 :             :      * This is necessary to preserve monotonically increasing estimates.
     903                 :             :      * For non-conservative estimates we do the same thing for 2*target, but
     904                 :             :      * for conservative estimates we want to skip these shorter horizons
     905                 :             :      * checks for 2*target because we are taking the max over all time
     906                 :             :      * horizons so we already have monotonically increasing estimates and
     907                 :             :      * the purpose of conservative estimates is not to let short term
     908                 :             :      * fluctuations lower our estimates by too much.
     909                 :             :      *
     910                 :             :      * Note: In certain rare edge cases, monotonically increasing estimates may
     911                 :             :      * not be guaranteed. Specifically, given two targets N and M, where M > N,
     912                 :             :      * if a sub-estimate for target N fails to return a valid fee rate, while
     913                 :             :      * target M has valid fee rate for that sub-estimate, target M may result
     914                 :             :      * in a higher fee rate estimate than target N.
     915                 :             :      *
     916                 :             :      * See: https://github.com/bitcoin/bitcoin/issues/11800#issuecomment-349697807
     917                 :             :      */
     918         [ +  - ]:        4690 :     double halfEst = estimateCombinedFee(confTarget/2, HALF_SUCCESS_PCT, true, &tempResult);
     919         [ +  + ]:        4690 :     if (feeCalc) {
     920                 :        2043 :         feeCalc->est = tempResult;
     921                 :        2043 :         feeCalc->reason = FeeReason::HALF_ESTIMATE;
     922                 :             :     }
     923                 :        4690 :     median = halfEst;
     924         [ +  - ]:        4690 :     double actualEst = estimateCombinedFee(confTarget, SUCCESS_PCT, true, &tempResult);
     925         [ +  + ]:        4690 :     if (actualEst > median) {
     926                 :          58 :         median = actualEst;
     927         [ +  + ]:          58 :         if (feeCalc) {
     928                 :          52 :             feeCalc->est = tempResult;
     929                 :          52 :             feeCalc->reason = FeeReason::FULL_ESTIMATE;
     930                 :             :         }
     931                 :             :     }
     932         [ +  - ]:        4690 :     double doubleEst = estimateCombinedFee(2 * confTarget, DOUBLE_SUCCESS_PCT, !conservative, &tempResult);
     933         [ -  + ]:        4690 :     if (doubleEst > median) {
     934                 :           0 :         median = doubleEst;
     935         [ #  # ]:           0 :         if (feeCalc) {
     936                 :           0 :             feeCalc->est = tempResult;
     937                 :           0 :             feeCalc->reason = FeeReason::DOUBLE_ESTIMATE;
     938                 :             :         }
     939                 :             :     }
     940                 :             : 
     941         [ +  + ]:        4690 :     if (conservative || median == -1) {
     942         [ +  - ]:        1609 :         double consEst =  estimateConservativeFee(2 * confTarget, &tempResult);
     943         [ +  + ]:        1609 :         if (consEst > median) {
     944                 :          44 :             median = consEst;
     945         [ +  - ]:          44 :             if (feeCalc) {
     946                 :          44 :                 feeCalc->est = tempResult;
     947                 :          44 :                 feeCalc->reason = FeeReason::CONSERVATIVE;
     948                 :             :             }
     949                 :             :         }
     950                 :             :     }
     951                 :             : 
     952         [ +  + ]:        4690 :     if (median < 0) return CFeeRate(0); // error condition
     953                 :             : 
     954                 :        3127 :     return CFeeRate(llround(median));
     955                 :        6454 : }
     956                 :             : 
     957                 :        1042 : void CBlockPolicyEstimator::Flush() {
     958                 :        1042 :     FlushUnconfirmed();
     959                 :        1042 :     FlushFeeEstimates();
     960                 :        1042 : }
     961                 :             : 
     962                 :        1046 : void CBlockPolicyEstimator::FlushFeeEstimates()
     963                 :             : {
     964                 :        2092 :     AutoFile est_file{fsbridge::fopen(m_estimation_filepath, "wb")};
     965   [ +  -  +  -  :        1046 :     if (est_file.IsNull() || !Write(est_file)) {
                   -  + ]
     966   [ #  #  #  # ]:           0 :         LogPrintf("Failed to write fee estimates to %s. Continue anyway.\n", fs::PathToString(m_estimation_filepath));
     967         [ #  # ]:           0 :         (void)est_file.fclose();
     968                 :             :         return;
     969                 :             :     }
     970   [ +  -  -  + ]:        2092 :     if (est_file.fclose() != 0) {
     971   [ #  #  #  #  :           0 :         LogError("Failed to close fee estimates file %s: %s. Continuing anyway.", fs::PathToString(m_estimation_filepath), SysErrorString(errno));
                   #  # ]
     972                 :           0 :         return;
     973                 :             :     }
     974   [ +  -  -  +  :        5230 :     LogInfo("Flushed fee estimates to %s.", fs::PathToString(m_estimation_filepath.filename()));
                   +  - ]
     975                 :        1046 : }
     976                 :             : 
     977                 :        1046 : bool CBlockPolicyEstimator::Write(AutoFile& fileout) const
     978                 :             : {
     979                 :        1046 :     try {
     980         [ +  - ]:        1046 :         LOCK(m_cs_fee_estimator);
     981         [ +  - ]:        1046 :         fileout << CURRENT_FEES_FILE_VERSION;
     982         [ +  - ]:        1046 :         fileout << int{0}; // Unused dummy field. Written files may contain any value in [0, 289900]
     983         [ +  - ]:        1046 :         fileout << nBestSeenHeight;
     984   [ +  -  +  -  :        1046 :         if (BlockSpan() > HistoricalBlockSpan()/2) {
                   +  + ]
     985   [ +  -  +  - ]:         156 :             fileout << firstRecordedHeight << nBestSeenHeight;
     986                 :             :         }
     987                 :             :         else {
     988   [ +  -  +  - ]:         890 :             fileout << historicalFirst << historicalBest;
     989                 :             :         }
     990         [ +  - ]:        1046 :         fileout << Using<VectorFormatter<EncodedDoubleFormatter>>(buckets);
     991         [ +  - ]:        1046 :         feeStats->Write(fileout);
     992         [ +  - ]:        1046 :         shortStats->Write(fileout);
     993         [ +  - ]:        1046 :         longStats->Write(fileout);
     994                 :           0 :     }
     995         [ -  - ]:           0 :     catch (const std::exception&) {
     996         [ -  - ]:           0 :         LogWarning("Unable to write policy estimator data (non-fatal)");
     997                 :           0 :         return false;
     998                 :           0 :     }
     999                 :        1046 :     return true;
    1000                 :             : }
    1001                 :             : 
    1002                 :         561 : bool CBlockPolicyEstimator::Read(AutoFile& filein)
    1003                 :             : {
    1004                 :         561 :     try {
    1005         [ +  - ]:         561 :         LOCK(m_cs_fee_estimator);
    1006                 :         561 :         int nVersionRequired, dummy;
    1007   [ +  -  +  - ]:         561 :         filein >> nVersionRequired >> dummy;
    1008         [ -  + ]:         561 :         if (nVersionRequired > CURRENT_FEES_FILE_VERSION) {
    1009   [ #  #  #  # ]:           0 :             throw std::runtime_error{strprintf("File version (%d) too high to be read.", nVersionRequired)};
    1010                 :             :         }
    1011                 :             : 
    1012                 :             :         // Read fee estimates file into temporary variables so existing data
    1013                 :             :         // structures aren't corrupted if there is an exception.
    1014                 :         561 :         unsigned int nFileBestSeenHeight;
    1015         [ +  - ]:         561 :         filein >> nFileBestSeenHeight;
    1016                 :             : 
    1017         [ -  + ]:         561 :         if (nVersionRequired < CURRENT_FEES_FILE_VERSION) {
    1018         [ #  # ]:           0 :             LogWarning("Incompatible old fee estimation data (non-fatal). Version: %d", nVersionRequired);
    1019                 :             :         } else { // nVersionRequired == CURRENT_FEES_FILE_VERSION
    1020                 :         561 :             unsigned int nFileHistoricalFirst, nFileHistoricalBest;
    1021   [ +  -  +  - ]:         561 :             filein >> nFileHistoricalFirst >> nFileHistoricalBest;
    1022   [ +  -  -  + ]:         561 :             if (nFileHistoricalFirst > nFileHistoricalBest || nFileHistoricalBest > nFileBestSeenHeight) {
    1023         [ #  # ]:           0 :                 throw std::runtime_error("Corrupt estimates file. Historical block range for estimates is invalid");
    1024                 :             :             }
    1025                 :         561 :             std::vector<double> fileBuckets;
    1026         [ +  - ]:         561 :             filein >> Using<VectorFormatter<EncodedDoubleFormatter>>(fileBuckets);
    1027         [ -  + ]:         561 :             size_t numBuckets = fileBuckets.size();
    1028         [ -  + ]:         561 :             if (numBuckets <= 1 || numBuckets > 1000) {
    1029         [ #  # ]:           0 :                 throw std::runtime_error("Corrupt estimates file. Must have between 2 and 1000 feerate buckets");
    1030                 :             :             }
    1031                 :             : 
    1032   [ +  -  +  -  :         561 :             std::unique_ptr<TxConfirmStats> fileFeeStats(new TxConfirmStats(buckets, bucketMap, MED_BLOCK_PERIODS, MED_DECAY, MED_SCALE));
                   +  - ]
    1033   [ +  -  +  -  :         561 :             std::unique_ptr<TxConfirmStats> fileShortStats(new TxConfirmStats(buckets, bucketMap, SHORT_BLOCK_PERIODS, SHORT_DECAY, SHORT_SCALE));
                   +  - ]
    1034   [ +  -  +  -  :         561 :             std::unique_ptr<TxConfirmStats> fileLongStats(new TxConfirmStats(buckets, bucketMap, LONG_BLOCK_PERIODS, LONG_DECAY, LONG_SCALE));
                   +  - ]
    1035         [ +  - ]:         561 :             fileFeeStats->Read(filein, numBuckets);
    1036         [ +  - ]:         561 :             fileShortStats->Read(filein, numBuckets);
    1037         [ +  - ]:         561 :             fileLongStats->Read(filein, numBuckets);
    1038                 :             : 
    1039                 :             :             // Fee estimates file parsed correctly
    1040                 :             :             // Copy buckets from file and refresh our bucketmap
    1041         [ +  - ]:         561 :             buckets = fileBuckets;
    1042                 :         561 :             bucketMap.clear();
    1043   [ -  +  +  + ]:      107151 :             for (unsigned int i = 0; i < buckets.size(); i++) {
    1044         [ +  - ]:      106590 :                 bucketMap[buckets[i]] = i;
    1045                 :             :             }
    1046                 :             : 
    1047                 :             :             // Destroy old TxConfirmStats and point to new ones that already reference buckets and bucketMap
    1048                 :         561 :             feeStats = std::move(fileFeeStats);
    1049                 :         561 :             shortStats = std::move(fileShortStats);
    1050                 :         561 :             longStats = std::move(fileLongStats);
    1051                 :             : 
    1052                 :         561 :             nBestSeenHeight = nFileBestSeenHeight;
    1053                 :         561 :             historicalFirst = nFileHistoricalFirst;
    1054                 :         561 :             historicalBest = nFileHistoricalBest;
    1055                 :         561 :         }
    1056                 :           0 :     }
    1057         [ -  - ]:           0 :     catch (const std::exception& e) {
    1058         [ -  - ]:           0 :         LogWarning("Unable to read policy estimator data (non-fatal): %s", e.what());
    1059                 :           0 :         return false;
    1060                 :           0 :     }
    1061                 :         561 :     return true;
    1062                 :             : }
    1063                 :             : 
    1064                 :        1042 : void CBlockPolicyEstimator::FlushUnconfirmed()
    1065                 :             : {
    1066                 :        1042 :     const auto startclear{SteadyClock::now()};
    1067                 :        1042 :     LOCK(m_cs_fee_estimator);
    1068                 :        1042 :     size_t num_entries = mapMemPoolTxs.size();
    1069                 :             :     // Remove every entry in mapMemPoolTxs
    1070         [ +  + ]:        2401 :     while (!mapMemPoolTxs.empty()) {
    1071         [ +  - ]:        1359 :         auto mi = mapMemPoolTxs.begin();
    1072         [ +  - ]:        1359 :         _removeTx(mi->first, false); // this calls erase() on mapMemPoolTxs
    1073                 :             :     }
    1074                 :        1042 :     const auto endclear{SteadyClock::now()};
    1075   [ +  -  +  +  :        1042 :     LogDebug(BCLog::ESTIMATEFEE, "Recorded %u unconfirmed txs from mempool in %.3fs\n", num_entries, Ticks<SecondsDouble>(endclear - startclear));
             +  -  +  - ]
    1076                 :        1042 : }
    1077                 :             : 
    1078                 :         562 : std::chrono::hours CBlockPolicyEstimator::GetFeeEstimatorFileAge()
    1079                 :             : {
    1080                 :         562 :     auto file_time{fs::last_write_time(m_estimation_filepath)};
    1081                 :         562 :     auto now{fs::file_time_type::clock::now()};
    1082                 :         562 :     return std::chrono::duration_cast<std::chrono::hours>(now - file_time);
    1083                 :             : }
    1084                 :             : 
    1085                 :        1190 : static std::set<double> MakeFeeSet(const CFeeRate& min_incremental_fee,
    1086                 :             :                                    double max_filter_fee_rate,
    1087                 :             :                                    double fee_filter_spacing)
    1088                 :             : {
    1089         [ -  + ]:        1190 :     std::set<double> fee_set;
    1090                 :             : 
    1091         [ -  + ]:        1190 :     const CAmount min_fee_limit{std::max(CAmount(1), min_incremental_fee.GetFeePerK() / 2)};
    1092         [ +  - ]:        1190 :     fee_set.insert(0);
    1093                 :        1190 :     for (double bucket_boundary = min_fee_limit;
    1094         [ +  + ]:      154675 :          bucket_boundary <= max_filter_fee_rate;
    1095                 :      153485 :          bucket_boundary *= fee_filter_spacing) {
    1096                 :             : 
    1097         [ +  - ]:      153485 :         fee_set.insert(bucket_boundary);
    1098                 :             :     }
    1099                 :             : 
    1100                 :        1190 :     return fee_set;
    1101                 :           0 : }
    1102                 :             : 
    1103                 :        1190 : FeeFilterRounder::FeeFilterRounder(const CFeeRate& minIncrementalFee, FastRandomContext& rng)
    1104                 :        1190 :     : m_fee_set{MakeFeeSet(minIncrementalFee, MAX_FILTER_FEERATE, FEE_FILTER_SPACING)},
    1105                 :        1190 :       insecure_rand{rng}
    1106                 :             : {
    1107                 :        1190 : }
    1108                 :             : 
    1109                 :        3324 : CAmount FeeFilterRounder::round(CAmount currentMinFee)
    1110                 :             : {
    1111                 :        3324 :     AssertLockNotHeld(m_insecure_rand_mutex);
    1112                 :        3324 :     std::set<double>::iterator it = m_fee_set.lower_bound(currentMinFee);
    1113   [ +  +  +  + ]:        3324 :     if (it == m_fee_set.end() ||
    1114         [ +  + ]:        2528 :         (it != m_fee_set.begin() &&
    1115   [ +  +  +  - ]:         208 :          WITH_LOCK(m_insecure_rand_mutex, return insecure_rand.rand32()) % 3 != 0)) {
    1116                 :         864 :         --it;
    1117                 :             :     }
    1118                 :        3324 :     return static_cast<CAmount>(*it);
    1119                 :             : }
        

Generated by: LCOV version 2.0-1