Bitcoin Core 31.99.0
P2P Digital Currency
walletdb.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 <bitcoin-build-config.h> // IWYU pragma: keep
7
8#include <wallet/walletdb.h>
9
10#include <common/system.h>
11#include <key_io.h>
13#include <protocol.h>
14#include <script/script.h>
15#include <serialize.h>
16#include <sync.h>
17#include <util/bip32.h>
18#include <util/check.h>
19#include <util/fs.h>
20#include <util/time.h>
21#include <util/translation.h>
22#include <wallet/migrate.h>
23#include <wallet/sqlite.h>
24#include <wallet/wallet.h>
25
26#include <atomic>
27#include <optional>
28#include <string>
29
30namespace wallet {
31namespace DBKeys {
32const std::string ACENTRY{"acentry"};
33const std::string ACTIVEEXTERNALSPK{"activeexternalspk"};
34const std::string ACTIVEINTERNALSPK{"activeinternalspk"};
35const std::string BESTBLOCK_NOMERKLE{"bestblock_nomerkle"};
36const std::string BESTBLOCK{"bestblock"};
37const std::string CRYPTED_KEY{"ckey"};
38const std::string CSCRIPT{"cscript"};
39const std::string DEFAULTKEY{"defaultkey"};
40const std::string DESTDATA{"destdata"};
41const std::string FLAGS{"flags"};
42const std::string HDCHAIN{"hdchain"};
43const std::string KEYMETA{"keymeta"};
44const std::string KEY{"key"};
45const std::string LOCKED_UTXO{"lockedutxo"};
46const std::string MASTER_KEY{"mkey"};
47const std::string MINVERSION{"minversion"};
48const std::string NAME{"name"};
49const std::string OLD_KEY{"wkey"};
50const std::string ORDERPOSNEXT{"orderposnext"};
51const std::string POOL{"pool"};
52const std::string PURPOSE{"purpose"};
53const std::string SETTINGS{"settings"};
54const std::string TX{"tx"};
55const std::string VERSION{"version"};
56const std::string WALLETDESCRIPTOR{"walletdescriptor"};
57const std::string WALLETDESCRIPTORCACHE{"walletdescriptorcache"};
58const std::string WALLETDESCRIPTORLHCACHE{"walletdescriptorlhcache"};
59const std::string WALLETDESCRIPTORCKEY{"walletdescriptorckey"};
60const std::string WALLETDESCRIPTORKEY{"walletdescriptorkey"};
61const std::string WATCHMETA{"watchmeta"};
62const std::string WATCHS{"watchs"};
63const std::unordered_set<std::string> LEGACY_TYPES{CRYPTED_KEY, CSCRIPT, DEFAULTKEY, HDCHAIN, KEYMETA, KEY, OLD_KEY, POOL, WATCHMETA, WATCHS};
64} // namespace DBKeys
65
67{
68 // Add useful DB information here. This will be printed during startup.
69 LogInfo("Using SQLite Version %s", SQLiteDatabaseVersion());
70}
71
72//
73// WalletBatch
74//
75
76bool WalletBatch::WriteName(const std::string& strAddress, const std::string& strName)
77{
78 return WriteIC(std::make_pair(DBKeys::NAME, strAddress), strName);
79}
80
81bool WalletBatch::EraseName(const std::string& strAddress)
82{
83 // This should only be used for sending addresses, never for receiving addresses,
84 // receiving addresses must always have an address book entry if they're not change return.
85 return EraseIC(std::make_pair(DBKeys::NAME, strAddress));
86}
87
88bool WalletBatch::WritePurpose(const std::string& strAddress, const std::string& strPurpose)
89{
90 return WriteIC(std::make_pair(DBKeys::PURPOSE, strAddress), strPurpose);
91}
92
93bool WalletBatch::ErasePurpose(const std::string& strAddress)
94{
95 return EraseIC(std::make_pair(DBKeys::PURPOSE, strAddress));
96}
97
99{
100 return WriteIC(std::make_pair(DBKeys::TX, wtx.GetHash()), wtx);
101}
102
104{
105 return EraseIC(std::make_pair(DBKeys::TX, hash.ToUint256()));
106}
107
108bool WalletBatch::WriteKeyMetadata(const CKeyMetadata& meta, const CPubKey& pubkey, const bool overwrite)
109{
110 return WriteIC(std::make_pair(DBKeys::KEYMETA, pubkey), meta, overwrite);
111}
112
113bool WalletBatch::WriteKey(const CPubKey& vchPubKey, const CPrivKey& vchPrivKey, const CKeyMetadata& keyMeta)
114{
115 if (!WriteKeyMetadata(keyMeta, vchPubKey, false)) {
116 return false;
117 }
118
119 // hash pubkey/privkey to accelerate wallet load
120 const auto keypair_hash = Hash(vchPubKey, vchPrivKey);
121
122 return WriteIC(std::make_pair(DBKeys::KEY, vchPubKey), std::make_pair(vchPrivKey, keypair_hash), false);
123}
124
126 const std::vector<unsigned char>& vchCryptedSecret,
127 const CKeyMetadata &keyMeta)
128{
129 if (!WriteKeyMetadata(keyMeta, vchPubKey, true)) {
130 return false;
131 }
132
133 // Compute a checksum of the encrypted key
134 uint256 checksum = Hash(vchCryptedSecret);
135
136 const auto key = std::make_pair(DBKeys::CRYPTED_KEY, vchPubKey);
137 if (!WriteIC(key, std::make_pair(vchCryptedSecret, checksum), false)) {
138 // It may already exist, so try writing just the checksum
139 std::vector<unsigned char> val;
140 if (!m_batch->Read(key, val)) {
141 return false;
142 }
143 if (!WriteIC(key, std::make_pair(val, checksum), true)) {
144 return false;
145 }
146 }
147 EraseIC(std::make_pair(DBKeys::KEY, vchPubKey));
148 return true;
149}
150
151bool WalletBatch::WriteMasterKey(unsigned int nID, const CMasterKey& kMasterKey)
152{
153 return WriteIC(std::make_pair(DBKeys::MASTER_KEY, nID), kMasterKey, true);
154}
155
156bool WalletBatch::EraseMasterKey(unsigned int id)
157{
158 return EraseIC(std::make_pair(DBKeys::MASTER_KEY, id));
159}
160
161bool WalletBatch::WriteWatchOnly(const CScript &dest, const CKeyMetadata& keyMeta)
162{
163 if (!WriteIC(std::make_pair(DBKeys::WATCHMETA, dest), keyMeta)) {
164 return false;
165 }
166 return WriteIC(std::make_pair(DBKeys::WATCHS, dest), uint8_t{'1'});
167}
168
170{
171 if (!EraseIC(std::make_pair(DBKeys::WATCHMETA, dest))) {
172 return false;
173 }
174 return EraseIC(std::make_pair(DBKeys::WATCHS, dest));
175}
176
178{
179 WriteIC(DBKeys::BESTBLOCK, CBlockLocator()); // Write empty block locator so versions that require a merkle branch automatically rescan
180 return WriteIC(DBKeys::BESTBLOCK_NOMERKLE, locator);
181}
182
184{
185 if (m_batch->Read(DBKeys::BESTBLOCK, locator) && !locator.vHave.empty()) return true;
186 return m_batch->Read(DBKeys::BESTBLOCK_NOMERKLE, locator);
187}
188
190{
193 if (auto cursor = m_batch->GetNewPrefixCursor(prefix)) {
194 DataStream k, v;
195 if (cursor->Next(k, v) == DatabaseCursor::Status::MORE) return true;
196 }
197 return false;
198}
199
200bool WalletBatch::WriteOrderPosNext(int64_t nOrderPosNext)
201{
202 return WriteIC(DBKeys::ORDERPOSNEXT, nOrderPosNext);
203}
204
205bool WalletBatch::WriteActiveScriptPubKeyMan(uint8_t type, const uint256& id, bool internal)
206{
207 std::string key = internal ? DBKeys::ACTIVEINTERNALSPK : DBKeys::ACTIVEEXTERNALSPK;
208 return WriteIC(make_pair(key, type), id);
209}
210
211bool WalletBatch::EraseActiveScriptPubKeyMan(uint8_t type, bool internal)
212{
213 const std::string key{internal ? DBKeys::ACTIVEINTERNALSPK : DBKeys::ACTIVEEXTERNALSPK};
214 return EraseIC(make_pair(key, type));
215}
216
217bool WalletBatch::WriteDescriptorKey(const uint256& desc_id, const CPubKey& pubkey, const CPrivKey& privkey)
218{
219 // hash pubkey/privkey to accelerate wallet load
220 const auto keypair_hash = Hash(pubkey, privkey);
221
222 return WriteIC(std::make_pair(DBKeys::WALLETDESCRIPTORKEY, std::make_pair(desc_id, pubkey)), std::make_pair(privkey, keypair_hash), false);
223}
224
225bool WalletBatch::WriteCryptedDescriptorKey(const uint256& desc_id, const CPubKey& pubkey, const std::vector<unsigned char>& secret)
226{
227 if (!WriteIC(std::make_pair(DBKeys::WALLETDESCRIPTORCKEY, std::make_pair(desc_id, pubkey)), secret, false)) {
228 return false;
229 }
230 EraseIC(std::make_pair(DBKeys::WALLETDESCRIPTORKEY, std::make_pair(desc_id, pubkey)));
231 return true;
232}
233
234bool WalletBatch::WriteDescriptor(const uint256& desc_id, const WalletDescriptor& descriptor)
235{
236 return WriteIC(make_pair(DBKeys::WALLETDESCRIPTOR, desc_id), descriptor);
237}
238
239bool WalletBatch::WriteDescriptorDerivedCache(const CExtPubKey& xpub, const uint256& desc_id, uint32_t key_exp_index, uint32_t der_index)
240{
241 std::vector<unsigned char> ser_xpub(BIP32_EXTKEY_SIZE);
242 xpub.Encode(ser_xpub.data());
243 return WriteIC(std::make_pair(std::make_pair(DBKeys::WALLETDESCRIPTORCACHE, desc_id), std::make_pair(key_exp_index, der_index)), ser_xpub);
244}
245
246bool WalletBatch::WriteDescriptorParentCache(const CExtPubKey& xpub, const uint256& desc_id, uint32_t key_exp_index)
247{
248 std::vector<unsigned char> ser_xpub(BIP32_EXTKEY_SIZE);
249 xpub.Encode(ser_xpub.data());
250 return WriteIC(std::make_pair(std::make_pair(DBKeys::WALLETDESCRIPTORCACHE, desc_id), key_exp_index), ser_xpub);
251}
252
253bool WalletBatch::WriteDescriptorLastHardenedCache(const CExtPubKey& xpub, const uint256& desc_id, uint32_t key_exp_index)
254{
255 std::vector<unsigned char> ser_xpub(BIP32_EXTKEY_SIZE);
256 xpub.Encode(ser_xpub.data());
257 return WriteIC(std::make_pair(std::make_pair(DBKeys::WALLETDESCRIPTORLHCACHE, desc_id), key_exp_index), ser_xpub);
258}
259
261{
262 for (const auto& parent_xpub_pair : cache.GetCachedParentExtPubKeys()) {
263 if (!WriteDescriptorParentCache(parent_xpub_pair.second, desc_id, parent_xpub_pair.first)) {
264 return false;
265 }
266 }
267 for (const auto& derived_xpub_map_pair : cache.GetCachedDerivedExtPubKeys()) {
268 for (const auto& derived_xpub_pair : derived_xpub_map_pair.second) {
269 if (!WriteDescriptorDerivedCache(derived_xpub_pair.second, desc_id, derived_xpub_map_pair.first, derived_xpub_pair.first)) {
270 return false;
271 }
272 }
273 }
274 for (const auto& lh_xpub_pair : cache.GetCachedLastHardenedExtPubKeys()) {
275 if (!WriteDescriptorLastHardenedCache(lh_xpub_pair.second, desc_id, lh_xpub_pair.first)) {
276 return false;
277 }
278 }
279 return true;
280}
281
283{
284 return WriteIC(std::make_pair(DBKeys::LOCKED_UTXO, std::make_pair(output.hash, output.n)), uint8_t{'1'});
285}
286
288{
289 return EraseIC(std::make_pair(DBKeys::LOCKED_UTXO, std::make_pair(output.hash, output.n)));
290}
291
292bool LoadKey(CWallet* pwallet, DataStream& ssKey, DataStream& ssValue, std::string& strErr)
293{
294 LOCK(pwallet->cs_wallet);
295 try {
296 CPubKey vchPubKey;
297 ssKey >> vchPubKey;
298 if (!vchPubKey.IsValid())
299 {
300 strErr = "Error reading wallet database: CPubKey corrupt";
301 return false;
302 }
303 CKey key;
304 CPrivKey pkey;
305 uint256 hash;
306
307 ssValue >> pkey;
308
309 // Old wallets store keys as DBKeys::KEY [pubkey] => [privkey]
310 // ... which was slow for wallets with lots of keys, because the public key is re-derived from the private key
311 // using EC operations as a checksum.
312 // Newer wallets store keys as DBKeys::KEY [pubkey] => [privkey][hash(pubkey,privkey)], which is much faster while
313 // remaining backwards-compatible.
314 try
315 {
316 ssValue >> hash;
317 }
318 catch (const std::ios_base::failure&) {}
319
320 bool fSkipCheck = false;
321
322 if (!hash.IsNull())
323 {
324 // hash pubkey/privkey to accelerate wallet load
325 const auto keypair_hash = Hash(vchPubKey, pkey);
326
327 if (keypair_hash != hash)
328 {
329 strErr = "Error reading wallet database: CPubKey/CPrivKey corrupt";
330 return false;
331 }
332
333 fSkipCheck = true;
334 }
335
336 if (!key.Load(pkey, vchPubKey, fSkipCheck))
337 {
338 strErr = "Error reading wallet database: CPrivKey corrupt";
339 return false;
340 }
341 if (!pwallet->GetOrCreateLegacyDataSPKM()->LoadKey(key, vchPubKey))
342 {
343 strErr = "Error reading wallet database: LegacyDataSPKM::LoadKey failed";
344 return false;
345 }
346 } catch (const std::exception& e) {
347 if (strErr.empty()) {
348 strErr = e.what();
349 }
350 return false;
351 }
352 return true;
353}
354
355bool LoadCryptedKey(CWallet* pwallet, DataStream& ssKey, DataStream& ssValue, std::string& strErr)
356{
357 LOCK(pwallet->cs_wallet);
358 try {
359 CPubKey vchPubKey;
360 ssKey >> vchPubKey;
361 if (!vchPubKey.IsValid())
362 {
363 strErr = "Error reading wallet database: CPubKey corrupt";
364 return false;
365 }
366 std::vector<unsigned char> vchPrivKey;
367 ssValue >> vchPrivKey;
368
369 // Get the checksum and check it
370 bool checksum_valid = false;
371 if (!ssValue.empty()) {
372 uint256 checksum;
373 ssValue >> checksum;
374 if (!(checksum_valid = Hash(vchPrivKey) == checksum)) {
375 strErr = "Error reading wallet database: Encrypted key corrupt";
376 return false;
377 }
378 }
379
380 if (!pwallet->GetOrCreateLegacyDataSPKM()->LoadCryptedKey(vchPubKey, vchPrivKey, checksum_valid))
381 {
382 strErr = "Error reading wallet database: LegacyDataSPKM::LoadCryptedKey failed";
383 return false;
384 }
385 } catch (const std::exception& e) {
386 if (strErr.empty()) {
387 strErr = e.what();
388 }
389 return false;
390 }
391 return true;
392}
393
394bool LoadEncryptionKey(CWallet* pwallet, DataStream& ssKey, DataStream& ssValue, std::string& strErr)
395{
396 LOCK(pwallet->cs_wallet);
397 try {
398 // Master encryption key is loaded into only the wallet and not any of the ScriptPubKeyMans.
399 unsigned int nID;
400 ssKey >> nID;
401 CMasterKey kMasterKey;
402 ssValue >> kMasterKey;
403 if(pwallet->mapMasterKeys.contains(nID))
404 {
405 strErr = strprintf("Error reading wallet database: duplicate CMasterKey id %u", nID);
406 return false;
407 }
408 pwallet->mapMasterKeys[nID] = kMasterKey;
409 if (pwallet->nMasterKeyMaxID < nID)
410 pwallet->nMasterKeyMaxID = nID;
411
412 } catch (const std::exception& e) {
413 if (strErr.empty()) {
414 strErr = e.what();
415 }
416 return false;
417 }
418 return true;
419}
420
421bool LoadHDChain(CWallet* pwallet, DataStream& ssValue, std::string& strErr)
422{
423 LOCK(pwallet->cs_wallet);
424 try {
425 CHDChain chain;
426 ssValue >> chain;
427 pwallet->GetOrCreateLegacyDataSPKM()->LoadHDChain(chain);
428 } catch (const std::exception& e) {
429 if (strErr.empty()) {
430 strErr = e.what();
431 }
432 return false;
433 }
434 return true;
435}
436
437static DBErrors LoadWalletFlags(CWallet* pwallet, DatabaseBatch& batch) EXCLUSIVE_LOCKS_REQUIRED(pwallet->cs_wallet)
438{
439 AssertLockHeld(pwallet->cs_wallet);
440 uint64_t flags;
441 if (batch.Read(DBKeys::FLAGS, flags)) {
442 if (!pwallet->LoadWalletFlags(flags)) {
443 pwallet->WalletLogPrintf("Error reading wallet database: Unknown non-tolerable wallet flags found\n");
444 return DBErrors::TOO_NEW;
445 }
446 // All wallets must be descriptor wallets unless opened with a bdb_ro db
447 // bdb_ro is only used for legacy to descriptor migration.
448 if (pwallet->GetDatabase().Format() != "bdb_ro" && !pwallet->IsWalletFlagSet(WALLET_FLAG_DESCRIPTORS)) {
450 }
451 }
452 return DBErrors::LOAD_OK;
453}
454
456{
458 int m_records{0};
459};
460
461using LoadFunc = std::function<DBErrors(CWallet* pwallet, DataStream& key, DataStream& value, std::string& err)>;
462static LoadResult LoadRecords(CWallet* pwallet, DatabaseBatch& batch, const std::string& key, DataStream& prefix, LoadFunc load_func)
463{
464 LoadResult result;
465 DataStream ssKey;
466 DataStream ssValue{};
467
468 Assume(!prefix.empty());
469 std::unique_ptr<DatabaseCursor> cursor = batch.GetNewPrefixCursor(prefix);
470 if (!cursor) {
471 pwallet->WalletLogPrintf("Error getting database cursor for '%s' records\n", key);
473 return result;
474 }
475
476 while (true) {
477 DatabaseCursor::Status status = cursor->Next(ssKey, ssValue);
478 if (status == DatabaseCursor::Status::DONE) {
479 break;
480 } else if (status == DatabaseCursor::Status::FAIL) {
481 pwallet->WalletLogPrintf("Error reading next '%s' record for wallet database\n", key);
483 return result;
484 }
485 std::string type;
486 ssKey >> type;
487 assert(type == key);
488 std::string error;
489 DBErrors record_res = load_func(pwallet, ssKey, ssValue, error);
490 if (record_res != DBErrors::LOAD_OK) {
491 pwallet->WalletLogPrintf("%s\n", error);
492 }
493 result.m_result = std::max(result.m_result, record_res);
494 ++result.m_records;
495 }
496 return result;
497}
498
499static LoadResult LoadRecords(CWallet* pwallet, DatabaseBatch& batch, const std::string& key, LoadFunc load_func)
500{
502 prefix << key;
503 return LoadRecords(pwallet, batch, key, prefix, load_func);
504}
505
507{
508 const auto& batch = wallet.GetDatabase().MakeBatch();
509 return HasLegacyRecords(wallet, *batch);
510}
511
513{
514 for (const auto& type : DBKeys::LEGACY_TYPES) {
515 DataStream key;
516 DataStream value{};
518
519 prefix << type;
520 std::unique_ptr<DatabaseCursor> cursor = batch.GetNewPrefixCursor(prefix);
521 if (!cursor) {
522 // Could only happen on a closed db, which means there is an error in the code flow.
523 throw std::runtime_error(strprintf("Error getting database cursor for '%s' records", type));
524 }
525
526 DatabaseCursor::Status status = cursor->Next(key, value);
527 if (status != DatabaseCursor::Status::DONE) {
528 return true;
529 }
530 }
531 return false;
532}
533
534static DBErrors LoadLegacyWalletRecords(CWallet* pwallet, DatabaseBatch& batch, int last_client) EXCLUSIVE_LOCKS_REQUIRED(pwallet->cs_wallet)
535{
536 AssertLockHeld(pwallet->cs_wallet);
538
539 // Make sure descriptor wallets don't have any legacy records
540 if (pwallet->IsWalletFlagSet(WALLET_FLAG_DESCRIPTORS)) {
541 if (HasLegacyRecords(*pwallet, batch)) {
542 pwallet->WalletLogPrintf("Error: Unexpected legacy entry found in descriptor wallet %s. The wallet might have been tampered with or created with malicious intent.\n", pwallet->GetName());
544 }
545
546 return DBErrors::LOAD_OK;
547 }
548
549 // Load HD Chain
550 // Note: There should only be one HDCHAIN record with no data following the type
551 LoadResult hd_chain_res = LoadRecords(pwallet, batch, DBKeys::HDCHAIN,
552 [] (CWallet* pwallet, DataStream& key, DataStream& value, std::string& err) {
553 return LoadHDChain(pwallet, value, err) ? DBErrors:: LOAD_OK : DBErrors::CORRUPT;
554 });
555 result = std::max(result, hd_chain_res.m_result);
556
557 // Load unencrypted keys
558 LoadResult key_res = LoadRecords(pwallet, batch, DBKeys::KEY,
559 [] (CWallet* pwallet, DataStream& key, DataStream& value, std::string& err) {
560 return LoadKey(pwallet, key, value, err) ? DBErrors::LOAD_OK : DBErrors::CORRUPT;
561 });
562 result = std::max(result, key_res.m_result);
563
564 // Load encrypted keys
565 LoadResult ckey_res = LoadRecords(pwallet, batch, DBKeys::CRYPTED_KEY,
566 [] (CWallet* pwallet, DataStream& key, DataStream& value, std::string& err) {
567 return LoadCryptedKey(pwallet, key, value, err) ? DBErrors::LOAD_OK : DBErrors::CORRUPT;
568 });
569 result = std::max(result, ckey_res.m_result);
570
571 // Load scripts
572 LoadResult script_res = LoadRecords(pwallet, batch, DBKeys::CSCRIPT,
573 [] (CWallet* pwallet, DataStream& key, DataStream& value, std::string& strErr) {
574 uint160 hash;
575 key >> hash;
577 value >> script;
579 {
580 strErr = "Error reading wallet database: LegacyDataSPKM::LoadCScript failed";
581 return DBErrors::NONCRITICAL_ERROR;
582 }
583 return DBErrors::LOAD_OK;
584 });
585 result = std::max(result, script_res.m_result);
586
587 // Load keymeta
588 std::map<uint160, CHDChain> hd_chains;
589 LoadResult keymeta_res = LoadRecords(pwallet, batch, DBKeys::KEYMETA,
590 [&hd_chains] (CWallet* pwallet, DataStream& key, DataStream& value, std::string& strErr) {
591 CPubKey vchPubKey;
592 key >> vchPubKey;
593 CKeyMetadata keyMeta;
594 value >> keyMeta;
595 pwallet->GetOrCreateLegacyDataSPKM()->LoadKeyMetadata(vchPubKey.GetID(), keyMeta);
596
597 // Extract some CHDChain info from this metadata if it has any
598 if (keyMeta.nVersion >= CKeyMetadata::VERSION_WITH_HDDATA && !keyMeta.hd_seed_id.IsNull() && keyMeta.hdKeypath.size() > 0) {
599 // Get the path from the key origin or from the path string
600 // Not applicable when path is "s" or "m" as those indicate a seed
601 // See https://github.com/bitcoin/bitcoin/pull/12924
602 bool internal = false;
603 uint32_t index = 0;
604 if (keyMeta.hdKeypath != "s" && keyMeta.hdKeypath != "m") {
605 std::vector<uint32_t> path;
606 if (keyMeta.has_key_origin) {
607 // We have a key origin, so pull it from its path vector
608 path = keyMeta.key_origin.path;
609 } else {
610 // No key origin, have to parse the string
611 if (!ParseHDKeypath(keyMeta.hdKeypath, path)) {
612 strErr = "Error reading wallet database: keymeta with invalid HD keypath";
613 return DBErrors::NONCRITICAL_ERROR;
614 }
615 }
616
617 // Extract the index and internal from the path
618 // Path string is m/0'/k'/i'
619 // Path vector is [0', k', i'] (but as ints OR'd with the hardened bit
620 // k == 0 for external, 1 for internal. i is the index
621 if (path.size() != 3) {
622 strErr = "Error reading wallet database: keymeta found with unexpected path";
623 return DBErrors::NONCRITICAL_ERROR;
624 }
625 if (path[0] != 0x80000000) {
626 strErr = strprintf("Unexpected path index of 0x%08x (expected 0x80000000) for the element at index 0", path[0]);
627 return DBErrors::NONCRITICAL_ERROR;
628 }
629 if (path[1] != 0x80000000 && path[1] != (1 | 0x80000000)) {
630 strErr = strprintf("Unexpected path index of 0x%08x (expected 0x80000000 or 0x80000001) for the element at index 1", path[1]);
631 return DBErrors::NONCRITICAL_ERROR;
632 }
633 if ((path[2] & 0x80000000) == 0) {
634 strErr = strprintf("Unexpected path index of 0x%08x (expected to be greater than or equal to 0x80000000)", path[2]);
635 return DBErrors::NONCRITICAL_ERROR;
636 }
637 internal = path[1] == (1 | 0x80000000);
638 index = path[2] & ~0x80000000;
639 }
640
641 // Insert a new CHDChain, or get the one that already exists
642 auto [ins, inserted] = hd_chains.emplace(keyMeta.hd_seed_id, CHDChain());
643 CHDChain& chain = ins->second;
644 if (inserted) {
645 // For new chains, we want to default to VERSION_HD_BASE until we see an internal
647 chain.seed_id = keyMeta.hd_seed_id;
648 }
649 if (internal) {
651 chain.nInternalChainCounter = std::max(chain.nInternalChainCounter, index + 1);
652 } else {
653 chain.nExternalChainCounter = std::max(chain.nExternalChainCounter, index + 1);
654 }
655 }
656 return DBErrors::LOAD_OK;
657 });
658 result = std::max(result, keymeta_res.m_result);
659
660 // Set inactive chains
661 if (!hd_chains.empty()) {
662 LegacyDataSPKM* legacy_spkm = pwallet->GetLegacyDataSPKM();
663 if (legacy_spkm) {
664 for (const auto& [hd_seed_id, chain] : hd_chains) {
665 if (hd_seed_id != legacy_spkm->GetHDChain().seed_id) {
666 legacy_spkm->AddInactiveHDChain(chain);
667 }
668 }
669 } else {
670 pwallet->WalletLogPrintf("Inactive HD Chains found but no Legacy ScriptPubKeyMan\n");
671 result = DBErrors::CORRUPT;
672 }
673 }
674
675 // Load watchonly scripts
676 LoadResult watch_script_res = LoadRecords(pwallet, batch, DBKeys::WATCHS,
677 [] (CWallet* pwallet, DataStream& key, DataStream& value, std::string& err) {
679 key >> script;
680 uint8_t fYes;
681 value >> fYes;
682 if (fYes == '1') {
683 pwallet->GetOrCreateLegacyDataSPKM()->LoadWatchOnly(script);
684 }
685 return DBErrors::LOAD_OK;
686 });
687 result = std::max(result, watch_script_res.m_result);
688
689 // Load watchonly meta
690 LoadResult watch_meta_res = LoadRecords(pwallet, batch, DBKeys::WATCHMETA,
691 [] (CWallet* pwallet, DataStream& key, DataStream& value, std::string& err) {
693 key >> script;
694 CKeyMetadata keyMeta;
695 value >> keyMeta;
696 pwallet->GetOrCreateLegacyDataSPKM()->LoadScriptMetadata(CScriptID(script), keyMeta);
697 return DBErrors::LOAD_OK;
698 });
699 result = std::max(result, watch_meta_res.m_result);
700
701 // Deal with old "wkey" and "defaultkey" records.
702 // These are not actually loaded, but we need to check for them
703
704 // We don't want or need the default key, but if there is one set,
705 // we want to make sure that it is valid so that we can detect corruption
706 // Note: There should only be one DEFAULTKEY with nothing trailing the type
707 LoadResult default_key_res = LoadRecords(pwallet, batch, DBKeys::DEFAULTKEY,
708 [] (CWallet* pwallet, DataStream& key, DataStream& value, std::string& err) {
709 CPubKey default_pubkey;
710 try {
711 value >> default_pubkey;
712 } catch (const std::exception& e) {
713 err = e.what();
714 return DBErrors::CORRUPT;
715 }
716 if (!default_pubkey.IsValid()) {
717 err = "Error reading wallet database: Default Key corrupt";
718 return DBErrors::CORRUPT;
719 }
720 return DBErrors::LOAD_OK;
721 });
722 result = std::max(result, default_key_res.m_result);
723
724 // "wkey" records are unsupported, if we see any, throw an error
725 LoadResult wkey_res = LoadRecords(pwallet, batch, DBKeys::OLD_KEY,
726 [] (CWallet* pwallet, DataStream& key, DataStream& value, std::string& err) {
727 err = "Found unsupported 'wkey' record, try loading with version 0.18";
728 return DBErrors::LOAD_FAIL;
729 });
730 result = std::max(result, wkey_res.m_result);
731
732 if (result <= DBErrors::NONCRITICAL_ERROR) {
733 // Only do logging and time first key update if there were no critical errors
734 pwallet->WalletLogPrintf("Legacy Wallet Keys: %u plaintext, %u encrypted, %u w/ metadata, %u total.\n",
735 key_res.m_records, ckey_res.m_records, keymeta_res.m_records, key_res.m_records + ckey_res.m_records);
736 }
737
738 return result;
739}
740
741template<typename... Args>
742static DataStream PrefixStream(const Args&... args)
743{
746 return prefix;
747}
748
749static DBErrors LoadDescriptorWalletRecords(CWallet* pwallet, DatabaseBatch& batch, int last_client) EXCLUSIVE_LOCKS_REQUIRED(pwallet->cs_wallet)
750{
751 AssertLockHeld(pwallet->cs_wallet);
752
753 // Load descriptor record
754 int num_keys = 0;
755 int num_ckeys= 0;
756 LoadResult desc_res = LoadRecords(pwallet, batch, DBKeys::WALLETDESCRIPTOR,
757 [&batch, &num_keys, &num_ckeys, &last_client] (CWallet* pwallet, DataStream& key, DataStream& value, std::string& strErr) {
758 DBErrors result = DBErrors::LOAD_OK;
759
760 uint256 id;
761 key >> id;
762 WalletDescriptor desc;
763 try {
764 value >> desc;
765 } catch (const std::ios_base::failure& e) {
766 strErr = strprintf("Error: Unrecognized descriptor found in wallet %s. ", pwallet->GetName());
767 strErr += (last_client > CLIENT_VERSION) ? "The wallet might have been created on a newer version. " :
768 "The database might be corrupted or the software version is not compatible with one of your wallet descriptors. ";
769 strErr += "Please try running the latest software version";
770 // Also include error details
771 strErr = strprintf("%s\nDetails: %s", strErr, e.what());
772 return DBErrors::UNKNOWN_DESCRIPTOR;
773 }
775
776 // Prior to doing anything with this spkm, verify ID compatibility
777 if (id != spkm.GetID()) {
778 strErr = "The descriptor ID calculated by the wallet differs from the one in DB";
779 return DBErrors::CORRUPT;
780 }
781
782 DescriptorCache cache;
783
784 // Get key cache for this descriptor
786 LoadResult key_cache_res = LoadRecords(pwallet, batch, DBKeys::WALLETDESCRIPTORCACHE, prefix,
787 [&id, &cache] (CWallet* pwallet, DataStream& key, DataStream& value, std::string& err) {
788 bool parent = true;
789 uint256 desc_id;
790 uint32_t key_exp_index;
791 uint32_t der_index;
792 key >> desc_id;
793 assert(desc_id == id);
794 key >> key_exp_index;
795
796 // if the der_index exists, it's a derived xpub
797 try
798 {
799 key >> der_index;
800 parent = false;
801 }
802 catch (...) {}
803
804 std::vector<unsigned char> ser_xpub(BIP32_EXTKEY_SIZE);
805 value >> ser_xpub;
806 CExtPubKey xpub;
807 xpub.Decode(ser_xpub.data());
808 if (parent) {
809 cache.CacheParentExtPubKey(key_exp_index, xpub);
810 } else {
811 cache.CacheDerivedExtPubKey(key_exp_index, der_index, xpub);
812 }
813 return DBErrors::LOAD_OK;
814 });
815 result = std::max(result, key_cache_res.m_result);
816
817 // Get last hardened cache for this descriptor
819 LoadResult lh_cache_res = LoadRecords(pwallet, batch, DBKeys::WALLETDESCRIPTORLHCACHE, prefix,
820 [&id, &cache] (CWallet* pwallet, DataStream& key, DataStream& value, std::string& err) {
821 uint256 desc_id;
822 uint32_t key_exp_index;
823 key >> desc_id;
824 assert(desc_id == id);
825 key >> key_exp_index;
826
827 std::vector<unsigned char> ser_xpub(BIP32_EXTKEY_SIZE);
828 value >> ser_xpub;
829 CExtPubKey xpub;
830 xpub.Decode(ser_xpub.data());
831 cache.CacheLastHardenedExtPubKey(key_exp_index, xpub);
832 return DBErrors::LOAD_OK;
833 });
834 result = std::max(result, lh_cache_res.m_result);
835
836 // Set the cache for this descriptor
837 auto spk_man = (DescriptorScriptPubKeyMan*)pwallet->GetScriptPubKeyMan(id);
838 assert(spk_man);
839 spk_man->SetCache(cache);
840
841 // Get unencrypted keys
843 LoadResult key_res = LoadRecords(pwallet, batch, DBKeys::WALLETDESCRIPTORKEY, prefix,
844 [&id, &spk_man] (CWallet* pwallet, DataStream& key, DataStream& value, std::string& strErr) {
845 uint256 desc_id;
846 CPubKey pubkey;
847 key >> desc_id;
848 assert(desc_id == id);
849 key >> pubkey;
850 if (!pubkey.IsValid())
851 {
852 strErr = "Error reading wallet database: descriptor unencrypted key CPubKey corrupt";
853 return DBErrors::CORRUPT;
854 }
855 CKey privkey;
856 CPrivKey pkey;
857 uint256 hash;
858
859 value >> pkey;
860 value >> hash;
861
862 // hash pubkey/privkey to accelerate wallet load
863 const auto keypair_hash = Hash(pubkey, pkey);
864
865 if (keypair_hash != hash)
866 {
867 strErr = "Error reading wallet database: descriptor unencrypted key CPubKey/CPrivKey corrupt";
868 return DBErrors::CORRUPT;
869 }
870
871 if (!privkey.Load(pkey, pubkey, true))
872 {
873 strErr = "Error reading wallet database: descriptor unencrypted key CPrivKey corrupt";
874 return DBErrors::CORRUPT;
875 }
876 spk_man->AddKey(pubkey.GetID(), privkey);
877 return DBErrors::LOAD_OK;
878 });
879 result = std::max(result, key_res.m_result);
880 num_keys = key_res.m_records;
881
882 // Get encrypted keys
884 LoadResult ckey_res = LoadRecords(pwallet, batch, DBKeys::WALLETDESCRIPTORCKEY, prefix,
885 [&id, &spk_man] (CWallet* pwallet, DataStream& key, DataStream& value, std::string& err) {
886 uint256 desc_id;
887 CPubKey pubkey;
888 key >> desc_id;
889 assert(desc_id == id);
890 key >> pubkey;
891 if (!pubkey.IsValid())
892 {
893 err = "Error reading wallet database: descriptor encrypted key CPubKey corrupt";
894 return DBErrors::CORRUPT;
895 }
896 std::vector<unsigned char> privkey;
897 value >> privkey;
898
899 spk_man->AddCryptedKey(pubkey.GetID(), pubkey, privkey);
900 return DBErrors::LOAD_OK;
901 });
902 result = std::max(result, ckey_res.m_result);
903 num_ckeys = ckey_res.m_records;
904
905 return result;
906 });
907
908 if (desc_res.m_result <= DBErrors::NONCRITICAL_ERROR) {
909 // Only log if there are no critical errors
910 pwallet->WalletLogPrintf("Descriptors: %u, Descriptor Keys: %u plaintext, %u encrypted, %u total.\n",
911 desc_res.m_records, num_keys, num_ckeys, num_keys + num_ckeys);
912 }
913
914 return desc_res.m_result;
915}
916
918{
919 AssertLockHeld(pwallet->cs_wallet);
920 DBErrors result = DBErrors::LOAD_OK;
921
922 // Load name record
923 LoadResult name_res = LoadRecords(pwallet, batch, DBKeys::NAME,
924 [] (CWallet* pwallet, DataStream& key, DataStream& value, std::string& err) EXCLUSIVE_LOCKS_REQUIRED(pwallet->cs_wallet) {
925 std::string strAddress;
926 key >> strAddress;
927 std::string label;
928 value >> label;
929 pwallet->m_address_book[DecodeDestination(strAddress)].SetLabel(label);
930 return DBErrors::LOAD_OK;
931 });
932 result = std::max(result, name_res.m_result);
933
934 // Load purpose record
935 LoadResult purpose_res = LoadRecords(pwallet, batch, DBKeys::PURPOSE,
936 [] (CWallet* pwallet, DataStream& key, DataStream& value, std::string& err) EXCLUSIVE_LOCKS_REQUIRED(pwallet->cs_wallet) {
937 std::string strAddress;
938 key >> strAddress;
939 std::string purpose_str;
940 value >> purpose_str;
941 std::optional<AddressPurpose> purpose{PurposeFromString(purpose_str)};
942 if (!purpose) {
943 pwallet->WalletLogPrintf("Warning: nonstandard purpose string '%s' for address '%s'\n", purpose_str, strAddress);
944 }
945 pwallet->m_address_book[DecodeDestination(strAddress)].purpose = purpose;
946 return DBErrors::LOAD_OK;
947 });
948 result = std::max(result, purpose_res.m_result);
949
950 // Load destination data record
951 LoadResult dest_res = LoadRecords(pwallet, batch, DBKeys::DESTDATA,
952 [] (CWallet* pwallet, DataStream& key, DataStream& value, std::string& err) EXCLUSIVE_LOCKS_REQUIRED(pwallet->cs_wallet) {
953 std::string strAddress, strKey, strValue;
954 key >> strAddress;
955 key >> strKey;
956 value >> strValue;
957 const CTxDestination& dest{DecodeDestination(strAddress)};
958 if (strKey.compare("used") == 0) {
959 // Load "used" key indicating if an IsMine address has
960 // previously been spent from with avoid_reuse option enabled.
961 // The strValue is not used for anything currently, but could
962 // hold more information in the future. Current values are just
963 // "1" or "p" for present (which was written prior to
964 // f5ba424cd44619d9b9be88b8593d69a7ba96db26).
965 pwallet->LoadAddressPreviouslySpent(dest);
966 } else if (strKey.starts_with("rr")) {
967 // Load "rr##" keys where ## is a decimal number, and strValue
968 // is a serialized RecentRequestEntry object.
969 pwallet->LoadAddressReceiveRequest(dest, strKey.substr(2), strValue);
970 }
971 return DBErrors::LOAD_OK;
972 });
973 result = std::max(result, dest_res.m_result);
974
975 return result;
976}
977
978static DBErrors LoadTxRecords(CWallet* pwallet, DatabaseBatch& batch, bool& any_unordered) EXCLUSIVE_LOCKS_REQUIRED(pwallet->cs_wallet)
979{
980 AssertLockHeld(pwallet->cs_wallet);
981 DBErrors result = DBErrors::LOAD_OK;
982
983 // Load tx record
984 any_unordered = false;
985 LoadResult tx_res = LoadRecords(pwallet, batch, DBKeys::TX,
986 [&any_unordered] (CWallet* pwallet, DataStream& key, DataStream& value, std::string& err) EXCLUSIVE_LOCKS_REQUIRED(pwallet->cs_wallet) {
987 DBErrors result = DBErrors::LOAD_OK;
988 Txid hash;
989 key >> hash;
990 // LoadToWallet call below creates a new CWalletTx that fill_wtx
991 // callback fills with transaction metadata.
992 auto fill_wtx = [&](CWalletTx& wtx, bool new_tx) {
993 if(!new_tx) {
994 // There's some corruption here since the tx we just tried to load was already in the wallet.
995 err = "Error: Corrupt transaction found. This can be fixed by removing transactions from wallet and rescanning.";
996 result = DBErrors::CORRUPT;
997 return false;
998 }
999 value >> wtx;
1000 if (wtx.GetHash() != hash)
1001 return false;
1002
1003 if (wtx.nOrderPos == -1)
1004 any_unordered = true;
1005
1006 return true;
1007 };
1008 if (!pwallet->LoadToWallet(hash, fill_wtx)) {
1009 // Use std::max as fill_wtx may have already set result to CORRUPT
1010 result = std::max(result, DBErrors::NEED_RESCAN);
1011 }
1012 return result;
1013 });
1014 result = std::max(result, tx_res.m_result);
1015
1016 // Load locked utxo record
1017 LoadResult locked_utxo_res = LoadRecords(pwallet, batch, DBKeys::LOCKED_UTXO,
1018 [] (CWallet* pwallet, DataStream& key, DataStream& value, std::string& err) EXCLUSIVE_LOCKS_REQUIRED(pwallet->cs_wallet) {
1019 Txid hash;
1020 uint32_t n;
1021 key >> hash;
1022 key >> n;
1023 pwallet->LoadLockedCoin(COutPoint(hash, n), /*persistent=*/true);
1024 return DBErrors::LOAD_OK;
1025 });
1026 result = std::max(result, locked_utxo_res.m_result);
1027
1028 // Load orderposnext record
1029 // Note: There should only be one ORDERPOSNEXT record with nothing trailing the type
1030 LoadResult order_pos_res = LoadRecords(pwallet, batch, DBKeys::ORDERPOSNEXT,
1031 [] (CWallet* pwallet, DataStream& key, DataStream& value, std::string& err) EXCLUSIVE_LOCKS_REQUIRED(pwallet->cs_wallet) {
1032 try {
1033 value >> pwallet->nOrderPosNext;
1034 } catch (const std::exception& e) {
1035 err = e.what();
1036 return DBErrors::NONCRITICAL_ERROR;
1037 }
1038 return DBErrors::LOAD_OK;
1039 });
1040 result = std::max(result, order_pos_res.m_result);
1041
1042 // After loading all tx records, abandon any coinbase that is no longer in the active chain.
1043 // This could happen during an external wallet load, or if the user replaced the chain data.
1044 for (auto& [id, wtx] : pwallet->mapWallet) {
1045 if (wtx.IsCoinBase() && wtx.isInactive()) {
1046 pwallet->AbandonTransaction(wtx);
1047 }
1048 }
1049
1050 return result;
1051}
1052
1053static DBErrors LoadActiveSPKMs(CWallet* pwallet, DatabaseBatch& batch) EXCLUSIVE_LOCKS_REQUIRED(pwallet->cs_wallet)
1054{
1055 AssertLockHeld(pwallet->cs_wallet);
1056 DBErrors result = DBErrors::LOAD_OK;
1057
1058 // Load spk records
1059 std::set<std::pair<OutputType, bool>> seen_spks;
1060 for (const auto& spk_key : {DBKeys::ACTIVEEXTERNALSPK, DBKeys::ACTIVEINTERNALSPK}) {
1061 LoadResult spkm_res = LoadRecords(pwallet, batch, spk_key,
1062 [&seen_spks, &spk_key] (CWallet* pwallet, DataStream& key, DataStream& value, std::string& strErr) {
1063 uint8_t output_type;
1064 key >> output_type;
1065 uint256 id;
1066 value >> id;
1067
1068 bool internal = spk_key == DBKeys::ACTIVEINTERNALSPK;
1069 auto [it, insert] = seen_spks.emplace(static_cast<OutputType>(output_type), internal);
1070 if (!insert) {
1071 strErr = "Multiple ScriptpubKeyMans specified for a single type";
1072 return DBErrors::CORRUPT;
1073 }
1074 pwallet->LoadActiveScriptPubKeyMan(id, static_cast<OutputType>(output_type), /*internal=*/internal);
1075 return DBErrors::LOAD_OK;
1076 });
1077 result = std::max(result, spkm_res.m_result);
1078 }
1079 return result;
1080}
1081
1083{
1084 AssertLockHeld(pwallet->cs_wallet);
1085
1086 // Load decryption key (mkey) records
1087 LoadResult mkey_res = LoadRecords(pwallet, batch, DBKeys::MASTER_KEY,
1088 [] (CWallet* pwallet, DataStream& key, DataStream& value, std::string& err) {
1089 if (!LoadEncryptionKey(pwallet, key, value, err)) {
1090 return DBErrors::CORRUPT;
1091 }
1092 return DBErrors::LOAD_OK;
1093 });
1094 return mkey_res.m_result;
1095}
1096
1098{
1099 DBErrors result = DBErrors::LOAD_OK;
1100 bool any_unordered = false;
1101
1102 LOCK(pwallet->cs_wallet);
1103
1104 // Last client version to open this wallet
1105 int last_client = CLIENT_VERSION;
1106 bool has_last_client = m_batch->Read(DBKeys::VERSION, last_client);
1107 if (has_last_client) pwallet->WalletLogPrintf("Last client version = %d\n", last_client);
1108
1109 try {
1110 // Load wallet flags, so they are known when processing other records.
1111 // The FLAGS key is absent during wallet creation.
1112 if ((result = LoadWalletFlags(pwallet, *m_batch)) != DBErrors::LOAD_OK) return result;
1113
1114#ifndef ENABLE_EXTERNAL_SIGNER
1116 pwallet->WalletLogPrintf("Error: External signer wallet being loaded without external signer support compiled\n");
1117 return DBErrors::EXTERNAL_SIGNER_SUPPORT_REQUIRED;
1118 }
1119#endif
1120
1121 // Load legacy wallet keys
1122 result = std::max(LoadLegacyWalletRecords(pwallet, *m_batch, last_client), result);
1123
1124 // Load descriptors
1125 result = std::max(LoadDescriptorWalletRecords(pwallet, *m_batch, last_client), result);
1126 // Early return if there are unknown descriptors. Later loading of ACTIVEINTERNALSPK and ACTIVEEXTERNALEXPK
1127 // may reference the unknown descriptor's ID which can result in a misleading corruption error
1128 // when in reality the wallet is simply too new.
1129 if (result == DBErrors::UNKNOWN_DESCRIPTOR) return result;
1130
1131 // Load address book
1132 result = std::max(LoadAddressBookRecords(pwallet, *m_batch), result);
1133
1134 // Load SPKMs
1135 result = std::max(LoadActiveSPKMs(pwallet, *m_batch), result);
1136
1137 // Load decryption keys
1138 result = std::max(LoadDecryptionKeys(pwallet, *m_batch), result);
1139
1140 // Load tx records
1141 result = std::max(LoadTxRecords(pwallet, *m_batch, any_unordered), result);
1142 } catch (std::runtime_error& e) {
1143 // Exceptions that can be ignored or treated as non-critical are handled by the individual loading functions.
1144 // Any uncaught exceptions will be caught here and treated as critical.
1145 // Catch std::runtime_error specifically as many functions throw these and they at least have some message that
1146 // we can log
1147 pwallet->WalletLogPrintf("%s\n", e.what());
1148 result = DBErrors::CORRUPT;
1149 } catch (...) {
1150 // All other exceptions are still problematic, but we can't log them
1151 result = DBErrors::CORRUPT;
1152 }
1153
1154 // Any wallet corruption at all: skip any rewriting or
1155 // upgrading, we don't want to make it worse.
1156 if (result != DBErrors::LOAD_OK)
1157 return result;
1158
1159 if (!has_last_client || last_client != CLIENT_VERSION) // Update
1160 this->WriteVersion(CLIENT_VERSION);
1161
1162 if (any_unordered)
1163 result = pwallet->ReorderTransactions();
1164
1165 // Upgrade all of the descriptor caches to cache the last hardened xpub
1166 // This operation is not atomic, but if it fails, only new entries are added so it is backwards compatible
1167 try {
1168 pwallet->UpgradeDescriptorCache();
1169 } catch (...) {
1170 result = DBErrors::CORRUPT;
1171 }
1172
1173 // Since it was accidentally possible to "encrypt" a wallet with private keys disabled, we should check if this is
1174 // such a wallet and remove the encryption key records to avoid any future issues.
1175 // Although wallets without private keys should not have *ckey records, we should double check that.
1176 // Removing the mkey records is only safe if there are no *ckey records.
1177 if (pwallet->IsWalletFlagSet(WALLET_FLAG_DISABLE_PRIVATE_KEYS) && pwallet->HasEncryptionKeys() && !pwallet->HaveCryptedKeys()) {
1178 pwallet->WalletLogPrintf("Detected extraneous encryption keys in this wallet without private keys. Removing extraneous encryption keys.\n");
1179 for (const auto& [id, _] : pwallet->mapMasterKeys) {
1180 if (!EraseMasterKey(id)) {
1181 pwallet->WalletLogPrintf("Error: Unable to remove extraneous encryption key '%u'. Wallet corrupt.\n", id);
1182 return DBErrors::CORRUPT;
1183 }
1184 }
1185 pwallet->mapMasterKeys.clear();
1186 }
1187
1188 return result;
1189}
1190
1191static bool RunWithinTxn(WalletBatch& batch, std::string_view process_desc, const std::function<bool(WalletBatch&)>& func)
1192{
1193 if (!batch.TxnBegin()) {
1194 LogDebug(BCLog::WALLETDB, "Error: cannot create db txn for %s\n", process_desc);
1195 return false;
1196 }
1197
1198 // Run procedure
1199 if (!func(batch)) {
1200 LogDebug(BCLog::WALLETDB, "Error: %s failed\n", process_desc);
1201 batch.TxnAbort();
1202 return false;
1203 }
1204
1205 if (!batch.TxnCommit()) {
1206 LogDebug(BCLog::WALLETDB, "Error: cannot commit db txn for %s\n", process_desc);
1207 return false;
1208 }
1209
1210 // All good
1211 return true;
1212}
1213
1214bool RunWithinTxn(WalletDatabase& database, std::string_view process_desc, const std::function<bool(WalletBatch&)>& func)
1215{
1216 WalletBatch batch(database);
1217 return RunWithinTxn(batch, process_desc, func);
1218}
1219
1220bool WalletBatch::WriteAddressPreviouslySpent(const CTxDestination& dest, bool previously_spent)
1221{
1222 auto key{std::make_pair(DBKeys::DESTDATA, std::make_pair(EncodeDestination(dest), std::string("used")))};
1223 return previously_spent ? WriteIC(key, std::string("1")) : EraseIC(key);
1224}
1225
1226bool WalletBatch::WriteAddressReceiveRequest(const CTxDestination& dest, const std::string& id, const std::string& receive_request)
1227{
1228 return WriteIC(std::make_pair(DBKeys::DESTDATA, std::make_pair(EncodeDestination(dest), "rr" + id)), receive_request);
1229}
1230
1231bool WalletBatch::EraseAddressReceiveRequest(const CTxDestination& dest, const std::string& id)
1232{
1233 return EraseIC(std::make_pair(DBKeys::DESTDATA, std::make_pair(EncodeDestination(dest), "rr" + id)));
1234}
1235
1236bool WalletBatch::EraseAddressData(const CTxDestination& dest)
1237{
1240 return m_batch->ErasePrefix(prefix);
1241}
1242
1243bool WalletBatch::WriteWalletFlags(const uint64_t flags)
1244{
1245 return WriteIC(DBKeys::FLAGS, flags);
1246}
1247
1248bool WalletBatch::EraseRecords(const std::unordered_set<std::string>& types)
1249{
1250 return std::all_of(types.begin(), types.end(), [&](const std::string& type) {
1251 return m_batch->ErasePrefix(DataStream() << type);
1252 });
1253}
1254
1255bool WalletBatch::TxnBegin()
1256{
1257 return m_batch->TxnBegin();
1258}
1259
1260bool WalletBatch::TxnCommit()
1261{
1262 bool res = m_batch->TxnCommit();
1263 if (res) {
1264 for (const auto& listener : m_txn_listeners) {
1265 listener.on_commit();
1266 }
1267 // txn finished, clear listeners
1268 m_txn_listeners.clear();
1269 }
1270 return res;
1271}
1272
1273bool WalletBatch::TxnAbort()
1274{
1275 bool res = m_batch->TxnAbort();
1276 if (res) {
1277 for (const auto& listener : m_txn_listeners) {
1278 listener.on_abort();
1279 }
1280 // txn finished, clear listeners
1281 m_txn_listeners.clear();
1282 }
1283 return res;
1284}
1285
1286void WalletBatch::RegisterTxnListener(const DbTxnListener& l)
1287{
1288 assert(m_batch->HasActiveTxn());
1289 m_txn_listeners.emplace_back(l);
1290}
1291
1292std::unique_ptr<WalletDatabase> MakeDatabase(const fs::path& path, const DatabaseOptions& options, DatabaseStatus& status, bilingual_str& error)
1293{
1294 bool exists;
1295 try {
1296 exists = fs::symlink_status(path).type() != fs::file_type::not_found;
1297 } catch (const fs::filesystem_error& e) {
1298 error = Untranslated(strprintf("Failed to access database path '%s': %s", fs::PathToString(path), e.code().message()));
1299 status = DatabaseStatus::FAILED_BAD_PATH;
1300 return nullptr;
1301 }
1302
1303 std::optional<DatabaseFormat> format;
1304 if (exists) {
1305 if (IsBDBFile(BDBDataFile(path))) {
1306 format = DatabaseFormat::BERKELEY_RO;
1307 }
1308 if (IsSQLiteFile(SQLiteDataFile(path))) {
1309 if (format) {
1310 error = Untranslated(strprintf("Failed to load database path '%s'. Data is in ambiguous format.", fs::PathToString(path)));
1311 status = DatabaseStatus::FAILED_BAD_FORMAT;
1312 return nullptr;
1313 }
1314 format = DatabaseFormat::SQLITE;
1315 }
1316 } else if (options.require_existing) {
1317 error = Untranslated(strprintf("Failed to load database path '%s'. Path does not exist.", fs::PathToString(path)));
1318 status = DatabaseStatus::FAILED_NOT_FOUND;
1319 return nullptr;
1320 }
1321
1322 if (!format && options.require_existing) {
1323 error = Untranslated(strprintf("Failed to load database path '%s'. Data is not in recognized format.", fs::PathToString(path)));
1324 status = DatabaseStatus::FAILED_BAD_FORMAT;
1325 return nullptr;
1326 }
1327
1328 if (format && options.require_create) {
1329 error = Untranslated(strprintf("Failed to create database path '%s'. Database already exists.", fs::PathToString(path)));
1330 status = DatabaseStatus::FAILED_ALREADY_EXISTS;
1331 return nullptr;
1332 }
1333
1334 // BERKELEY_RO can only be opened if require_format was set, which only occurs in migration.
1335 if (format && format == DatabaseFormat::BERKELEY_RO && (!options.require_format || options.require_format != DatabaseFormat::BERKELEY_RO)) {
1336 error = Untranslated(strprintf("Failed to open database path '%s'. The wallet appears to be a Legacy wallet, please use the wallet migration tool (migratewallet RPC or the GUI option).", fs::PathToString(path)));
1337 status = DatabaseStatus::FAILED_LEGACY_DISABLED;
1338 return nullptr;
1339 }
1340
1341 // A db already exists so format is set, but options also specifies the format, so make sure they agree
1342 if (format && options.require_format && format != options.require_format) {
1343 error = Untranslated(strprintf("Failed to load database path '%s'. Data is not in required format.", fs::PathToString(path)));
1344 status = DatabaseStatus::FAILED_BAD_FORMAT;
1345 return nullptr;
1346 }
1347
1348 // Format is not set when a db doesn't already exist, so use the format specified by the options if it is set.
1349 if (!format && options.require_format) format = options.require_format;
1350
1351 if (!format) {
1352 format = DatabaseFormat::SQLITE;
1353 }
1354
1355 if (format == DatabaseFormat::SQLITE) {
1356 return MakeSQLiteDatabase(path, options, status, error);
1357 }
1358
1359 if (format == DatabaseFormat::BERKELEY_RO) {
1360 return MakeBerkeleyRODatabase(path, options, status, error);
1361 }
1362
1363 error = Untranslated(STR_INTERNAL_BUG("Could not determine wallet format"));
1364 status = DatabaseStatus::FAILED_BAD_FORMAT;
1365 return nullptr;
1366}
1367} // namespace wallet
std::variant< CNoDestination, PubKeyDestination, PKHash, ScriptHash, WitnessV0ScriptHash, WitnessV0KeyHash, WitnessV1Taproot, PayToAnchor, WitnessUnknown > CTxDestination
A txout script categorized into standard templates.
Definition: addresstype.h:143
if(!SetupNetworking())
catch(const std::exception &e)
int flags
Definition: bitcoin-tx.cpp:529
ArgsManager & args
Definition: bitcoind.cpp:277
#define STR_INTERNAL_BUG(msg)
Definition: check.h:96
#define Assume(val)
Assume is the identity function.
Definition: check.h:125
An encapsulated private key.
Definition: key.h:36
bool Load(const CPrivKey &privkey, const CPubKey &vchPubKey, bool fSkipCheck)
Load private key and check that public key matches.
Definition: key.cpp:279
An outpoint - a combination of a transaction hash and an index n into its vout.
Definition: transaction.h:29
uint32_t n
Definition: transaction.h:32
Txid hash
Definition: transaction.h:31
An encapsulated public key.
Definition: pubkey.h:34
CKeyID GetID() const
Get the KeyID of this public key (hash of its serialization)
Definition: pubkey.h:160
bool IsValid() const
Definition: pubkey.h:185
Serialized script, used inside transaction inputs and outputs.
Definition: script.h:405
A reference to a CScript: the Hash160 of its serialization.
Definition: script.h:594
Double ended buffer combining vector and stream-like interfaces.
Definition: streams.h:133
bool empty() const
Definition: streams.h:168
Cache for single descriptor's derived extended pubkeys.
Definition: descriptor.h:19
std::unordered_map< uint32_t, ExtPubKeyMap > GetCachedDerivedExtPubKeys() const
Retrieve all cached derived xpubs.
void CacheDerivedExtPubKey(uint32_t key_exp_pos, uint32_t der_index, const CExtPubKey &xpub)
Cache an xpub derived at an index.
ExtPubKeyMap GetCachedParentExtPubKeys() const
Retrieve all cached parent xpubs.
ExtPubKeyMap GetCachedLastHardenedExtPubKeys() const
Retrieve all cached last hardened xpubs.
void CacheParentExtPubKey(uint32_t key_exp_pos, const CExtPubKey &xpub)
Cache a parent xpub.
void CacheLastHardenedExtPubKey(uint32_t key_exp_pos, const CExtPubKey &xpub)
Cache a last hardened xpub.
constexpr bool IsNull() const
Definition: uint256.h:48
const uint256 & ToUint256() const LIFETIMEBOUND
160-bit opaque blob.
Definition: uint256.h:183
256-bit opaque blob.
Definition: uint256.h:195
uint32_t nInternalChainCounter
Definition: walletdb.h:97
static const int VERSION_HD_BASE
Definition: walletdb.h:102
uint32_t nExternalChainCounter
Definition: walletdb.h:96
static const int VERSION_HD_CHAIN_SPLIT
Definition: walletdb.h:103
CKeyID seed_id
seed hash160
Definition: walletdb.h:98
std::string hdKeypath
Definition: walletdb.h:140
static const int VERSION_WITH_HDDATA
Definition: walletdb.h:135
Private key encryption is done based on a CMasterKey, which holds a salt and random encryption key.
Definition: crypter.h:35
A CWallet maintains a set of transactions and balances, and provides the ability to create new transa...
Definition: wallet.h:310
void LoadActiveScriptPubKeyMan(uint256 id, OutputType type, bool internal)
Loads an active ScriptPubKeyMan for the specified type and internal.
Definition: wallet.cpp:3687
unsigned int nMasterKeyMaxID
Definition: wallet.h:474
DescriptorScriptPubKeyMan & LoadDescriptorScriptPubKeyMan(uint256 id, WalletDescriptor &desc)
Instantiate a descriptor ScriptPubKeyMan from the WalletDescriptor and load it.
Definition: wallet.cpp:3564
bool HaveCryptedKeys() const
Definition: wallet.cpp:3546
LegacyDataSPKM * GetOrCreateLegacyDataSPKM()
Definition: wallet.cpp:3512
const std::string & GetName() const
Get a name for this wallet for logging/debugging purposes.
Definition: wallet.h:470
void WalletLogPrintf(util::ConstevalFormatString< sizeof...(Params)> wallet_fmt, const Params &... params) const
Prepends the wallet name in logging output to ease debugging in multi-wallet use cases.
Definition: wallet.h:938
bool HasEncryptionKeys() const override
Definition: wallet.cpp:3541
MasterKeyMap mapMasterKeys
Definition: wallet.h:473
ScriptPubKeyMan * GetScriptPubKeyMan(const OutputType &type, bool internal) const
Get the ScriptPubKeyMan for the given OutputType and internal/external chain.
Definition: wallet.cpp:3428
RecursiveMutex cs_wallet
Main wallet lock.
Definition: wallet.h:460
A transaction with a bunch of additional info that only the owner cares about.
Definition: transaction.h:195
const Txid & GetHash() const LIFETIMEBOUND
Definition: transaction.h:367
RAII class that provides access to a WalletDatabase.
Definition: db.h:51
virtual std::unique_ptr< DatabaseCursor > GetNewPrefixCursor(std::span< const std::byte > prefix)=0
bool LoadCryptedKey(const CPubKey &vchPubKey, const std::vector< unsigned char > &vchCryptedSecret, bool checksum_valid)
Adds an encrypted key to the store, without saving it to disk (used by LoadWallet)
bool LoadKey(const CKey &key, const CPubKey &pubkey)
Adds a key to the store, without saving it to disk (used by LoadWallet)
bool LoadCScript(const CScript &redeemScript)
Adds a CScript to the store.
void LoadHDChain(const CHDChain &chain)
Load a HD chain model (used by LoadWallet)
Access to the wallet database.
Definition: walletdb.h:192
bool WriteDescriptor(const uint256 &desc_id, const WalletDescriptor &descriptor)
Definition: walletdb.cpp:234
bool TxnAbort()
Abort current transaction.
Definition: walletdb.cpp:1273
bool WriteDescriptorParentCache(const CExtPubKey &xpub, const uint256 &desc_id, uint32_t key_exp_index)
Definition: walletdb.cpp:246
bool EraseName(const std::string &strAddress)
Definition: walletdb.cpp:81
bool WriteBestBlock(const CBlockLocator &locator)
Definition: walletdb.cpp:177
bool ReadBestBlock(CBlockLocator &locator)
Definition: walletdb.cpp:183
bool WriteDescriptorCacheItems(const uint256 &desc_id, const DescriptorCache &cache)
Definition: walletdb.cpp:260
bool WriteMasterKey(unsigned int nID, const CMasterKey &kMasterKey)
Definition: walletdb.cpp:151
bool WriteWatchOnly(const CScript &script, const CKeyMetadata &keymeta)
Definition: walletdb.cpp:161
bool TxnBegin()
Begin a new transaction.
Definition: walletdb.cpp:1255
bool TxnCommit()
Commit current transaction.
Definition: walletdb.cpp:1260
bool WriteName(const std::string &strAddress, const std::string &strName)
Definition: walletdb.cpp:76
bool WritePurpose(const std::string &strAddress, const std::string &purpose)
Definition: walletdb.cpp:88
std::unique_ptr< DatabaseBatch > m_batch
Definition: walletdb.h:286
bool WriteDescriptorLastHardenedCache(const CExtPubKey &xpub, const uint256 &desc_id, uint32_t key_exp_index)
Definition: walletdb.cpp:253
bool WriteIC(const K &key, const T &value, bool fOverwrite=true)
Definition: walletdb.h:195
bool WriteOrderPosNext(int64_t nOrderPosNext)
Definition: walletdb.cpp:200
bool WriteTx(const CWalletTx &wtx)
Definition: walletdb.cpp:98
bool WriteKey(const CPubKey &vchPubKey, const CPrivKey &vchPrivKey, const CKeyMetadata &keyMeta)
Definition: walletdb.cpp:113
bool EraseIC(const K &key)
Definition: walletdb.h:204
bool WriteCryptedKey(const CPubKey &vchPubKey, const std::vector< unsigned char > &vchCryptedSecret, const CKeyMetadata &keyMeta)
Definition: walletdb.cpp:125
bool ErasePurpose(const std::string &strAddress)
Definition: walletdb.cpp:93
bool EraseLockedUTXO(const COutPoint &output)
Definition: walletdb.cpp:287
bool WriteDescriptorDerivedCache(const CExtPubKey &xpub, const uint256 &desc_id, uint32_t key_exp_index, uint32_t der_index)
Definition: walletdb.cpp:239
bool WriteCryptedDescriptorKey(const uint256 &desc_id, const CPubKey &pubkey, const std::vector< unsigned char > &secret)
Definition: walletdb.cpp:225
bool WriteLockedUTXO(const COutPoint &output)
Definition: walletdb.cpp:282
bool EraseMasterKey(unsigned int id)
Definition: walletdb.cpp:156
bool WriteActiveScriptPubKeyMan(uint8_t type, const uint256 &id, bool internal)
Definition: walletdb.cpp:205
bool EraseTx(Txid hash)
Definition: walletdb.cpp:103
bool EraseActiveScriptPubKeyMan(uint8_t type, bool internal)
Definition: walletdb.cpp:211
bool WriteKeyMetadata(const CKeyMetadata &meta, const CPubKey &pubkey, bool overwrite)
Definition: walletdb.cpp:108
bool WriteDescriptorKey(const uint256 &desc_id, const CPubKey &pubkey, const CPrivKey &privkey)
Definition: walletdb.cpp:217
bool EraseWatchOnly(const CScript &script)
Definition: walletdb.cpp:169
An instance of this class represents one database.
Definition: db.h:130
Descriptor with some wallet metadata.
Definition: walletutil.h:64
static const int CLIENT_VERSION
Definition: clientversion.h:26
static std::string PathToString(const path &path)
Convert path object to a byte string.
Definition: fs.h:161
bool IsWalletFlagSet(uint64_t flag) const override
check if a certain wallet flag is set
Definition: wallet.cpp:1773
bool LoadToWallet(const Txid &hash, const UpdateWalletTxFn &fill_wtx) EXCLUSIVE_LOCKS_REQUIRED(cs_wallet)
Definition: wallet.cpp:1170
DBErrors ReorderTransactions()
Definition: wallet.cpp:893
void UpgradeDescriptorCache() EXCLUSIVE_LOCKS_REQUIRED(cs_wallet)
Upgrade DescriptorCaches.
Definition: wallet.cpp:565
uint256 Hash(const T &in1)
Compute the 256-bit hash of an object.
Definition: hash.h:75
std::vector< unsigned char, secure_allocator< unsigned char > > CPrivKey
CPrivKey is a serialized private key, with all parameters included (SIZE bytes)
Definition: key.h:24
CTxDestination DecodeDestination(const std::string &str, std::string &error_msg, std::vector< int > *error_locations)
Definition: key_io.cpp:300
std::string EncodeDestination(const CTxDestination &dest)
Definition: key_io.cpp:295
#define LogInfo(...)
Definition: log.h:95
#define LogDebug(category,...)
Definition: log.h:115
@ WALLETDB
Definition: categories.h:22
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
void insert(Tdst &dst, const Tsrc &src)
Simplification of std insertion.
Definition: insert.h:14
const std::string NAME
Definition: walletdb.cpp:48
const std::string BESTBLOCK
Definition: walletdb.cpp:36
const std::string WALLETDESCRIPTORCKEY
Definition: walletdb.cpp:59
const std::string WATCHS
Definition: walletdb.cpp:62
const std::string WALLETDESCRIPTORLHCACHE
Definition: walletdb.cpp:58
const std::string POOL
Definition: walletdb.cpp:51
const std::string MINVERSION
Definition: walletdb.cpp:47
const std::string WATCHMETA
Definition: walletdb.cpp:61
const std::string DEFAULTKEY
Definition: walletdb.cpp:39
const std::string OLD_KEY
Definition: walletdb.cpp:49
const std::string WALLETDESCRIPTORKEY
Definition: walletdb.cpp:60
const std::string ACENTRY
Definition: walletdb.cpp:32
const std::string ACTIVEEXTERNALSPK
Definition: walletdb.cpp:33
const std::string TX
Definition: walletdb.cpp:54
const std::string KEY
Definition: walletdb.cpp:44
const std::string CRYPTED_KEY
Definition: walletdb.cpp:37
const std::string DESTDATA
Definition: walletdb.cpp:40
const std::string CSCRIPT
Definition: walletdb.cpp:38
const std::unordered_set< std::string > LEGACY_TYPES
Definition: walletdb.cpp:63
const std::string SETTINGS
Definition: walletdb.cpp:53
const std::string BESTBLOCK_NOMERKLE
Definition: walletdb.cpp:35
const std::string LOCKED_UTXO
Definition: walletdb.cpp:45
const std::string ACTIVEINTERNALSPK
Definition: walletdb.cpp:34
const std::string HDCHAIN
Definition: walletdb.cpp:42
const std::string ORDERPOSNEXT
Definition: walletdb.cpp:50
const std::string FLAGS
Definition: walletdb.cpp:41
const std::string VERSION
Definition: walletdb.cpp:55
const std::string WALLETDESCRIPTORCACHE
Definition: walletdb.cpp:57
const std::string MASTER_KEY
Definition: walletdb.cpp:46
const std::string KEYMETA
Definition: walletdb.cpp:43
const std::string PURPOSE
Definition: walletdb.cpp:52
const std::string WALLETDESCRIPTOR
Definition: walletdb.cpp:56
static LoadResult LoadRecords(CWallet *pwallet, DatabaseBatch &batch, const std::string &key, LoadFunc load_func)
Definition: walletdb.cpp:499
std::shared_ptr< CWallet > LoadWallet(WalletContext &context, const std::string &name, std::optional< bool > load_on_start, const DatabaseOptions &options, DatabaseStatus &status, bilingual_str &error, std::vector< bilingual_str > &warnings)
Definition: wallet.cpp:364
std::unique_ptr< WalletDatabase > MakeDatabase(const fs::path &path, const DatabaseOptions &options, DatabaseStatus &status, bilingual_str &error)
Definition: walletdb.cpp:1292
bool RunWithinTxn(WalletDatabase &database, std::string_view process_desc, const std::function< bool(WalletBatch &)> &func)
Executes the provided function 'func' within a database transaction context.
Definition: walletdb.cpp:1214
bool LoadKey(CWallet *pwallet, DataStream &ssKey, DataStream &ssValue, std::string &strErr)
Definition: walletdb.cpp:292
static DataStream PrefixStream(const Args &... args)
Definition: walletdb.cpp:742
static DBErrors LoadLegacyWalletRecords(CWallet *pwallet, DatabaseBatch &batch, int last_client) EXCLUSIVE_LOCKS_REQUIRED(pwallet -> cs_wallet)
Definition: walletdb.cpp:534
bool LoadCryptedKey(CWallet *pwallet, DataStream &ssKey, DataStream &ssValue, std::string &strErr)
Definition: walletdb.cpp:355
std::function< DBErrors(CWallet *pwallet, DataStream &key, DataStream &value, std::string &err)> LoadFunc
Definition: walletdb.cpp:461
std::unique_ptr< SQLiteDatabase > MakeSQLiteDatabase(const fs::path &path, const DatabaseOptions &options, DatabaseStatus &status, bilingual_str &error)
Definition: sqlite.cpp:691
fs::path SQLiteDataFile(const fs::path &path)
Definition: db.cpp:89
DBErrors
Overview of wallet database classes:
Definition: walletdb.h:44
static DBErrors LoadWalletFlags(CWallet *pwallet, DatabaseBatch &batch) EXCLUSIVE_LOCKS_REQUIRED(pwallet -> cs_wallet)
Definition: walletdb.cpp:437
static DBErrors LoadActiveSPKMs(CWallet *pwallet, DatabaseBatch &batch) EXCLUSIVE_LOCKS_REQUIRED(pwallet -> cs_wallet)
Definition: walletdb.cpp:1053
static DBErrors LoadDecryptionKeys(CWallet *pwallet, DatabaseBatch &batch) EXCLUSIVE_LOCKS_REQUIRED(pwallet -> cs_wallet)
Definition: walletdb.cpp:1082
bool LoadEncryptionKey(CWallet *pwallet, DataStream &ssKey, DataStream &ssValue, std::string &strErr)
Definition: walletdb.cpp:394
bool HasLegacyRecords(CWallet &wallet)
Returns true if there are any DBKeys::LEGACY_TYPES record in the wallet db.
Definition: walletdb.cpp:506
void LogDBInfo()
Definition: walletdb.cpp:66
bool IsBDBFile(const fs::path &path)
Definition: db.cpp:94
fs::path BDBDataFile(const fs::path &wallet_path)
Definition: db.cpp:75
bool LoadHDChain(CWallet *pwallet, DataStream &ssValue, std::string &strErr)
Definition: walletdb.cpp:421
static DBErrors LoadTxRecords(CWallet *pwallet, DatabaseBatch &batch, bool &any_unordered) EXCLUSIVE_LOCKS_REQUIRED(pwallet -> cs_wallet)
Definition: walletdb.cpp:978
std::unique_ptr< BerkeleyRODatabase > MakeBerkeleyRODatabase(const fs::path &path, const DatabaseOptions &options, DatabaseStatus &status, bilingual_str &error)
Return object giving access to Berkeley Read Only database at specified path.
Definition: migrate.cpp:775
std::string SQLiteDatabaseVersion()
Definition: sqlite.cpp:709
bool IsSQLiteFile(const fs::path &path)
Definition: db.cpp:119
@ WALLET_FLAG_EXTERNAL_SIGNER
Indicates that the wallet needs an external signer.
Definition: walletutil.h:56
@ WALLET_FLAG_DESCRIPTORS
Indicate that this wallet supports DescriptorScriptPubKeyMan.
Definition: walletutil.h:53
@ WALLET_FLAG_DISABLE_PRIVATE_KEYS
Definition: walletutil.h:30
static DBErrors LoadAddressBookRecords(CWallet *pwallet, DatabaseBatch &batch) EXCLUSIVE_LOCKS_REQUIRED(pwallet -> cs_wallet)
Definition: walletdb.cpp:917
static LoadResult LoadRecords(CWallet *pwallet, DatabaseBatch &batch, const std::string &key, DataStream &prefix, LoadFunc load_func)
Definition: walletdb.cpp:462
static DBErrors LoadDescriptorWalletRecords(CWallet *pwallet, DatabaseBatch &batch, int last_client) EXCLUSIVE_LOCKS_REQUIRED(pwallet -> cs_wallet)
Definition: walletdb.cpp:749
DatabaseStatus
Definition: db.h:186
OutputType
Definition: outputtype.h:18
const unsigned int BIP32_EXTKEY_SIZE
Definition: pubkey.h:19
const char * prefix
Definition: rest.cpp:1142
void SerializeMany(Stream &s, const Args &... args)
Support for (un)serializing many things at once.
Definition: serialize.h:986
Describes a place in the block chain to another node such that if the other node doesn't have the sam...
Definition: block.h:117
std::vector< uint256 > vHave
Definition: block.h:127
void Encode(unsigned char code[BIP32_EXTKEY_SIZE]) const
Definition: pubkey.cpp:385
void Decode(const unsigned char code[BIP32_EXTKEY_SIZE])
Definition: pubkey.cpp:394
Bilingual messages:
Definition: translation.h:24
bool require_existing
Definition: db.h:173
std::optional< DatabaseFormat > require_format
Definition: db.h:175
#define LOCK(cs)
Definition: sync.h:266
#define EXCLUSIVE_LOCKS_REQUIRED(...)
Definition: threadsafety.h:51
#define strprintf
Format arguments and return the string or write to given std::ostream (see tinyformat::format doc for...
Definition: tinyformat.h:1172
consteval auto _(util::TranslatedLiteral str)
Definition: translation.h:79
bilingual_str Untranslated(std::string original)
Mark a bilingual_str as untranslated.
Definition: translation.h:82
AssertLockHeld(pool.cs)
assert(!tx.IsCoinBase())