Bitcoin ABC 0.31.0
P2P Digital Currency
All Classes Namespaces Files Functions Variables Typedefs Enumerations Enumerator Properties Friends Macros Modules Pages
txmempool.cpp
Go to the documentation of this file.
1// Copyright (c) 2009-2010 Satoshi Nakamoto
2// Copyright (c) 2009-2016 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 <txmempool.h>
7
8#include <clientversion.h>
9#include <coins.h>
10#include <common/system.h>
11#include <config.h>
12#include <consensus/consensus.h>
13#include <consensus/tx_verify.h>
15#include <logging.h>
16#include <policy/fees.h>
17#include <policy/policy.h>
18#include <reverse_iterator.h>
19#include <undo.h>
20#include <util/moneystr.h>
21#include <util/time.h>
22#include <validationinterface.h>
23#include <version.h>
24
25#include <algorithm>
26#include <cmath>
27#include <limits>
28#include <vector>
29
31 setEntries &setAncestors,
32 CTxMemPoolEntry::Parents &staged_ancestors) const {
33 while (!staged_ancestors.empty()) {
34 const auto stage = staged_ancestors.begin()->get();
35
36 txiter stageit = mapTx.find(stage->GetTx().GetId());
37 assert(stageit != mapTx.end());
38 setAncestors.insert(stageit);
39 staged_ancestors.erase(staged_ancestors.begin());
40
41 const CTxMemPoolEntry::Parents &parents =
42 (*stageit)->GetMemPoolParentsConst();
43 for (const auto &parent : parents) {
44 txiter parent_it = mapTx.find(parent.get()->GetTx().GetId());
45 assert(parent_it != mapTx.end());
46
47 // If this is a new ancestor, add it.
48 if (setAncestors.count(parent_it) == 0) {
49 staged_ancestors.insert(parent);
50 }
51 }
52 }
53
54 return true;
55}
56
58 const CTxMemPoolEntryRef &entry, setEntries &setAncestors,
59 bool fSearchForParents /* = true */) const {
60 CTxMemPoolEntry::Parents staged_ancestors;
61 const CTransaction &tx = entry->GetTx();
62
63 if (fSearchForParents) {
64 // Get parents of this transaction that are in the mempool
65 // GetMemPoolParents() is only valid for entries in the mempool, so we
66 // iterate mapTx to find parents.
67 for (const CTxIn &in : tx.vin) {
68 std::optional<txiter> piter = GetIter(in.prevout.GetTxId());
69 if (!piter) {
70 continue;
71 }
72 staged_ancestors.insert(**piter);
73 }
74 } else {
75 // If we're not searching for parents, we require this to be an entry in
76 // the mempool already.
77 staged_ancestors = entry->GetMemPoolParentsConst();
78 }
79
80 return CalculateAncestors(setAncestors, staged_ancestors);
81}
82
84 // add or remove this tx as a child of each parent
85 for (const auto &parent : (*it)->GetMemPoolParentsConst()) {
86 auto parent_it = mapTx.find(parent.get()->GetTx().GetId());
87 assert(parent_it != mapTx.end());
88 UpdateChild(parent_it, it, add);
89 }
90}
91
93 const CTxMemPoolEntry::Children &children =
94 (*it)->GetMemPoolChildrenConst();
95 for (const auto &child : children) {
96 auto updateIt = mapTx.find(child.get()->GetTx().GetId());
97 assert(updateIt != mapTx.end());
98 UpdateParent(updateIt, it, false);
99 }
100}
101
103 for (txiter removeIt : entriesToRemove) {
104 // Note that UpdateParentsOf severs the child links that point to
105 // removeIt in the entries for the parents of removeIt.
106 UpdateParentsOf(false, removeIt);
107 }
108
109 // After updating all the parent links, we can now sever the link between
110 // each transaction being removed and any mempool children (ie, update
111 // CTxMemPoolEntry::m_parents for each direct child of a transaction being
112 // removed).
113 for (txiter removeIt : entriesToRemove) {
114 UpdateChildrenForRemoval(removeIt);
115 }
116}
117
118CTxMemPool::CTxMemPool(const Config &config, const Options &opts)
119 : m_check_ratio(opts.check_ratio),
120 m_finalizedTxsFitter(node::BlockFitter(config)),
121 m_orphanage(std::make_unique<TxOrphanage>()),
122 m_conflicting(std::make_unique<TxConflicting>()),
123 m_max_size_bytes{opts.max_size_bytes}, m_expiry{opts.expiry},
124 m_min_relay_feerate{opts.min_relay_feerate},
125 m_dust_relay_feerate{opts.dust_relay_feerate},
126 m_permit_bare_multisig{opts.permit_bare_multisig},
127 m_max_datacarrier_bytes{opts.max_datacarrier_bytes},
128 m_require_standard{opts.require_standard} {
129 // lock free clear
130 _clear();
131}
132
134
135bool CTxMemPool::isSpent(const COutPoint &outpoint) const {
136 LOCK(cs);
137 return mapNextTx.count(outpoint);
138}
139
142}
143
146}
147
149 // get a guaranteed unique id (in case tests re-use the same object)
150 entry->SetEntryId(nextEntryId++);
151
152 // Update transaction for any feeDelta created by PrioritiseTransaction
153 {
154 Amount feeDelta = Amount::zero();
155 ApplyDelta(entry->GetTx().GetId(), feeDelta);
156 entry->UpdateFeeDelta(feeDelta);
157 }
158
159 // Add to memory pool without checking anything.
160 // Used by AcceptToMemoryPool(), which DOES do all the appropriate checks.
161 auto [newit, inserted] = mapTx.insert(entry);
162 // Sanity check: It is a programming error if insertion fails (uniqueness
163 // invariants in mapTx are violated, etc)
164 assert(inserted);
165 // Sanity check: We should always end up inserting at the end of the
166 // entry_id index
167 assert(&*mapTx.get<entry_id>().rbegin() == &*newit);
168
169 // Update cachedInnerUsage to include contained transaction's usage.
170 // (When we update the entry for in-mempool parents, memory usage will be
171 // further updated.)
172 cachedInnerUsage += entry->DynamicMemoryUsage();
173
174 const CTransactionRef tx = entry->GetSharedTx();
175 std::set<TxId> setParentTransactions;
176 for (const CTxIn &in : tx->vin) {
177 mapNextTx.insert(std::make_pair(&in.prevout, tx));
178 setParentTransactions.insert(in.prevout.GetTxId());
179 }
180 // Don't bother worrying about child transactions of this one. It is
181 // guaranteed that a new transaction arriving will not have any children,
182 // because such children would be orphans.
183
184 // Update ancestors with information about this tx
185 for (const auto &pit : GetIterSet(setParentTransactions)) {
186 UpdateParent(newit, pit, true);
187 }
188
189 UpdateParentsOf(true, newit);
190
192 totalTxSize += entry->GetTxSize();
193 m_total_fee += entry->GetFee();
194}
195
197 // We increment mempool sequence value no matter removal reason
198 // even if not directly reported below.
199 uint64_t mempool_sequence = GetAndIncrementSequence();
200
201 const TxId &txid = (*it)->GetTx().GetId();
202
203 if (reason != MemPoolRemovalReason::BLOCK) {
204 // Notify clients that a transaction has been removed from the mempool
205 // for any reason except being included in a block. Clients interested
206 // in transactions included in blocks can subscribe to the
207 // BlockConnected notification.
209 (*it)->GetSharedTx(), reason, mempool_sequence);
210
211 if (auto removed_tx = finalizedTxs.remove(txid)) {
212 m_finalizedTxsFitter.removeTxUnchecked(removed_tx->GetTxSize(),
213 removed_tx->GetSigChecks(),
214 removed_tx->GetFee());
215 }
216 }
217
218 for (const CTxIn &txin : (*it)->GetTx().vin) {
219 mapNextTx.erase(txin.prevout);
220 }
221
222 /* add logging because unchecked */
223 RemoveUnbroadcastTx(txid, true);
224
225 totalTxSize -= (*it)->GetTxSize();
226 m_total_fee -= (*it)->GetFee();
227 cachedInnerUsage -= (*it)->DynamicMemoryUsage();
228 cachedInnerUsage -=
229 memusage::DynamicUsage((*it)->GetMemPoolParentsConst()) +
230 memusage::DynamicUsage((*it)->GetMemPoolChildrenConst());
231 mapTx.erase(it);
233}
234
235// Calculates descendants of entry that are not already in setDescendants, and
236// adds to setDescendants. Assumes entryit is already a tx in the mempool and
237// CTxMemPoolEntry::m_children is correct for tx and all descendants. Also
238// assumes that if an entry is in setDescendants already, then all in-mempool
239// descendants of it are already in setDescendants as well, so that we can save
240// time by not iterating over those entries.
242 setEntries &setDescendants) const {
243 setEntries stage;
244 if (setDescendants.count(entryit) == 0) {
245 stage.insert(entryit);
246 }
247 // Traverse down the children of entry, only adding children that are not
248 // accounted for in setDescendants already (because those children have
249 // either already been walked, or will be walked in this iteration).
250 while (!stage.empty()) {
251 txiter it = *stage.begin();
252 setDescendants.insert(it);
253 stage.erase(stage.begin());
254
255 const CTxMemPoolEntry::Children &children =
256 (*it)->GetMemPoolChildrenConst();
257 for (const auto &child : children) {
258 txiter childiter = mapTx.find(child.get()->GetTx().GetId());
259 assert(childiter != mapTx.end());
260
261 if (!setDescendants.count(childiter)) {
262 stage.insert(childiter);
263 }
264 }
265 }
266}
267
268void CTxMemPool::removeRecursive(const CTransaction &origTx,
269 MemPoolRemovalReason reason) {
270 // Remove transaction from memory pool.
272 setEntries txToRemove;
273 txiter origit = mapTx.find(origTx.GetId());
274 if (origit != mapTx.end()) {
275 txToRemove.insert(origit);
276 } else {
277 // When recursively removing but origTx isn't in the mempool be sure to
278 // remove any children that are in the pool. This can happen during
279 // chain re-orgs if origTx isn't re-accepted into the mempool for any
280 // reason.
281 auto it = mapNextTx.lower_bound(COutPoint(origTx.GetId(), 0));
282 while (it != mapNextTx.end() &&
283 it->first->GetTxId() == origTx.GetId()) {
284 txiter nextit = mapTx.find(it->second->GetId());
285 assert(nextit != mapTx.end());
286 txToRemove.insert(nextit);
287 ++it;
288 }
289 }
290
291 setEntries setAllRemoves;
292 for (txiter it : txToRemove) {
293 CalculateDescendants(it, setAllRemoves);
294 }
295
296 RemoveStaged(setAllRemoves, reason);
297}
298
299void CTxMemPool::removeConflicts(const CTransaction &tx) {
300 // Remove transactions which depend on inputs of tx, recursively
302 for (const CTxIn &txin : tx.vin) {
303 auto it = mapNextTx.find(txin.prevout);
304 if (it != mapNextTx.end()) {
305 const CTransaction &txConflict = *it->second;
306 if (txConflict != tx) {
307 ClearPrioritisation(txConflict.GetId());
309 }
310 }
311 }
312}
313
319
320 lastRollingFeeUpdate = GetTime();
321 blockSinceLastRollingFeeBump = true;
322}
323
325 const std::vector<CTransactionRef> &vtx) {
327
328 for (const auto &tx : vtx) {
329 // If the tx has a parent, it will be in the block as well or the block
330 // is invalid. If the tx has a child, it can remain in the tree for the
331 // next block. So we can simply remove the txs from the block with no
332 // further check.
333 if (auto removed_tx = finalizedTxs.remove(tx->GetId())) {
334 m_finalizedTxsFitter.removeTxUnchecked(removed_tx->GetTxSize(),
335 removed_tx->GetSigChecks(),
336 removed_tx->GetFee());
337 }
338 }
339}
340
342 mapTx.clear();
343 mapNextTx.clear();
344 totalTxSize = 0;
345 m_total_fee = Amount::zero();
346 cachedInnerUsage = 0;
347 lastRollingFeeUpdate = GetTime();
348 blockSinceLastRollingFeeBump = false;
349 rollingMinimumFeeRate = 0;
351}
352
354 LOCK(cs);
355 _clear();
356}
357
358void CTxMemPool::check(const CCoinsViewCache &active_coins_tip,
359 int64_t spendheight) const {
360 if (m_check_ratio == 0) {
361 return;
362 }
363
364 if (GetRand(m_check_ratio) >= 1) {
365 return;
366 }
367
369 LOCK(cs);
371 "Checking mempool with %u transactions and %u inputs\n",
372 (unsigned int)mapTx.size(), (unsigned int)mapNextTx.size());
373
374 uint64_t checkTotal = 0;
375 Amount check_total_fee{Amount::zero()};
376 uint64_t innerUsage = 0;
377
378 CCoinsViewCache mempoolDuplicate(
379 const_cast<CCoinsViewCache *>(&active_coins_tip));
380
381 for (const CTxMemPoolEntryRef &entry : mapTx.get<entry_id>()) {
382 checkTotal += entry->GetTxSize();
383 check_total_fee += entry->GetFee();
384 innerUsage += entry->DynamicMemoryUsage();
385 const CTransaction &tx = entry->GetTx();
386 innerUsage += memusage::DynamicUsage(entry->GetMemPoolParentsConst()) +
387 memusage::DynamicUsage(entry->GetMemPoolChildrenConst());
388
389 CTxMemPoolEntry::Parents setParentCheck;
390 for (const CTxIn &txin : tx.vin) {
391 // Check that every mempool transaction's inputs refer to available
392 // coins, or other mempool tx's.
393 txiter parentIt = mapTx.find(txin.prevout.GetTxId());
394 if (parentIt != mapTx.end()) {
395 const CTransaction &parentTx = (*parentIt)->GetTx();
396 assert(parentTx.vout.size() > txin.prevout.GetN() &&
397 !parentTx.vout[txin.prevout.GetN()].IsNull());
398 setParentCheck.insert(*parentIt);
399 // also check that parents have a topological ordering before
400 // their children
401 assert((*parentIt)->GetEntryId() < entry->GetEntryId());
402 }
403 // We are iterating through the mempool entries sorted
404 // topologically.
405 // All parents must have been checked before their children and
406 // their coins added to the mempoolDuplicate coins cache.
407 assert(mempoolDuplicate.HaveCoin(txin.prevout));
408 // Check whether its inputs are marked in mapNextTx.
409 auto prevoutNextIt = mapNextTx.find(txin.prevout);
410 assert(prevoutNextIt != mapNextTx.end());
411 assert(prevoutNextIt->first == &txin.prevout);
412 assert(prevoutNextIt->second.get() == &tx);
413 }
414 auto comp = [](const auto &a, const auto &b) -> bool {
415 return a.get()->GetTx().GetId() == b.get()->GetTx().GetId();
416 };
417 assert(setParentCheck.size() == entry->GetMemPoolParentsConst().size());
418 assert(std::equal(setParentCheck.begin(), setParentCheck.end(),
419 entry->GetMemPoolParentsConst().begin(), comp));
420
421 // Verify ancestor state is correct.
422 setEntries setAncestors;
423 std::string dummy;
424
425 const bool ok = CalculateMemPoolAncestors(entry, setAncestors);
426 assert(ok);
427
428 // all ancestors should have entryId < this tx's entryId
429 for (const auto &ancestor : setAncestors) {
430 assert((*ancestor)->GetEntryId() < entry->GetEntryId());
431 }
432
433 // Check children against mapNextTx
434 CTxMemPoolEntry::Children setChildrenCheck;
435 auto iter = mapNextTx.lower_bound(COutPoint(entry->GetTx().GetId(), 0));
436 for (; iter != mapNextTx.end() &&
437 iter->first->GetTxId() == entry->GetTx().GetId();
438 ++iter) {
439 txiter childIt = mapTx.find(iter->second->GetId());
440 // mapNextTx points to in-mempool transactions
441 assert(childIt != mapTx.end());
442 setChildrenCheck.insert(*childIt);
443 }
444 assert(setChildrenCheck.size() ==
445 entry->GetMemPoolChildrenConst().size());
446 assert(std::equal(setChildrenCheck.begin(), setChildrenCheck.end(),
447 entry->GetMemPoolChildrenConst().begin(), comp));
448
449 // Not used. CheckTxInputs() should always pass
450 TxValidationState dummy_state;
451 Amount txfee{Amount::zero()};
452 assert(!tx.IsCoinBase());
453 assert(Consensus::CheckTxInputs(tx, dummy_state, mempoolDuplicate,
454 spendheight, txfee));
455 for (const auto &input : tx.vin) {
456 mempoolDuplicate.SpendCoin(input.prevout);
457 }
458 AddCoins(mempoolDuplicate, tx, std::numeric_limits<int>::max());
459 }
460
461 for (auto &[_, nextTx] : mapNextTx) {
462 txiter it = mapTx.find(nextTx->GetId());
463 assert(it != mapTx.end());
464 assert((*it)->GetSharedTx() == nextTx);
465 }
466
467 assert(totalTxSize == checkTotal);
468 assert(m_total_fee == check_total_fee);
469 assert(innerUsage == cachedInnerUsage);
470}
471
473 const TxId &txidb) const {
474 LOCK(cs);
475 auto it1 = mapTx.find(txida);
476 if (it1 == mapTx.end()) {
477 return false;
478 }
479 auto it2 = mapTx.find(txidb);
480 if (it2 == mapTx.end()) {
481 return true;
482 }
483 return (*it1)->GetEntryId() < (*it2)->GetEntryId();
484}
485
486void CTxMemPool::getAllTxIds(std::vector<TxId> &vtxid) const {
487 LOCK(cs);
488
489 vtxid.clear();
490 vtxid.reserve(mapTx.size());
491
492 for (const auto &entry : mapTx.get<entry_id>()) {
493 vtxid.push_back(entry->GetTx().GetId());
494 }
495}
496
497static TxMempoolInfo
498GetInfo(CTxMemPool::indexed_transaction_set::const_iterator it) {
499 return TxMempoolInfo{(*it)->GetSharedTx(), (*it)->GetTime(),
500 (*it)->GetFee(), (*it)->GetTxSize(),
501 (*it)->GetModifiedFee() - (*it)->GetFee()};
502}
503
504std::vector<TxMempoolInfo> CTxMemPool::infoAll() const {
505 LOCK(cs);
506
507 std::vector<TxMempoolInfo> ret;
508 ret.reserve(mapTx.size());
509
510 const auto &index = mapTx.get<entry_id>();
511 for (auto it = index.begin(); it != index.end(); ++it) {
512 ret.push_back(GetInfo(mapTx.project<0>(it)));
513 }
514
515 return ret;
516}
517
519 std::vector<TxId> &finalizedTxIds) {
521
522 auto it = mapTx.find(tx->GetTx().GetId());
523 if (it == mapTx.end()) {
524 // Trying to finalize a tx that is not in the mempool !
525 return false;
526 }
527
528 setEntries setAncestors;
529 setAncestors.insert(it);
530 if (!CalculateMemPoolAncestors(tx, setAncestors,
531 /*fSearchForParents=*/false)) {
532 // Failed to get a list of parents for this tx. If we finalize it we
533 // might be missing a parent and generate an invalid block.
534 return false;
535 }
536
537 finalizedTxIds.clear();
538
539 for (txiter ancestor_it : setAncestors) {
540 // It is possible (and normal) that an ancestor is already finalized.
541 // Beware to not account for it in this case.
542 if (finalizedTxs.insert(*ancestor_it)) {
543 m_finalizedTxsFitter.addTx((*ancestor_it)->GetTxSize(),
544 (*ancestor_it)->GetSigChecks(),
545 (*ancestor_it)->GetFee());
546
547 finalizedTxIds.push_back((*ancestor_it)->GetTx().GetId());
548 }
549 }
550
551 return true;
552}
553
557
558 const TxId &txid = tx->GetId();
559
560 if (exists(txid)) {
561 return true;
562 }
563
565 return m_conflicting && m_conflicting->HaveTx(txid))) {
566 return true;
567 }
568
569 // Not in the mempool nor conflicting, don't poll
570 return false;
571}
572
574 LOCK(cs);
575 indexed_transaction_set::const_iterator i = mapTx.find(txid);
576 if (i == mapTx.end()) {
577 return nullptr;
578 }
579
580 return (*i)->GetSharedTx();
581}
582
584 LOCK(cs);
585 indexed_transaction_set::const_iterator i = mapTx.find(txid);
586 if (i == mapTx.end()) {
587 return TxMempoolInfo();
588 }
589
590 return GetInfo(i);
591}
592
594 LOCK(cs);
595
596 // minerPolicy uses recent blocks to figure out a reasonable fee. This
597 // may disagree with the rollingMinimumFeerate under certain scenarios
598 // where the mempool increases rapidly, or blocks are being mined which
599 // do not contain propagated transactions.
600 return std::max(m_min_relay_feerate, GetMinFee());
601}
602
604 const Amount nFeeDelta) {
605 {
606 LOCK(cs);
607 Amount &delta = mapDeltas[txid];
608 delta += nFeeDelta;
609 txiter it = mapTx.find(txid);
610 if (it != mapTx.end()) {
611 mapTx.modify(it, [&delta](CTxMemPoolEntryRef &e) {
612 e->UpdateFeeDelta(delta);
613 });
615 }
616 }
617 LogPrintf("PrioritiseTransaction: %s fee += %s\n", txid.ToString(),
618 FormatMoney(nFeeDelta));
619}
620
621void CTxMemPool::ApplyDelta(const TxId &txid, Amount &nFeeDelta) const {
623 std::map<TxId, Amount>::const_iterator pos = mapDeltas.find(txid);
624 if (pos == mapDeltas.end()) {
625 return;
626 }
627
628 nFeeDelta += pos->second;
629}
630
633 mapDeltas.erase(txid);
634}
635
636CTransactionRef CTxMemPool::GetConflictTx(const COutPoint &prevout) const {
637 const auto it = mapNextTx.find(prevout);
638 return it == mapNextTx.end() ? nullptr : it->second;
639}
640
641std::optional<CTxMemPool::txiter> CTxMemPool::GetIter(const TxId &txid) const {
642 auto it = mapTx.find(txid);
643 if (it != mapTx.end()) {
644 return it;
645 }
646 return std::nullopt;
647}
648
650CTxMemPool::GetIterSet(const std::set<TxId> &txids) const {
652 for (const auto &txid : txids) {
653 const auto mi = GetIter(txid);
654 if (mi) {
655 ret.insert(*mi);
656 }
657 }
658 return ret;
659}
660
661bool CTxMemPool::HasNoInputsOf(const CTransaction &tx) const {
662 for (const CTxIn &in : tx.vin) {
663 if (exists(in.prevout.GetTxId())) {
664 return false;
665 }
666 }
667
668 return true;
669}
670
672 const CTxMemPool &mempoolIn)
673 : CCoinsViewBacked(baseIn), mempool(mempoolIn) {}
674
675bool CCoinsViewMemPool::GetCoin(const COutPoint &outpoint, Coin &coin) const {
676 // Check to see if the inputs are made available by another tx in the
677 // package. These Coins would not be available in the underlying CoinsView.
678 if (auto it = m_temp_added.find(outpoint); it != m_temp_added.end()) {
679 coin = it->second;
680 return true;
681 }
682
683 // If an entry in the mempool exists, always return that one, as it's
684 // guaranteed to never conflict with the underlying cache, and it cannot
685 // have pruned entries (as it contains full) transactions. First checking
686 // the underlying cache risks returning a pruned entry instead.
687 CTransactionRef ptx = mempool.get(outpoint.GetTxId());
688 if (ptx) {
689 if (outpoint.GetN() < ptx->vout.size()) {
690 coin = Coin(ptx->vout[outpoint.GetN()], MEMPOOL_HEIGHT, false);
691 m_non_base_coins.emplace(outpoint);
692 return true;
693 }
694 return false;
695 }
696 return base->GetCoin(outpoint, coin);
697}
698
700 for (uint32_t n = 0; n < tx->vout.size(); ++n) {
701 m_temp_added.emplace(COutPoint(tx->GetId(), n),
702 Coin(tx->vout[n], MEMPOOL_HEIGHT, false));
703 m_non_base_coins.emplace(COutPoint(tx->GetId(), n));
704 }
705}
707 m_temp_added.clear();
708 m_non_base_coins.clear();
709}
710
712 LOCK(cs);
713 // Estimate the overhead of mapTx to be 12 pointers + an allocation, as no
714 // exact formula for boost::multi_index_contained is implemented.
716 12 * sizeof(void *)) *
717 mapTx.size() +
718 memusage::DynamicUsage(mapNextTx) +
719 memusage::DynamicUsage(mapDeltas) + cachedInnerUsage;
720}
721
722void CTxMemPool::RemoveUnbroadcastTx(const TxId &txid, const bool unchecked) {
723 LOCK(cs);
724
725 if (m_unbroadcast_txids.erase(txid)) {
726 LogPrint(
727 BCLog::MEMPOOL, "Removed %i from set of unbroadcast txns%s\n",
728 txid.GetHex(),
729 (unchecked ? " before confirmation that txn was sent out" : ""));
730 }
731}
732
734 MemPoolRemovalReason reason) {
737
738 // Remove txs in reverse-topological order
739 const setRevTopoEntries stageRevTopo(stage.begin(), stage.end());
740 for (txiter it : stageRevTopo) {
741 removeUnchecked(it, reason);
742 }
743}
744
745int CTxMemPool::Expire(std::chrono::seconds time) {
747 indexed_transaction_set::index<entry_time>::type::iterator it =
748 mapTx.get<entry_time>().begin();
749 setEntries toremove;
750 while (it != mapTx.get<entry_time>().end() && (*it)->GetTime() < time) {
751 toremove.insert(mapTx.project<0>(it));
752 it++;
753 }
754
755 setEntries stage;
756 for (txiter removeit : toremove) {
757 CalculateDescendants(removeit, stage);
758 }
759
761 return stage.size();
762}
763
767 int expired = Expire(GetTime<std::chrono::seconds>() - m_expiry);
768 if (expired != 0) {
770 "Expired %i transactions from the memory pool\n", expired);
771 }
772
773 std::vector<COutPoint> vNoSpendsRemaining;
774 TrimToSize(m_max_size_bytes, &vNoSpendsRemaining);
775 for (const COutPoint &removed : vNoSpendsRemaining) {
776 coins_cache.Uncache(removed);
777 }
778}
779
780void CTxMemPool::UpdateChild(txiter entry, txiter child, bool add) {
783 if (add && (*entry)->GetMemPoolChildren().insert(*child).second) {
784 cachedInnerUsage += memusage::IncrementalDynamicUsage(s);
785 } else if (!add && (*entry)->GetMemPoolChildren().erase(*child)) {
786 cachedInnerUsage -= memusage::IncrementalDynamicUsage(s);
787 }
788}
789
790void CTxMemPool::UpdateParent(txiter entry, txiter parent, bool add) {
793 if (add && (*entry)->GetMemPoolParents().insert(*parent).second) {
794 cachedInnerUsage += memusage::IncrementalDynamicUsage(s);
795 } else if (!add && (*entry)->GetMemPoolParents().erase(*parent)) {
796 cachedInnerUsage -= memusage::IncrementalDynamicUsage(s);
797 }
798}
799
800CFeeRate CTxMemPool::GetMinFee(size_t sizelimit) const {
801 LOCK(cs);
802 if (!blockSinceLastRollingFeeBump || rollingMinimumFeeRate == 0) {
803 return CFeeRate(int64_t(ceill(rollingMinimumFeeRate)) * SATOSHI);
804 }
805
806 int64_t time = GetTime();
807 if (time > lastRollingFeeUpdate + 10) {
808 double halflife = ROLLING_FEE_HALFLIFE;
809 if (DynamicMemoryUsage() < sizelimit / 4) {
810 halflife /= 4;
811 } else if (DynamicMemoryUsage() < sizelimit / 2) {
812 halflife /= 2;
813 }
814
815 rollingMinimumFeeRate =
816 rollingMinimumFeeRate /
817 pow(2.0, (time - lastRollingFeeUpdate) / halflife);
818 lastRollingFeeUpdate = time;
819 }
820 return CFeeRate(int64_t(ceill(rollingMinimumFeeRate)) * SATOSHI);
821}
822
825 if ((rate.GetFeePerK() / SATOSHI) > rollingMinimumFeeRate) {
826 rollingMinimumFeeRate = rate.GetFeePerK() / SATOSHI;
827 blockSinceLastRollingFeeBump = false;
828 }
829}
830
831void CTxMemPool::TrimToSize(size_t sizelimit,
832 std::vector<COutPoint> *pvNoSpendsRemaining) {
834
835 unsigned nTxnRemoved = 0;
836 CFeeRate maxFeeRateRemoved(Amount::zero());
837 while (!mapTx.empty() && DynamicMemoryUsage() > sizelimit) {
838 auto it = mapTx.get<modified_feerate>().end();
839 --it;
840
841 // We set the new mempool min fee to the feerate of the removed
842 // transaction, plus the "minimum reasonable fee rate" (ie some value
843 // under which we consider txn to have 0 fee). This way, we don't allow
844 // txn to enter mempool with feerate equal to txn which were removed
845 // with no block in between.
846 CFeeRate removed = (*it)->GetModifiedFeeRate();
848
849 trackPackageRemoved(removed);
850 maxFeeRateRemoved = std::max(maxFeeRateRemoved, removed);
851
852 setEntries stage;
853 CalculateDescendants(mapTx.project<0>(it), stage);
854 nTxnRemoved += stage.size();
855
856 if (pvNoSpendsRemaining) {
857 for (const txiter &iter : stage) {
858 for (const CTxIn &txin : (*iter)->GetTx().vin) {
859 if (!exists(txin.prevout.GetTxId())) {
860 pvNoSpendsRemaining->push_back(txin.prevout);
861 }
862 }
863 }
864 }
865
867 }
868
869 if (maxFeeRateRemoved > CFeeRate(Amount::zero())) {
871 "Removed %u txn, rolling minimum fee bumped to %s\n",
872 nTxnRemoved, maxFeeRateRemoved.ToString());
873 }
874}
875
877 LOCK(cs);
878 return m_load_tried;
879}
880
881void CTxMemPool::SetLoadTried(bool load_tried) {
882 LOCK(cs);
883 m_load_tried = load_tried;
884}
885
886const std::string
888 switch (r) {
890 return "expiry";
892 return "sizelimit";
894 return "reorg";
896 return "block";
898 return "conflict";
900 return "avalanche";
901 }
902 assert(false);
903}
static constexpr Amount SATOSHI
Definition: amount.h:143
CCoinsView backed by another CCoinsView.
Definition: coins.h:201
CCoinsView * base
Definition: coins.h:203
CCoinsView that adds a memory cache for transactions to another CCoinsView.
Definition: coins.h:221
void Uncache(const COutPoint &outpoint)
Removes the UTXO with the given outpoint from the cache, if it is not modified.
Definition: coins.cpp:330
Abstract view on the open txout dataset.
Definition: coins.h:163
virtual bool GetCoin(const COutPoint &outpoint, Coin &coin) const
Retrieve the Coin (unspent transaction output) for a given outpoint.
Definition: coins.cpp:13
bool GetCoin(const COutPoint &outpoint, Coin &coin) const override
GetCoin, returning whether it exists and is not spent.
Definition: txmempool.cpp:675
void Reset()
Clear m_temp_added and m_non_base_coins.
Definition: txmempool.cpp:706
std::unordered_map< COutPoint, Coin, SaltedOutpointHasher > m_temp_added
Coins made available by transactions being validated.
Definition: txmempool.h:641
CCoinsViewMemPool(CCoinsView *baseIn, const CTxMemPool &mempoolIn)
Definition: txmempool.cpp:671
std::unordered_set< COutPoint, SaltedOutpointHasher > m_non_base_coins
Set of all coins that have been fetched from mempool or created using PackageAddTransaction (not base...
Definition: txmempool.h:649
void PackageAddTransaction(const CTransactionRef &tx)
Add the coins created by this transaction.
Definition: txmempool.cpp:699
const CTxMemPool & mempool
Definition: txmempool.h:652
Fee rate in satoshis per kilobyte: Amount / kB.
Definition: feerate.h:21
std::string ToString() const
Definition: feerate.cpp:57
Amount GetFeePerK() const
Return the fee in satoshis for a size of 1000 bytes.
Definition: feerate.h:54
void TransactionRemovedFromMempool(const CTransactionRef &, MemPoolRemovalReason, uint64_t mempool_sequence)
CTxMemPoolEntry stores data about the corresponding transaction, as well as data about all in-mempool...
Definition: mempool_entry.h:65
std::set< std::reference_wrapper< const CTxMemPoolEntryRef >, CompareIteratorById > Children
Definition: mempool_entry.h:73
std::set< std::reference_wrapper< const CTxMemPoolEntryRef >, CompareIteratorById > Parents
Definition: mempool_entry.h:70
CTxMemPool stores valid-according-to-the-current-best-chain transactions that may be included in the ...
Definition: txmempool.h:214
void removeConflicts(const CTransaction &tx) EXCLUSIVE_LOCKS_REQUIRED(cs)
Definition: txmempool.cpp:299
CFeeRate estimateFee() const
Definition: txmempool.cpp:593
bool HasNoInputsOf(const CTransaction &tx) const EXCLUSIVE_LOCKS_REQUIRED(cs)
Check that none of this transactions inputs are in the mempool, and thus the tx is not dependent on o...
Definition: txmempool.cpp:661
void ClearPrioritisation(const TxId &txid) EXCLUSIVE_LOCKS_REQUIRED(cs)
Definition: txmempool.cpp:631
std::set< txiter, CompareIteratorById > setEntries
Definition: txmempool.h:314
void RemoveUnbroadcastTx(const TxId &txid, const bool unchecked=false)
Removes a transaction from the unbroadcast set.
Definition: txmempool.cpp:722
bool GetLoadTried() const
Definition: txmempool.cpp:876
bool CalculateAncestors(setEntries &setAncestors, CTxMemPoolEntry::Parents &staged_ancestors) const EXCLUSIVE_LOCKS_REQUIRED(cs)
Helper function to calculate all in-mempool ancestors of staged_ancestors param@[in] staged_ancestors...
Definition: txmempool.cpp:30
void updateFeeForBlock() EXCLUSIVE_LOCKS_REQUIRED(cs)
Called when a block is connected.
Definition: txmempool.cpp:317
CFeeRate GetMinFee() const
The minimum fee to get into the mempool, which may itself not be enough for larger-sized transactions...
Definition: txmempool.h:454
RecursiveMutex cs
This mutex needs to be locked when accessing mapTx or other members that are guarded by it.
Definition: txmempool.h:310
void trackPackageRemoved(const CFeeRate &rate) EXCLUSIVE_LOCKS_REQUIRED(cs)
Definition: txmempool.cpp:823
void removeRecursive(const CTransaction &tx, MemPoolRemovalReason reason) EXCLUSIVE_LOCKS_REQUIRED(cs)
Definition: txmempool.cpp:268
void UpdateForRemoveFromMempool(const setEntries &entriesToRemove) EXCLUSIVE_LOCKS_REQUIRED(cs)
For each transaction being removed, update ancestors and any direct children.
Definition: txmempool.cpp:102
const int m_check_ratio
Value n means that 1 times in n we check.
Definition: txmempool.h:217
void TrimToSize(size_t sizelimit, std::vector< COutPoint > *pvNoSpendsRemaining=nullptr) EXCLUSIVE_LOCKS_REQUIRED(cs)
Remove transactions from the mempool until its dynamic size is <= sizelimit.
Definition: txmempool.cpp:831
const std::chrono::seconds m_expiry
Definition: txmempool.h:348
void AddTransactionsUpdated(unsigned int n)
Definition: txmempool.cpp:144
void UpdateChildrenForRemoval(txiter entry) EXCLUSIVE_LOCKS_REQUIRED(cs)
Sever link between specified transaction and direct children.
Definition: txmempool.cpp:92
bool CompareTopologically(const TxId &txida, const TxId &txidb) const
Definition: txmempool.cpp:472
TxMempoolInfo info(const TxId &txid) const
Definition: txmempool.cpp:583
const int64_t m_max_size_bytes
Definition: txmempool.h:347
void getAllTxIds(std::vector< TxId > &vtxid) const
Definition: txmempool.cpp:486
std::atomic< uint32_t > nTransactionsUpdated
Used by getblocktemplate to trigger CreateNewBlock() invocation.
Definition: txmempool.h:219
setEntries GetIterSet(const std::set< TxId > &txids) const EXCLUSIVE_LOCKS_REQUIRED(cs)
Translate a set of txids into a set of pool iterators to avoid repeated lookups.
Definition: txmempool.cpp:650
size_t DynamicMemoryUsage() const
Definition: txmempool.cpp:711
std::vector< TxMempoolInfo > infoAll() const
Definition: txmempool.cpp:504
void LimitSize(CCoinsViewCache &coins_cache) EXCLUSIVE_LOCKS_REQUIRED(cs
Reduce the size of the mempool by expiring and then trimming the mempool.
Definition: txmempool.cpp:764
void UpdateParent(txiter entry, txiter parent, bool add) EXCLUSIVE_LOCKS_REQUIRED(cs)
Definition: txmempool.cpp:790
bool setAvalancheFinalized(const CTxMemPoolEntryRef &tx, std::vector< TxId > &finalizedTxIds) EXCLUSIVE_LOCKS_REQUIRED(cs)
Definition: txmempool.cpp:518
CTransactionRef GetConflictTx(const COutPoint &prevout) const EXCLUSIVE_LOCKS_REQUIRED(cs)
Get the transaction in the pool that spends the same prevout.
Definition: txmempool.cpp:636
void removeUnchecked(txiter entry, MemPoolRemovalReason reason) EXCLUSIVE_LOCKS_REQUIRED(cs)
Before calling removeUnchecked for a given transaction, UpdateForRemoveFromMempool must be called on ...
Definition: txmempool.cpp:196
int Expire(std::chrono::seconds time) EXCLUSIVE_LOCKS_REQUIRED(cs)
Expire all transaction (and their dependencies) in the mempool older than time.
Definition: txmempool.cpp:745
void clear()
Definition: txmempool.cpp:353
bool isWorthPolling(const CTransactionRef &tx) const EXCLUSIVE_LOCKS_REQUIRED(cs
Definition: txmempool.cpp:554
std::set< txiter, CompareIteratorByRevEntryId > setRevTopoEntries
Definition: txmempool.h:315
bool exists(const TxId &txid) const
Definition: txmempool.h:521
static const int ROLLING_FEE_HALFLIFE
Definition: txmempool.h:259
CTransactionRef get(const TxId &txid) const
Definition: txmempool.cpp:573
const CFeeRate m_min_relay_feerate
Definition: txmempool.h:349
void PrioritiseTransaction(const TxId &txid, const Amount nFeeDelta)
Affect CreateNewBlock prioritisation of transactions.
Definition: txmempool.cpp:603
indexed_transaction_set::nth_index< 0 >::type::const_iterator txiter
Definition: txmempool.h:313
uint64_t GetAndIncrementSequence() const EXCLUSIVE_LOCKS_REQUIRED(cs)
Guards this internal counter for external reporting.
Definition: txmempool.h:569
void UpdateChild(txiter entry, txiter child, bool add) EXCLUSIVE_LOCKS_REQUIRED(cs)
Definition: txmempool.cpp:780
void check(const CCoinsViewCache &active_coins_tip, int64_t spendheight) const EXCLUSIVE_LOCKS_REQUIRED(void addUnchecked(CTxMemPoolEntryRef entry) EXCLUSIVE_LOCKS_REQUIRED(cs
If sanity-checking is turned on, check makes sure the pool is consistent (does not contain two transa...
Definition: txmempool.h:375
RadixTree< CTxMemPoolEntry, MemPoolEntryRadixTreeAdapter > finalizedTxs
Definition: txmempool.h:317
void check(const CCoinsViewCache &active_coins_tip, int64_t spendheight) const EXCLUSIVE_LOCKS_REQUIRED(void cs_main
Definition: txmempool.h:376
bool CalculateMemPoolAncestors(const CTxMemPoolEntryRef &entry, setEntries &setAncestors, bool fSearchForParents=true) const EXCLUSIVE_LOCKS_REQUIRED(cs)
Try to calculate all in-mempool ancestors of entry.
Definition: txmempool.cpp:57
void removeForFinalizedBlock(const std::vector< CTransactionRef > &vtx) EXCLUSIVE_LOCKS_REQUIRED(cs)
Definition: txmempool.cpp:324
Mutex cs_conflicting
Definition: txmempool.h:253
void CalculateDescendants(txiter it, setEntries &setDescendants) const EXCLUSIVE_LOCKS_REQUIRED(cs)
Populate setDescendants with all in-mempool descendants of hash.
Definition: txmempool.cpp:241
void RemoveStaged(const setEntries &stage, MemPoolRemovalReason reason) EXCLUSIVE_LOCKS_REQUIRED(cs)
Remove a set of transactions from the mempool.
Definition: txmempool.cpp:733
CTxMemPool(const Config &config, const Options &opts)
Create a new CTxMemPool.
Definition: txmempool.cpp:118
void UpdateParentsOf(bool add, txiter it) EXCLUSIVE_LOCKS_REQUIRED(cs)
Update parents of it to add/remove it as a child transaction.
Definition: txmempool.cpp:83
void ApplyDelta(const TxId &txid, Amount &nFeeDelta) const EXCLUSIVE_LOCKS_REQUIRED(cs)
Definition: txmempool.cpp:621
void SetLoadTried(bool load_tried)
Set whether or not we've made an attempt to load the mempool (regardless of whether the attempt was s...
Definition: txmempool.cpp:881
std::optional< txiter > GetIter(const TxId &txid) const EXCLUSIVE_LOCKS_REQUIRED(cs)
Returns an iterator to the given txid, if found.
Definition: txmempool.cpp:641
bool isSpent(const COutPoint &outpoint) const
Definition: txmempool.cpp:135
unsigned int GetTransactionsUpdated() const
Definition: txmempool.cpp:140
void _clear() EXCLUSIVE_LOCKS_REQUIRED(cs)
Definition: txmempool.cpp:341
A UTXO entry.
Definition: coins.h:28
Definition: config.h:19
Definition: rcu.h:85
T * get()
Get allows to access the undelying pointer.
Definition: rcu.h:170
std::string ToString() const
Definition: uint256.h:80
std::string GetHex() const
Definition: uint256.cpp:16
void AddCoins(CCoinsViewCache &cache, const CTransaction &tx, int nHeight, bool check_for_overwrite)
Utility function to add all of a transaction's outputs to a cache.
Definition: coins.cpp:156
#define LogPrint(category,...)
Definition: logging.h:238
#define LogPrintf(...)
Definition: logging.h:227
std::string FormatMoney(const Amount amt)
Do not use these functions to represent or parse monetary amounts to or from JSON but use AmountFromV...
Definition: moneystr.cpp:13
@ MEMPOOL
Definition: logging.h:42
bool CheckTxInputs(const CTransaction &tx, TxValidationState &state, const CCoinsViewCache &inputs, int nSpendHeight, Amount &txfee)
Check whether all inputs of this transaction are valid (no double spends and amounts).
Definition: tx_verify.cpp:168
static size_t DynamicUsage(const int8_t &v)
Dynamic memory usage for built-in types is zero.
Definition: memusage.h:27
static size_t IncrementalDynamicUsage(const std::set< X, Y > &s)
Definition: memusage.h:123
static size_t MallocUsage(size_t alloc)
Compute the total memory used by allocating alloc bytes.
Definition: memusage.h:73
Definition: init.h:31
Implement std::hash so RCUPtr can be used as a key for maps or sets.
Definition: rcu.h:259
static constexpr CFeeRate MEMPOOL_FULL_FEE_INCREMENT(1000 *SATOSHI)
Default for -incrementalrelayfee, which sets the minimum feerate increase for mempool limiting or BIP...
std::shared_ptr< const CTransaction > CTransactionRef
Definition: transaction.h:315
T GetRand(T nMax=std::numeric_limits< T >::max()) noexcept
Generate a uniform random integer of type T in the range [0..nMax) nMax defaults to std::numeric_limi...
Definition: random.h:85
Definition: amount.h:19
static constexpr Amount zero() noexcept
Definition: amount.h:32
RCUPtr< T > remove(const KeyType &key)
Remove an element from the tree.
Definition: radix.h:181
bool insert(const RCUPtr< T > &value)
Insert a value into the tree.
Definition: radix.h:112
A TxId is the identifier of a transaction.
Definition: txid.h:14
Information about a mempool transaction.
Definition: txmempool.h:132
Options struct containing options for constructing a CTxMemPool.
#define AssertLockNotHeld(cs)
Definition: sync.h:163
#define LOCK(cs)
Definition: sync.h:306
#define WITH_LOCK(cs, code)
Run code while locking a mutex.
Definition: sync.h:357
int64_t GetTime()
DEPRECATED Use either ClockType::now() or Now<TimePointType>() if a cast is needed.
Definition: time.cpp:109
bilingual_str _(const char *psz)
Translation function.
Definition: translation.h:68
static TxMempoolInfo GetInfo(CTxMemPool::indexed_transaction_set::const_iterator it)
Definition: txmempool.cpp:498
const std::string RemovalReasonToString(const MemPoolRemovalReason &r) noexcept
Definition: txmempool.cpp:887
MemPoolRemovalReason
Reason why a transaction was removed from the mempool, this is passed to the notification signal.
Definition: txmempool.h:153
@ SIZELIMIT
Removed in size limiting.
@ BLOCK
Removed for block.
@ EXPIRY
Expired from mempool.
@ AVALANCHE
Removed by avalanche vote.
@ CONFLICT
Removed for conflict with in-block transaction.
@ REORG
Removed for reorganization.
static const uint32_t MEMPOOL_HEIGHT
Fake height value used in Coins to signify they are only in the memory pool(since 0....
Definition: txmempool.h:50
AssertLockHeld(pool.cs)
assert(!tx.IsCoinBase())
CMainSignals & GetMainSignals()