Bitcoin Core 31.99.0
P2P Digital Currency
txdb.cpp
Go to the documentation of this file.
1// Copyright (c) 2009-2010 Satoshi Nakamoto
2// Copyright (c) 2009-present 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 <txdb.h>
7
8#include <coins.h>
9#include <dbwrapper.h>
10#include <logging/timer.h>
12#include <random.h>
13#include <serialize.h>
14#include <uint256.h>
15#include <util/log.h>
16#include <util/vector.h>
17
18#include <cassert>
19#include <cstdlib>
20#include <iterator>
21#include <utility>
22
23static constexpr uint8_t DB_COIN{'C'};
24static constexpr uint8_t DB_BEST_BLOCK{'B'};
25static constexpr uint8_t DB_HEAD_BLOCKS{'H'};
26// Keys used in previous version that might still be found in the DB:
27static constexpr uint8_t DB_COINS{'c'};
28
29// Threshold for warning when writing this many dirty cache entries to disk.
30static constexpr size_t WARN_FLUSH_COINS_COUNT{10'000'000};
31
33{
34 std::unique_ptr<CDBIterator> cursor{m_db->NewIterator()};
35 // DB_COINS was deprecated in v0.15.0, commit
36 // 1088b02f0ccd7358d2b7076bb9e122d59d502d02
37 cursor->Seek(std::make_pair(DB_COINS, uint256{}));
38 return cursor->Valid();
39}
40
41namespace {
42
43struct CoinEntry {
44 COutPoint* outpoint;
45 uint8_t key{DB_COIN};
46 explicit CoinEntry(const COutPoint* ptr) : outpoint(const_cast<COutPoint*>(ptr)) {}
47
48 SERIALIZE_METHODS(CoinEntry, obj) { READWRITE(obj.key, obj.outpoint->hash, VARINT(obj.outpoint->n)); }
49};
50
51} // namespace
52
54 m_db_params{std::move(db_params)},
55 m_options{std::move(options)},
56 m_db{std::make_unique<CDBWrapper>(m_db_params)} { }
57
58void CCoinsViewDB::ResizeCache(size_t new_cache_size)
59{
60 // We can't do this operation with an in-memory DB since we'll lose all the coins upon
61 // reset.
63 // Have to do a reset first to get the original `m_db` state to release its
64 // filesystem lock.
65 m_db.reset();
66 m_db_params.cache_bytes = new_cache_size;
67 m_db_params.wipe_data = false;
68 m_db = std::make_unique<CDBWrapper>(m_db_params);
69 }
70}
71
72std::optional<Coin> CCoinsViewDB::GetCoin(const COutPoint& outpoint) const
73{
74 if (Coin coin; m_db->Read(CoinEntry(&outpoint), coin)) {
75 Assert(!coin.IsSpent()); // The UTXO database should never contain spent coins
76 return coin;
77 }
78 return std::nullopt;
79}
80
81std::optional<Coin> CCoinsViewDB::PeekCoin(const COutPoint& outpoint) const
82{
83 return GetCoin(outpoint);
84}
85
86bool CCoinsViewDB::HaveCoin(const COutPoint& outpoint) const
87{
88 return m_db->Exists(CoinEntry(&outpoint));
89}
90
92 uint256 hashBestChain;
93 if (!m_db->Read(DB_BEST_BLOCK, hashBestChain))
94 return uint256();
95 return hashBestChain;
96}
97
98std::vector<uint256> CCoinsViewDB::GetHeadBlocks() const {
99 std::vector<uint256> vhashHeadBlocks;
100 if (!m_db->Read(DB_HEAD_BLOCKS, vhashHeadBlocks)) {
101 return std::vector<uint256>();
102 }
103 return vhashHeadBlocks;
104}
105
107{
108 CDBBatch batch(*m_db);
109 size_t count = 0;
110 const size_t dirty_count{cursor.GetDirtyCount()};
111 assert(!block_hash.IsNull());
112
113 uint256 old_tip = GetBestBlock();
114 if (old_tip.IsNull()) {
115 // We may be in the middle of replaying.
116 std::vector<uint256> old_heads = GetHeadBlocks();
117 if (old_heads.size() == 2) {
118 if (old_heads[0] != block_hash) {
119 LogError("The coins database detected an inconsistent state, likely due to a previous crash or shutdown. You will need to restart bitcoind with the -reindex-chainstate or -reindex configuration option.\n");
120 }
121 assert(old_heads[0] == block_hash);
122 old_tip = old_heads[1];
123 }
124 }
125
126 if (dirty_count > WARN_FLUSH_COINS_COUNT) LogWarning("Flushing large (%d entries) UTXO set to disk, it may take several minutes", dirty_count);
127 LOG_TIME_MILLIS_WITH_CATEGORY(strprintf("write coins cache to disk (%d out of %d cached coins)",
128 dirty_count, cursor.GetTotalCount()), BCLog::BENCH);
129
130 // In the first batch, mark the database as being in the middle of a
131 // transition from old_tip to block_hash.
132 // A vector is used for future extensibility, as we may want to support
133 // interrupting after partial writes from multiple independent reorgs.
134 batch.Erase(DB_BEST_BLOCK);
135 batch.Write(DB_HEAD_BLOCKS, Vector(block_hash, old_tip));
136
137 for (auto it{cursor.Begin()}; it != cursor.End();) {
138 if (it->second.IsDirty()) {
139 CoinEntry entry(&it->first);
140 if (it->second.coin.IsSpent()) {
141 batch.Erase(entry);
142 } else {
143 batch.Write(entry, it->second.coin);
144 }
145 }
146 count++;
147 it = cursor.NextAndMaybeErase(*it);
149 LogDebug(BCLog::COINDB, "Writing partial batch of %.2f MiB\n", batch.ApproximateSize() * (1.0 / 1048576.0));
150
151 m_db->WriteBatch(batch);
152 batch.Clear();
154 static FastRandomContext rng;
156 LogError("Simulating a crash. Goodbye.");
157 _Exit(0);
158 }
159 }
160 }
161 }
162
163 // In the last batch, mark the database as consistent with block_hash again.
164 batch.Erase(DB_HEAD_BLOCKS);
165 batch.Write(DB_BEST_BLOCK, block_hash);
166
167 LogDebug(BCLog::COINDB, "Writing final batch of %.2f MiB\n", batch.ApproximateSize() * (1.0 / 1048576.0));
168 m_db->WriteBatch(batch);
169 LogDebug(BCLog::COINDB, "Committed %u changed transaction outputs (out of %u) to coin database...", (unsigned int)dirty_count, (unsigned int)count);
170}
171
173{
174 return m_db->EstimateSize(DB_COIN, uint8_t(DB_COIN + 1));
175}
176
179{
180public:
181 // Prefer using CCoinsViewDB::Cursor() since we want to perform some
182 // cache warmup on instantiation.
183 CCoinsViewDBCursor(CDBIterator* pcursorIn, const uint256& in_block_hash):
184 CCoinsViewCursor(in_block_hash), pcursor(pcursorIn) {}
186
187 bool GetKey(COutPoint &key) const override;
188 bool GetValue(Coin &coin) const override;
189
190 bool Valid() const override;
191 void Next() override;
192
193private:
194 std::unique_ptr<CDBIterator> pcursor;
195 std::pair<char, COutPoint> keyTmp;
196
197 friend class CCoinsViewDB;
198};
199
200std::unique_ptr<CCoinsViewCursor> CCoinsViewDB::Cursor() const
201{
202 auto i = std::make_unique<CCoinsViewDBCursor>(
203 const_cast<CDBWrapper&>(*m_db).NewIterator(), GetBestBlock());
204 /* It seems that there are no "const iterators" for LevelDB. Since we
205 only need read operations on it, use a const-cast to get around
206 that restriction. */
207 i->pcursor->Seek(DB_COIN);
208 // Cache key of first record
209 if (i->pcursor->Valid()) {
210 CoinEntry entry(&i->keyTmp.second);
211 i->pcursor->GetKey(entry);
212 i->keyTmp.first = entry.key;
213 } else {
214 i->keyTmp.first = 0; // Make sure Valid() and GetKey() return false
215 }
216 return i;
217}
218
220{
221 // Return cached key
222 if (keyTmp.first == DB_COIN) {
223 key = keyTmp.second;
224 return true;
225 }
226 return false;
227}
228
230{
231 return pcursor->GetValue(coin);
232}
233
235{
236 return keyTmp.first == DB_COIN;
237}
238
240{
241 pcursor->Next();
242 CoinEntry entry(&keyTmp.second);
243 if (!pcursor->Valid() || !pcursor->GetKey(entry)) {
244 keyTmp.first = 0; // Invalidate cached key after last record so that Valid() and GetKey() return false
245 } else {
246 keyTmp.first = entry.key;
247 }
248}
#define Assert(val)
Identity function.
Definition: check.h:116
Cursor for iterating over CoinsView state.
Definition: coins.h:230
Specialization of CCoinsViewCursor to iterate over a CCoinsViewDB.
Definition: txdb.cpp:179
std::unique_ptr< CDBIterator > pcursor
Definition: txdb.cpp:194
bool GetKey(COutPoint &key) const override
Definition: txdb.cpp:219
~CCoinsViewDBCursor()=default
bool GetValue(Coin &coin) const override
Definition: txdb.cpp:229
CCoinsViewDBCursor(CDBIterator *pcursorIn, const uint256 &in_block_hash)
Definition: txdb.cpp:183
bool Valid() const override
Definition: txdb.cpp:234
void Next() override
Definition: txdb.cpp:239
std::pair< char, COutPoint > keyTmp
Definition: txdb.cpp:195
CCoinsView backed by the coin database (chainstate/)
Definition: txdb.h:35
bool HaveCoin(const COutPoint &outpoint) const override
Just check whether a given outpoint is unspent.
Definition: txdb.cpp:86
std::unique_ptr< CDBWrapper > m_db
Definition: txdb.h:39
CCoinsViewDB(DBParams db_params, CoinsViewOptions options)
Definition: txdb.cpp:53
std::optional< Coin > PeekCoin(const COutPoint &outpoint) const override
Retrieve the Coin (unspent transaction output) for a given outpoint, without caching results.
Definition: txdb.cpp:81
uint256 GetBestBlock() const override
Retrieve the block hash whose state this CCoinsView currently represents.
Definition: txdb.cpp:91
std::optional< Coin > GetCoin(const COutPoint &outpoint) const override
Retrieve the Coin (unspent transaction output) for a given outpoint.
Definition: txdb.cpp:72
std::unique_ptr< CCoinsViewCursor > Cursor() const override
Get a cursor to iterate over the whole state. Implementations may return nullptr.
Definition: txdb.cpp:200
void ResizeCache(size_t new_cache_size) EXCLUSIVE_LOCKS_REQUIRED(cs_main)
Dynamically alter the underlying leveldb cache size.
Definition: txdb.cpp:58
CoinsViewOptions m_options
Definition: txdb.h:38
std::vector< uint256 > GetHeadBlocks() const override
Retrieve the range of blocks that may have been only partially written.
Definition: txdb.cpp:98
void BatchWrite(CoinsViewCacheCursor &cursor, const uint256 &block_hash) override
Do a bulk modification (multiple Coin changes + BestBlock change).
Definition: txdb.cpp:106
bool NeedsUpgrade()
Whether an unsupported database format is used.
Definition: txdb.cpp:32
size_t EstimateSize() const override
Estimate database size.
Definition: txdb.cpp:172
DBParams m_db_params
Definition: txdb.h:37
Batch of changes queued to be written to a CDBWrapper.
Definition: dbwrapper.h:72
void Erase(const K &key)
Definition: dbwrapper.h:108
void Write(const K &key, const V &value)
Definition: dbwrapper.h:96
void Clear()
Definition: dbwrapper.cpp:170
size_t ApproximateSize() const
Definition: dbwrapper.cpp:189
CDBIterator * NewIterator()
Definition: dbwrapper.cpp:360
An outpoint - a combination of a transaction hash and an index n into its vout.
Definition: transaction.h:29
A UTXO entry.
Definition: coins.h:35
Fast randomness source.
Definition: random.h:386
I randrange(I range) noexcept
Generate a random integer in the range [0..range), with range > 0.
Definition: random.h:254
constexpr bool IsNull() const
Definition: uint256.h:49
256-bit opaque blob.
Definition: uint256.h:196
#define LogWarning(...)
Definition: log.h:98
#define LogError(...)
Definition: log.h:99
#define LogDebug(category,...)
Definition: log.h:117
@ COINDB
Definition: categories.h:34
@ BENCH
Definition: categories.h:20
Definition: common.h:30
#define VARINT(obj)
Definition: serialize.h:493
#define SERIALIZE_METHODS(cls, obj)
Implement the Serialize and Unserialize methods by delegating to a single templated static method tha...
Definition: serialize.h:231
#define READWRITE(...)
Definition: serialize.h:147
constexpr CoinEntry(const CAmount v, const State s)
Cursor for iterating over the linked list of flagged entries in CCoinsViewCache.
Definition: coins.h:261
CoinsCachePair * NextAndMaybeErase(CoinsCachePair &current) noexcept
Return the next entry after current, possibly erasing current.
Definition: coins.h:279
size_t GetTotalCount() const noexcept
Definition: coins.h:298
size_t GetDirtyCount() const noexcept
Definition: coins.h:297
CoinsCachePair * Begin() const noexcept
Definition: coins.h:275
CoinsCachePair * End() const noexcept
Definition: coins.h:276
User-controlled performance and debug options.
Definition: txdb.h:26
int simulate_crash_ratio
If non-zero, randomly exit when the database is flushed with (1/ratio) probability.
Definition: txdb.h:30
size_t batch_write_bytes
Maximum database write batch size in bytes.
Definition: txdb.h:28
Application-specific storage settings.
Definition: dbwrapper.h:33
bool wipe_data
If true, remove all existing data.
Definition: dbwrapper.h:41
size_t cache_bytes
Configures various leveldb cache settings.
Definition: dbwrapper.h:37
bool memory_only
If true, use leveldb's memory environment.
Definition: dbwrapper.h:39
static int count
#define LOG_TIME_MILLIS_WITH_CATEGORY(end_msg, log_category)
Definition: timer.h:103
#define strprintf
Format arguments and return the string or write to given std::ostream (see tinyformat::format doc for...
Definition: tinyformat.h:1172
static constexpr size_t WARN_FLUSH_COINS_COUNT
Definition: txdb.cpp:30
static constexpr uint8_t DB_HEAD_BLOCKS
Definition: txdb.cpp:25
static constexpr uint8_t DB_BEST_BLOCK
Definition: txdb.cpp:24
static constexpr uint8_t DB_COIN
Definition: txdb.cpp:23
static constexpr uint8_t DB_COINS
Definition: txdb.cpp:27
assert(!tx.IsCoinBase())
std::vector< std::common_type_t< Args... > > Vector(Args &&... args)
Construct a vector with the specified elements.
Definition: vector.h:23