Bitcoin Core 30.99.0
P2P Digital Currency
dbwrapper.cpp
Go to the documentation of this file.
1// Copyright (c) 2012-present The Bitcoin Core developers
2// Distributed under the MIT software license, see the accompanying
3// file COPYING or http://www.opensource.org/licenses/mit-license.php.
4
5#include <dbwrapper.h>
6
7#include <leveldb/cache.h>
8#include <leveldb/db.h>
9#include <leveldb/env.h>
10#include <leveldb/filter_policy.h>
11#include <leveldb/helpers/memenv/memenv.h>
12#include <leveldb/iterator.h>
13#include <leveldb/options.h>
14#include <leveldb/slice.h>
15#include <leveldb/status.h>
16#include <leveldb/write_batch.h>
17#include <logging.h>
18#include <random.h>
19#include <serialize.h>
20#include <span.h>
21#include <streams.h>
22#include <util/fs.h>
23#include <util/fs_helpers.h>
24#include <util/log.h>
25#include <util/obfuscation.h>
26#include <util/strencodings.h>
27
28#include <algorithm>
29#include <cassert>
30#include <cstdarg>
31#include <cstdint>
32#include <cstdio>
33#include <memory>
34#include <optional>
35#include <utility>
36
37static auto CharCast(const std::byte* data) { return reinterpret_cast<const char*>(data); }
38
39bool DestroyDB(const std::string& path_str)
40{
41 return leveldb::DestroyDB(path_str, {}).ok();
42}
43
46static void HandleError(const leveldb::Status& status)
47{
48 if (status.ok())
49 return;
50 const std::string errmsg = "Fatal LevelDB error: " + status.ToString();
51 LogError("%s", errmsg);
52 LogInfo("You can use -debug=leveldb to get more complete diagnostic messages");
53 throw dbwrapper_error(errmsg);
54}
55
56class CBitcoinLevelDBLogger : public leveldb::Logger {
57public:
58 // This code is adapted from posix_logger.h, which is why it is using vsprintf.
59 // Please do not do this in normal code
60 void Logv(const char * format, va_list ap) override {
62 return;
63 }
64 char buffer[500];
65 for (int iter = 0; iter < 2; iter++) {
66 char* base;
67 int bufsize;
68 if (iter == 0) {
69 bufsize = sizeof(buffer);
70 base = buffer;
71 }
72 else {
73 bufsize = 30000;
74 base = new char[bufsize];
75 }
76 char* p = base;
77 char* limit = base + bufsize;
78
79 // Print the message
80 if (p < limit) {
81 va_list backup_ap;
82 va_copy(backup_ap, ap);
83 // Do not use vsnprintf elsewhere in bitcoin source code, see above.
84 p += vsnprintf(p, limit - p, format, backup_ap);
85 va_end(backup_ap);
86 }
87
88 // Truncate to available space if necessary
89 if (p >= limit) {
90 if (iter == 0) {
91 continue; // Try again with larger buffer
92 }
93 else {
94 p = limit - 1;
95 }
96 }
97
98 // Add newline if necessary
99 if (p == base || p[-1] != '\n') {
100 *p++ = '\n';
101 }
102
103 assert(p <= limit);
104 base[std::min(bufsize - 1, (int)(p - base))] = '\0';
105 LogDebug(BCLog::LEVELDB, "%s\n", util::RemoveSuffixView(base, "\n"));
106 if (base != buffer) {
107 delete[] base;
108 }
109 break;
110 }
111 }
112};
113
114static void SetMaxOpenFiles(leveldb::Options *options) {
115 // On most platforms the default setting of max_open_files (which is 1000)
116 // is optimal. On Windows using a large file count is OK because the handles
117 // do not interfere with select() loops. On 64-bit Unix hosts this value is
118 // also OK, because up to that amount LevelDB will use an mmap
119 // implementation that does not use extra file descriptors (the fds are
120 // closed after being mmap'ed).
121 //
122 // Increasing the value beyond the default is dangerous because LevelDB will
123 // fall back to a non-mmap implementation when the file count is too large.
124 // On 32-bit Unix host we should decrease the value because the handles use
125 // up real fds, and we want to avoid fd exhaustion issues.
126 //
127 // See PR #12495 for further discussion.
128
129 int default_open_files = options->max_open_files;
130#ifndef WIN32
131 if (sizeof(void*) < 8) {
132 options->max_open_files = 64;
133 }
134#endif
135 LogDebug(BCLog::LEVELDB, "LevelDB using max_open_files=%d (default=%d)\n",
136 options->max_open_files, default_open_files);
137}
138
139static leveldb::Options GetOptions(size_t nCacheSize)
140{
141 leveldb::Options options;
142 options.block_cache = leveldb::NewLRUCache(nCacheSize / 2);
143 options.write_buffer_size = nCacheSize / 4; // up to two write buffers may be held in memory simultaneously
144 options.filter_policy = leveldb::NewBloomFilterPolicy(10);
145 options.compression = leveldb::kNoCompression;
146 options.info_log = new CBitcoinLevelDBLogger();
147 if (leveldb::kMajorVersion > 1 || (leveldb::kMajorVersion == 1 && leveldb::kMinorVersion >= 16)) {
148 // LevelDB versions before 1.16 consider short writes to be corruption. Only trigger error
149 // on corruption in later versions.
150 options.paranoid_checks = true;
151 }
152 options.max_file_size = std::max(options.max_file_size, DBWRAPPER_MAX_FILE_SIZE);
153 SetMaxOpenFiles(&options);
154 return options;
155}
156
158 leveldb::WriteBatch batch;
159};
160
162 : parent{_parent},
163 m_impl_batch{std::make_unique<CDBBatch::WriteBatchImpl>()}
164{
165 Clear();
166};
167
168CDBBatch::~CDBBatch() = default;
169
171{
172 m_impl_batch->batch.Clear();
173}
174
175void CDBBatch::WriteImpl(std::span<const std::byte> key, DataStream& ssValue)
176{
177 leveldb::Slice slKey(CharCast(key.data()), key.size());
179 leveldb::Slice slValue(CharCast(ssValue.data()), ssValue.size());
180 m_impl_batch->batch.Put(slKey, slValue);
181}
182
183void CDBBatch::EraseImpl(std::span<const std::byte> key)
184{
185 leveldb::Slice slKey(CharCast(key.data()), key.size());
186 m_impl_batch->batch.Delete(slKey);
187}
188
190{
191 return m_impl_batch->batch.ApproximateSize();
192}
193
196 leveldb::Env* penv;
197
199 leveldb::Options options;
202 leveldb::ReadOptions readoptions;
203
205 leveldb::ReadOptions iteroptions;
206
208 leveldb::WriteOptions writeoptions;
209
211 leveldb::WriteOptions syncoptions;
212
214 leveldb::DB* pdb;
215};
216
218 : m_db_context{std::make_unique<LevelDBContext>()}, m_name{fs::PathToString(params.path.stem())}
219{
220 DBContext().penv = nullptr;
221 DBContext().readoptions.verify_checksums = true;
222 DBContext().iteroptions.verify_checksums = true;
223 DBContext().iteroptions.fill_cache = false;
224 DBContext().syncoptions.sync = true;
225 DBContext().options = GetOptions(params.cache_bytes);
226 DBContext().options.create_if_missing = true;
227 if (params.memory_only) {
228 DBContext().penv = leveldb::NewMemEnv(leveldb::Env::Default());
229 DBContext().options.env = DBContext().penv;
230 } else {
231 if (params.wipe_data) {
232 LogInfo("Wiping LevelDB in %s", fs::PathToString(params.path));
233 leveldb::Status result = leveldb::DestroyDB(fs::PathToString(params.path), DBContext().options);
234 HandleError(result);
235 }
237 LogInfo("Opening LevelDB in %s", fs::PathToString(params.path));
238 }
239 // PathToString() return value is safe to pass to leveldb open function,
240 // because on POSIX leveldb passes the byte string directly to ::open(), and
241 // on Windows it converts from UTF-8 to UTF-16 before calling ::CreateFileW
242 // (see env_posix.cc and env_windows.cc).
243 leveldb::Status status = leveldb::DB::Open(DBContext().options, fs::PathToString(params.path), &DBContext().pdb);
244 HandleError(status);
245 LogInfo("Opened LevelDB successfully");
246
247 if (params.options.force_compact) {
248 LogInfo("Starting database compaction of %s", fs::PathToString(params.path));
249 DBContext().pdb->CompactRange(nullptr, nullptr);
250 LogInfo("Finished database compaction of %s", fs::PathToString(params.path));
251 }
252
253 if (!Read(OBFUSCATION_KEY, m_obfuscation) && params.obfuscate && IsEmpty()) {
254 // Generate and write the new obfuscation key.
256 assert(!m_obfuscation); // Make sure the key is written without obfuscation.
257 Write(OBFUSCATION_KEY, obfuscation);
258 m_obfuscation = obfuscation;
259 LogInfo("Wrote new obfuscation key for %s: %s", fs::PathToString(params.path), m_obfuscation.HexKey());
260 }
261 LogInfo("Using obfuscation key for %s: %s", fs::PathToString(params.path), m_obfuscation.HexKey());
262}
263
265{
266 delete DBContext().pdb;
267 DBContext().pdb = nullptr;
268 delete DBContext().options.filter_policy;
269 DBContext().options.filter_policy = nullptr;
270 delete DBContext().options.info_log;
271 DBContext().options.info_log = nullptr;
272 delete DBContext().options.block_cache;
273 DBContext().options.block_cache = nullptr;
274 delete DBContext().penv;
275 DBContext().options.env = nullptr;
276}
277
278void CDBWrapper::WriteBatch(CDBBatch& batch, bool fSync)
279{
281 double mem_before = 0;
282 if (log_memory) {
283 mem_before = DynamicMemoryUsage() / 1024.0 / 1024;
284 }
285 leveldb::Status status = DBContext().pdb->Write(fSync ? DBContext().syncoptions : DBContext().writeoptions, &batch.m_impl_batch->batch);
286 HandleError(status);
287 if (log_memory) {
288 double mem_after = DynamicMemoryUsage() / 1024.0 / 1024;
289 LogDebug(BCLog::LEVELDB, "WriteBatch memory usage: db=%s, before=%.1fMiB, after=%.1fMiB\n",
290 m_name, mem_before, mem_after);
291 }
292}
293
295{
296 std::string memory;
297 std::optional<size_t> parsed;
298 if (!DBContext().pdb->GetProperty("leveldb.approximate-memory-usage", &memory) || !(parsed = ToIntegral<size_t>(memory))) {
299 LogDebug(BCLog::LEVELDB, "Failed to get approximate-memory-usage property\n");
300 return 0;
301 }
302 return parsed.value();
303}
304
305std::optional<std::string> CDBWrapper::ReadImpl(std::span<const std::byte> key) const
306{
307 leveldb::Slice slKey(CharCast(key.data()), key.size());
308 std::string strValue;
309 leveldb::Status status = DBContext().pdb->Get(DBContext().readoptions, slKey, &strValue);
310 if (!status.ok()) {
311 if (status.IsNotFound())
312 return std::nullopt;
313 LogError("LevelDB read failure: %s", status.ToString());
314 HandleError(status);
315 }
316 return strValue;
317}
318
319bool CDBWrapper::ExistsImpl(std::span<const std::byte> key) const
320{
321 leveldb::Slice slKey(CharCast(key.data()), key.size());
322
323 std::string strValue;
324 leveldb::Status status = DBContext().pdb->Get(DBContext().readoptions, slKey, &strValue);
325 if (!status.ok()) {
326 if (status.IsNotFound())
327 return false;
328 LogError("LevelDB read failure: %s", status.ToString());
329 HandleError(status);
330 }
331 return true;
332}
333
334size_t CDBWrapper::EstimateSizeImpl(std::span<const std::byte> key1, std::span<const std::byte> key2) const
335{
336 leveldb::Slice slKey1(CharCast(key1.data()), key1.size());
337 leveldb::Slice slKey2(CharCast(key2.data()), key2.size());
338 uint64_t size = 0;
339 leveldb::Range range(slKey1, slKey2);
340 DBContext().pdb->GetApproximateSizes(&range, 1, &size);
341 return size;
342}
343
345{
346 std::unique_ptr<CDBIterator> it(NewIterator());
347 it->SeekToFirst();
348 return !(it->Valid());
349}
350
352 const std::unique_ptr<leveldb::Iterator> iter;
353
354 explicit IteratorImpl(leveldb::Iterator* _iter) : iter{_iter} {}
355};
356
357CDBIterator::CDBIterator(const CDBWrapper& _parent, std::unique_ptr<IteratorImpl> _piter) : parent(_parent),
358 m_impl_iter(std::move(_piter)) {}
359
361{
362 return new CDBIterator{*this, std::make_unique<CDBIterator::IteratorImpl>(DBContext().pdb->NewIterator(DBContext().iteroptions))};
363}
364
365void CDBIterator::SeekImpl(std::span<const std::byte> key)
366{
367 leveldb::Slice slKey(CharCast(key.data()), key.size());
368 m_impl_iter->iter->Seek(slKey);
369}
370
371std::span<const std::byte> CDBIterator::GetKeyImpl() const
372{
373 return MakeByteSpan(m_impl_iter->iter->key());
374}
375
376std::span<const std::byte> CDBIterator::GetValueImpl() const
377{
378 return MakeByteSpan(m_impl_iter->iter->value());
379}
380
381CDBIterator::~CDBIterator() = default;
382bool CDBIterator::Valid() const { return m_impl_iter->iter->Valid(); }
383void CDBIterator::SeekToFirst() { m_impl_iter->iter->SeekToFirst(); }
384void CDBIterator::Next() { m_impl_iter->iter->Next(); }
385
387
389{
390 return w.m_obfuscation;
391}
392
393} // namespace dbwrapper_private
void Logv(const char *format, va_list ap) override
Definition: dbwrapper.cpp:60
Batch of changes queued to be written to a CDBWrapper.
Definition: dbwrapper.h:72
void WriteImpl(std::span< const std::byte > key, DataStream &ssValue)
Definition: dbwrapper.cpp:175
const std::unique_ptr< WriteBatchImpl > m_impl_batch
Definition: dbwrapper.h:79
void EraseImpl(std::span< const std::byte > key)
Definition: dbwrapper.cpp:183
DataStream ssValue
Definition: dbwrapper.h:82
void Clear()
Definition: dbwrapper.cpp:170
CDBBatch(const CDBWrapper &_parent)
Definition: dbwrapper.cpp:161
size_t ApproximateSize() const
Definition: dbwrapper.cpp:189
const CDBWrapper & parent
Definition: dbwrapper.h:76
CDBIterator(const CDBWrapper &_parent, std::unique_ptr< IteratorImpl > _piter)
Definition: dbwrapper.cpp:357
const std::unique_ptr< IteratorImpl > m_impl_iter
Definition: dbwrapper.h:126
void SeekImpl(std::span< const std::byte > key)
Definition: dbwrapper.cpp:365
std::span< const std::byte > GetKeyImpl() const
Definition: dbwrapper.cpp:371
bool Valid() const
Definition: dbwrapper.cpp:382
void SeekToFirst()
Definition: dbwrapper.cpp:383
void Next()
Definition: dbwrapper.cpp:384
std::span< const std::byte > GetValueImpl() const
Definition: dbwrapper.cpp:376
std::optional< std::string > ReadImpl(std::span< const std::byte > key) const
Definition: dbwrapper.cpp:305
size_t EstimateSizeImpl(std::span< const std::byte > key1, std::span< const std::byte > key2) const
Definition: dbwrapper.cpp:334
size_t DynamicMemoryUsage() const
Definition: dbwrapper.cpp:294
bool Read(const K &key, V &value) const
Definition: dbwrapper.h:207
CDBIterator * NewIterator()
Definition: dbwrapper.cpp:360
std::string m_name
the name of this database
Definition: dbwrapper.h:186
CDBWrapper(const DBParams &params)
Definition: dbwrapper.cpp:217
void WriteBatch(CDBBatch &batch, bool fSync=false)
Definition: dbwrapper.cpp:278
bool ExistsImpl(std::span< const std::byte > key) const
Definition: dbwrapper.cpp:319
void Write(const K &key, const V &value, bool fSync=false)
Definition: dbwrapper.h:227
Obfuscation m_obfuscation
optional XOR-obfuscation of the database
Definition: dbwrapper.h:189
static const std::string OBFUSCATION_KEY
obfuscation key storage key, null-prefixed to avoid collisions
Definition: dbwrapper.h:192
auto & DBContext() const LIFETIMEBOUND
Definition: dbwrapper.h:197
bool IsEmpty()
Return true if the database managed by this class contains no entries.
Definition: dbwrapper.cpp:344
Double ended buffer combining vector and stream-like interfaces.
Definition: streams.h:133
size_type size() const
Definition: streams.h:167
value_type * data()
Definition: streams.h:174
Fast randomness source.
Definition: random.h:386
std::string HexKey() const
Definition: obfuscation.h:79
static constexpr size_t KEY_SIZE
Definition: obfuscation.h:23
std::vector< B > randbytes(size_t len) noexcept
Generate random bytes.
Definition: random.h:297
static leveldb::Options GetOptions(size_t nCacheSize)
Definition: dbwrapper.cpp:139
static auto CharCast(const std::byte *data)
Definition: dbwrapper.cpp:37
bool DestroyDB(const std::string &path_str)
Definition: dbwrapper.cpp:39
static void SetMaxOpenFiles(leveldb::Options *options)
Definition: dbwrapper.cpp:114
static void HandleError(const leveldb::Status &status)
Handle database error by throwing dbwrapper_error exception.
Definition: dbwrapper.cpp:46
static const size_t DBWRAPPER_MAX_FILE_SIZE
Definition: dbwrapper.h:24
static std::string PathToString(const path &path)
Convert path object to a byte string.
Definition: fs.h:157
bool TryCreateDirectories(const fs::path &p)
Ignores exceptions thrown by create_directories if the requested directory exists.
Definition: fs_helpers.cpp:255
#define LogInfo(...)
Definition: log.h:95
#define LogError(...)
Definition: log.h:97
#define LogDebug(category,...)
Definition: log.h:115
static bool LogAcceptCategory(BCLog::LogFlags category, BCLog::Level level)
Return true if log accepts specified category, at the specified level.
Definition: logging.h:294
@ LEVELDB
Definition: categories.h:36
These should be considered an implementation detail of the specific database.
Definition: dbwrapper.cpp:386
const Obfuscation & GetObfuscation(const CDBWrapper &w)
Work around circular dependency, as well as for testing in dbwrapper_tests.
Definition: dbwrapper.cpp:388
void format(std::ostream &out, FormatStringCheck< sizeof...(Args)> fmt, const Args &... args)
Format list of arguments to the stream according to given format string.
Definition: tinyformat.h:1079
std::string_view RemoveSuffixView(std::string_view str, std::string_view suffix)
Definition: string.h:174
auto MakeByteSpan(const V &v) noexcept
Definition: span.h:84
leveldb::WriteBatch batch
Definition: dbwrapper.cpp:158
IteratorImpl(leveldb::Iterator *_iter)
Definition: dbwrapper.cpp:354
const std::unique_ptr< leveldb::Iterator > iter
Definition: dbwrapper.cpp:352
bool force_compact
Compact database on startup.
Definition: dbwrapper.h:29
Application-specific storage settings.
Definition: dbwrapper.h:33
DBOptions options
Passed-through options.
Definition: dbwrapper.h:46
bool obfuscate
If true, store data obfuscated via simple XOR.
Definition: dbwrapper.h:44
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
fs::path path
Location in the filesystem where leveldb data will be stored.
Definition: dbwrapper.h:35
bool memory_only
If true, use leveldb's memory environment.
Definition: dbwrapper.h:39
leveldb::Env * penv
custom environment this database is using (may be nullptr in case of default environment)
Definition: dbwrapper.cpp:196
leveldb::ReadOptions iteroptions
options used when iterating over values of the database
Definition: dbwrapper.cpp:205
leveldb::ReadOptions readoptions
options used when reading from the database
Definition: dbwrapper.cpp:202
leveldb::Options options
database options used
Definition: dbwrapper.cpp:199
leveldb::DB * pdb
the database itself
Definition: dbwrapper.cpp:214
leveldb::WriteOptions syncoptions
options used when sync writing to the database
Definition: dbwrapper.cpp:211
leveldb::WriteOptions writeoptions
options used when writing to the database
Definition: dbwrapper.cpp:208
assert(!tx.IsCoinBase())