Add wallet privkey encryption.
[novacoin.git] / src / db.cpp
1 // Copyright (c) 2009-2010 Satoshi Nakamoto
2 // Distributed under the MIT/X11 software license, see the accompanying
3 // file license.txt or http://www.opensource.org/licenses/mit-license.php.
4
5 #include "headers.h"
6 #include "db.h"
7 #include "net.h"
8 #include <boost/filesystem.hpp>
9 #include <boost/filesystem/fstream.hpp>
10
11 using namespace std;
12 using namespace boost;
13
14
15 unsigned int nWalletDBUpdated;
16 uint64 nAccountingEntryNumber = 0;
17
18
19
20 //
21 // CDB
22 //
23
24 static CCriticalSection cs_db;
25 static bool fDbEnvInit = false;
26 DbEnv dbenv(0);
27 static map<string, int> mapFileUseCount;
28 static map<string, Db*> mapDb;
29
30 class CDBInit
31 {
32 public:
33     CDBInit()
34     {
35     }
36     ~CDBInit()
37     {
38         if (fDbEnvInit)
39         {
40             dbenv.close(0);
41             fDbEnvInit = false;
42         }
43     }
44 }
45 instance_of_cdbinit;
46
47
48 CDB::CDB(const char* pszFile, const char* pszMode) : pdb(NULL)
49 {
50     int ret;
51     if (pszFile == NULL)
52         return;
53
54     fReadOnly = (!strchr(pszMode, '+') && !strchr(pszMode, 'w'));
55     bool fCreate = strchr(pszMode, 'c');
56     unsigned int nFlags = DB_THREAD;
57     if (fCreate)
58         nFlags |= DB_CREATE;
59
60     CRITICAL_BLOCK(cs_db)
61     {
62         if (!fDbEnvInit)
63         {
64             if (fShutdown)
65                 return;
66             string strDataDir = GetDataDir();
67             string strLogDir = strDataDir + "/database";
68             filesystem::create_directory(strLogDir.c_str());
69             string strErrorFile = strDataDir + "/db.log";
70             printf("dbenv.open strLogDir=%s strErrorFile=%s\n", strLogDir.c_str(), strErrorFile.c_str());
71
72             dbenv.set_lg_dir(strLogDir.c_str());
73             dbenv.set_lg_max(10000000);
74             dbenv.set_lk_max_locks(10000);
75             dbenv.set_lk_max_objects(10000);
76             dbenv.set_errfile(fopen(strErrorFile.c_str(), "a")); /// debug
77             dbenv.set_flags(DB_AUTO_COMMIT, 1);
78             ret = dbenv.open(strDataDir.c_str(),
79                              DB_CREATE     |
80                              DB_INIT_LOCK  |
81                              DB_INIT_LOG   |
82                              DB_INIT_MPOOL |
83                              DB_INIT_TXN   |
84                              DB_THREAD     |
85                              DB_RECOVER,
86                              S_IRUSR | S_IWUSR);
87             if (ret > 0)
88                 throw runtime_error(strprintf("CDB() : error %d opening database environment", ret));
89             fDbEnvInit = true;
90         }
91
92         strFile = pszFile;
93         ++mapFileUseCount[strFile];
94         pdb = mapDb[strFile];
95         if (pdb == NULL)
96         {
97             pdb = new Db(&dbenv, 0);
98
99             ret = pdb->open(NULL,      // Txn pointer
100                             pszFile,   // Filename
101                             "main",    // Logical db name
102                             DB_BTREE,  // Database type
103                             nFlags,    // Flags
104                             0);
105
106             if (ret > 0)
107             {
108                 delete pdb;
109                 pdb = NULL;
110                 CRITICAL_BLOCK(cs_db)
111                     --mapFileUseCount[strFile];
112                 strFile = "";
113                 throw runtime_error(strprintf("CDB() : can't open database file %s, error %d", pszFile, ret));
114             }
115
116             if (fCreate && !Exists(string("version")))
117             {
118                 bool fTmp = fReadOnly;
119                 fReadOnly = false;
120                 WriteVersion(VERSION);
121                 fReadOnly = fTmp;
122             }
123
124             mapDb[strFile] = pdb;
125         }
126     }
127 }
128
129 void CDB::Close()
130 {
131     if (!pdb)
132         return;
133     if (!vTxn.empty())
134         vTxn.front()->abort();
135     vTxn.clear();
136     pdb = NULL;
137
138     // Flush database activity from memory pool to disk log
139     unsigned int nMinutes = 0;
140     if (fReadOnly)
141         nMinutes = 1;
142     if (strFile == "addr.dat")
143         nMinutes = 2;
144     if (strFile == "blkindex.dat" && IsInitialBlockDownload() && nBestHeight % 500 != 0)
145         nMinutes = 1;
146     dbenv.txn_checkpoint(0, nMinutes, 0);
147
148     CRITICAL_BLOCK(cs_db)
149         --mapFileUseCount[strFile];
150 }
151
152 void static CloseDb(const string& strFile)
153 {
154     CRITICAL_BLOCK(cs_db)
155     {
156         if (mapDb[strFile] != NULL)
157         {
158             // Close the database handle
159             Db* pdb = mapDb[strFile];
160             pdb->close(0);
161             delete pdb;
162             mapDb[strFile] = NULL;
163         }
164     }
165 }
166
167 void DBFlush(bool fShutdown)
168 {
169     // Flush log data to the actual data file
170     //  on all files that are not in use
171     printf("DBFlush(%s)%s\n", fShutdown ? "true" : "false", fDbEnvInit ? "" : " db not started");
172     if (!fDbEnvInit)
173         return;
174     CRITICAL_BLOCK(cs_db)
175     {
176         map<string, int>::iterator mi = mapFileUseCount.begin();
177         while (mi != mapFileUseCount.end())
178         {
179             string strFile = (*mi).first;
180             int nRefCount = (*mi).second;
181             printf("%s refcount=%d\n", strFile.c_str(), nRefCount);
182             if (nRefCount == 0)
183             {
184                 // Move log data to the dat file
185                 CloseDb(strFile);
186                 dbenv.txn_checkpoint(0, 0, 0);
187                 printf("%s flush\n", strFile.c_str());
188                 dbenv.lsn_reset(strFile.c_str(), 0);
189                 mapFileUseCount.erase(mi++);
190             }
191             else
192                 mi++;
193         }
194         if (fShutdown)
195         {
196             char** listp;
197             if (mapFileUseCount.empty())
198                 dbenv.log_archive(&listp, DB_ARCH_REMOVE);
199             dbenv.close(0);
200             fDbEnvInit = false;
201         }
202     }
203 }
204
205
206
207
208
209
210 //
211 // CTxDB
212 //
213
214 bool CTxDB::ReadTxIndex(uint256 hash, CTxIndex& txindex)
215 {
216     assert(!fClient);
217     txindex.SetNull();
218     return Read(make_pair(string("tx"), hash), txindex);
219 }
220
221 bool CTxDB::UpdateTxIndex(uint256 hash, const CTxIndex& txindex)
222 {
223     assert(!fClient);
224     return Write(make_pair(string("tx"), hash), txindex);
225 }
226
227 bool CTxDB::AddTxIndex(const CTransaction& tx, const CDiskTxPos& pos, int nHeight)
228 {
229     assert(!fClient);
230
231     // Add to tx index
232     uint256 hash = tx.GetHash();
233     CTxIndex txindex(pos, tx.vout.size());
234     return Write(make_pair(string("tx"), hash), txindex);
235 }
236
237 bool CTxDB::EraseTxIndex(const CTransaction& tx)
238 {
239     assert(!fClient);
240     uint256 hash = tx.GetHash();
241
242     return Erase(make_pair(string("tx"), hash));
243 }
244
245 bool CTxDB::ContainsTx(uint256 hash)
246 {
247     assert(!fClient);
248     return Exists(make_pair(string("tx"), hash));
249 }
250
251 bool CTxDB::ReadOwnerTxes(uint160 hash160, int nMinHeight, vector<CTransaction>& vtx)
252 {
253     assert(!fClient);
254     vtx.clear();
255
256     // Get cursor
257     Dbc* pcursor = GetCursor();
258     if (!pcursor)
259         return false;
260
261     unsigned int fFlags = DB_SET_RANGE;
262     loop
263     {
264         // Read next record
265         CDataStream ssKey;
266         if (fFlags == DB_SET_RANGE)
267             ssKey << string("owner") << hash160 << CDiskTxPos(0, 0, 0);
268         CDataStream ssValue;
269         int ret = ReadAtCursor(pcursor, ssKey, ssValue, fFlags);
270         fFlags = DB_NEXT;
271         if (ret == DB_NOTFOUND)
272             break;
273         else if (ret != 0)
274         {
275             pcursor->close();
276             return false;
277         }
278
279         // Unserialize
280         string strType;
281         uint160 hashItem;
282         CDiskTxPos pos;
283         ssKey >> strType >> hashItem >> pos;
284         int nItemHeight;
285         ssValue >> nItemHeight;
286
287         // Read transaction
288         if (strType != "owner" || hashItem != hash160)
289             break;
290         if (nItemHeight >= nMinHeight)
291         {
292             vtx.resize(vtx.size()+1);
293             if (!vtx.back().ReadFromDisk(pos))
294             {
295                 pcursor->close();
296                 return false;
297             }
298         }
299     }
300
301     pcursor->close();
302     return true;
303 }
304
305 bool CTxDB::ReadDiskTx(uint256 hash, CTransaction& tx, CTxIndex& txindex)
306 {
307     assert(!fClient);
308     tx.SetNull();
309     if (!ReadTxIndex(hash, txindex))
310         return false;
311     return (tx.ReadFromDisk(txindex.pos));
312 }
313
314 bool CTxDB::ReadDiskTx(uint256 hash, CTransaction& tx)
315 {
316     CTxIndex txindex;
317     return ReadDiskTx(hash, tx, txindex);
318 }
319
320 bool CTxDB::ReadDiskTx(COutPoint outpoint, CTransaction& tx, CTxIndex& txindex)
321 {
322     return ReadDiskTx(outpoint.hash, tx, txindex);
323 }
324
325 bool CTxDB::ReadDiskTx(COutPoint outpoint, CTransaction& tx)
326 {
327     CTxIndex txindex;
328     return ReadDiskTx(outpoint.hash, tx, txindex);
329 }
330
331 bool CTxDB::WriteBlockIndex(const CDiskBlockIndex& blockindex)
332 {
333     return Write(make_pair(string("blockindex"), blockindex.GetBlockHash()), blockindex);
334 }
335
336 bool CTxDB::EraseBlockIndex(uint256 hash)
337 {
338     return Erase(make_pair(string("blockindex"), hash));
339 }
340
341 bool CTxDB::ReadHashBestChain(uint256& hashBestChain)
342 {
343     return Read(string("hashBestChain"), hashBestChain);
344 }
345
346 bool CTxDB::WriteHashBestChain(uint256 hashBestChain)
347 {
348     return Write(string("hashBestChain"), hashBestChain);
349 }
350
351 bool CTxDB::ReadBestInvalidWork(CBigNum& bnBestInvalidWork)
352 {
353     return Read(string("bnBestInvalidWork"), bnBestInvalidWork);
354 }
355
356 bool CTxDB::WriteBestInvalidWork(CBigNum bnBestInvalidWork)
357 {
358     return Write(string("bnBestInvalidWork"), bnBestInvalidWork);
359 }
360
361 CBlockIndex static * InsertBlockIndex(uint256 hash)
362 {
363     if (hash == 0)
364         return NULL;
365
366     // Return existing
367     map<uint256, CBlockIndex*>::iterator mi = mapBlockIndex.find(hash);
368     if (mi != mapBlockIndex.end())
369         return (*mi).second;
370
371     // Create new
372     CBlockIndex* pindexNew = new CBlockIndex();
373     if (!pindexNew)
374         throw runtime_error("LoadBlockIndex() : new CBlockIndex failed");
375     mi = mapBlockIndex.insert(make_pair(hash, pindexNew)).first;
376     pindexNew->phashBlock = &((*mi).first);
377
378     return pindexNew;
379 }
380
381 bool CTxDB::LoadBlockIndex()
382 {
383     // Get database cursor
384     Dbc* pcursor = GetCursor();
385     if (!pcursor)
386         return false;
387
388     // Load mapBlockIndex
389     unsigned int fFlags = DB_SET_RANGE;
390     loop
391     {
392         // Read next record
393         CDataStream ssKey;
394         if (fFlags == DB_SET_RANGE)
395             ssKey << make_pair(string("blockindex"), uint256(0));
396         CDataStream ssValue;
397         int ret = ReadAtCursor(pcursor, ssKey, ssValue, fFlags);
398         fFlags = DB_NEXT;
399         if (ret == DB_NOTFOUND)
400             break;
401         else if (ret != 0)
402             return false;
403
404         // Unserialize
405         string strType;
406         ssKey >> strType;
407         if (strType == "blockindex")
408         {
409             CDiskBlockIndex diskindex;
410             ssValue >> diskindex;
411
412             // Construct block index object
413             CBlockIndex* pindexNew = InsertBlockIndex(diskindex.GetBlockHash());
414             pindexNew->pprev          = InsertBlockIndex(diskindex.hashPrev);
415             pindexNew->pnext          = InsertBlockIndex(diskindex.hashNext);
416             pindexNew->nFile          = diskindex.nFile;
417             pindexNew->nBlockPos      = diskindex.nBlockPos;
418             pindexNew->nHeight        = diskindex.nHeight;
419             pindexNew->nVersion       = diskindex.nVersion;
420             pindexNew->hashMerkleRoot = diskindex.hashMerkleRoot;
421             pindexNew->nTime          = diskindex.nTime;
422             pindexNew->nBits          = diskindex.nBits;
423             pindexNew->nNonce         = diskindex.nNonce;
424
425             // Watch for genesis block
426             if (pindexGenesisBlock == NULL && diskindex.GetBlockHash() == hashGenesisBlock)
427                 pindexGenesisBlock = pindexNew;
428
429             if (!pindexNew->CheckIndex())
430                 return error("LoadBlockIndex() : CheckIndex failed at %d", pindexNew->nHeight);
431         }
432         else
433         {
434             break;
435         }
436     }
437     pcursor->close();
438
439     // Calculate bnChainWork
440     vector<pair<int, CBlockIndex*> > vSortedByHeight;
441     vSortedByHeight.reserve(mapBlockIndex.size());
442     BOOST_FOREACH(const PAIRTYPE(uint256, CBlockIndex*)& item, mapBlockIndex)
443     {
444         CBlockIndex* pindex = item.second;
445         vSortedByHeight.push_back(make_pair(pindex->nHeight, pindex));
446     }
447     sort(vSortedByHeight.begin(), vSortedByHeight.end());
448     BOOST_FOREACH(const PAIRTYPE(int, CBlockIndex*)& item, vSortedByHeight)
449     {
450         CBlockIndex* pindex = item.second;
451         pindex->bnChainWork = (pindex->pprev ? pindex->pprev->bnChainWork : 0) + pindex->GetBlockWork();
452     }
453
454     // Load hashBestChain pointer to end of best chain
455     if (!ReadHashBestChain(hashBestChain))
456     {
457         if (pindexGenesisBlock == NULL)
458             return true;
459         return error("CTxDB::LoadBlockIndex() : hashBestChain not loaded");
460     }
461     if (!mapBlockIndex.count(hashBestChain))
462         return error("CTxDB::LoadBlockIndex() : hashBestChain not found in the block index");
463     pindexBest = mapBlockIndex[hashBestChain];
464     nBestHeight = pindexBest->nHeight;
465     bnBestChainWork = pindexBest->bnChainWork;
466     printf("LoadBlockIndex(): hashBestChain=%s  height=%d\n", hashBestChain.ToString().substr(0,20).c_str(), nBestHeight);
467
468     // Load bnBestInvalidWork, OK if it doesn't exist
469     ReadBestInvalidWork(bnBestInvalidWork);
470
471     // Verify blocks in the best chain
472     CBlockIndex* pindexFork = NULL;
473     for (CBlockIndex* pindex = pindexBest; pindex && pindex->pprev; pindex = pindex->pprev)
474     {
475         if (pindex->nHeight < nBestHeight-2500 && !mapArgs.count("-checkblocks"))
476             break;
477         CBlock block;
478         if (!block.ReadFromDisk(pindex))
479             return error("LoadBlockIndex() : block.ReadFromDisk failed");
480         if (!block.CheckBlock())
481         {
482             printf("LoadBlockIndex() : *** found bad block at %d, hash=%s\n", pindex->nHeight, pindex->GetBlockHash().ToString().c_str());
483             pindexFork = pindex->pprev;
484         }
485     }
486     if (pindexFork)
487     {
488         // Reorg back to the fork
489         printf("LoadBlockIndex() : *** moving best chain pointer back to block %d\n", pindexFork->nHeight);
490         CBlock block;
491         if (!block.ReadFromDisk(pindexFork))
492             return error("LoadBlockIndex() : block.ReadFromDisk failed");
493         CTxDB txdb;
494         block.SetBestChain(txdb, pindexFork);
495     }
496
497     return true;
498 }
499
500
501
502
503
504 //
505 // CAddrDB
506 //
507
508 bool CAddrDB::WriteAddress(const CAddress& addr)
509 {
510     return Write(make_pair(string("addr"), addr.GetKey()), addr);
511 }
512
513 bool CAddrDB::EraseAddress(const CAddress& addr)
514 {
515     return Erase(make_pair(string("addr"), addr.GetKey()));
516 }
517
518 bool CAddrDB::LoadAddresses()
519 {
520     CRITICAL_BLOCK(cs_mapAddresses)
521     {
522         // Load user provided addresses
523         CAutoFile filein = fopen((GetDataDir() + "/addr.txt").c_str(), "rt");
524         if (filein)
525         {
526             try
527             {
528                 char psz[1000];
529                 while (fgets(psz, sizeof(psz), filein))
530                 {
531                     CAddress addr(psz, NODE_NETWORK);
532                     addr.nTime = 0; // so it won't relay unless successfully connected
533                     if (addr.IsValid())
534                         AddAddress(addr);
535                 }
536             }
537             catch (...) { }
538         }
539
540         // Get cursor
541         Dbc* pcursor = GetCursor();
542         if (!pcursor)
543             return false;
544
545         loop
546         {
547             // Read next record
548             CDataStream ssKey;
549             CDataStream ssValue;
550             int ret = ReadAtCursor(pcursor, ssKey, ssValue);
551             if (ret == DB_NOTFOUND)
552                 break;
553             else if (ret != 0)
554                 return false;
555
556             // Unserialize
557             string strType;
558             ssKey >> strType;
559             if (strType == "addr")
560             {
561                 CAddress addr;
562                 ssValue >> addr;
563                 mapAddresses.insert(make_pair(addr.GetKey(), addr));
564             }
565         }
566         pcursor->close();
567
568         printf("Loaded %d addresses\n", mapAddresses.size());
569     }
570
571     return true;
572 }
573
574 bool LoadAddresses()
575 {
576     return CAddrDB("cr+").LoadAddresses();
577 }
578
579
580
581
582 //
583 // CWalletDB
584 //
585
586 bool CWalletDB::WriteName(const string& strAddress, const string& strName)
587 {
588     nWalletDBUpdated++;
589     return Write(make_pair(string("name"), strAddress), strName);
590 }
591
592 bool CWalletDB::EraseName(const string& strAddress)
593 {
594     // This should only be used for sending addresses, never for receiving addresses,
595     // receiving addresses must always have an address book entry if they're not change return.
596     nWalletDBUpdated++;
597     return Erase(make_pair(string("name"), strAddress));
598 }
599
600 bool CWalletDB::ReadAccount(const string& strAccount, CAccount& account)
601 {
602     account.SetNull();
603     return Read(make_pair(string("acc"), strAccount), account);
604 }
605
606 bool CWalletDB::WriteAccount(const string& strAccount, const CAccount& account)
607 {
608     return Write(make_pair(string("acc"), strAccount), account);
609 }
610
611 bool CWalletDB::WriteAccountingEntry(const CAccountingEntry& acentry)
612 {
613     return Write(make_tuple(string("acentry"), acentry.strAccount, ++nAccountingEntryNumber), acentry);
614 }
615
616 int64 CWalletDB::GetAccountCreditDebit(const string& strAccount)
617 {
618     list<CAccountingEntry> entries;
619     ListAccountCreditDebit(strAccount, entries);
620
621     int64 nCreditDebit = 0;
622     BOOST_FOREACH (const CAccountingEntry& entry, entries)
623         nCreditDebit += entry.nCreditDebit;
624
625     return nCreditDebit;
626 }
627
628 void CWalletDB::ListAccountCreditDebit(const string& strAccount, list<CAccountingEntry>& entries)
629 {
630     int64 nCreditDebit = 0;
631
632     bool fAllAccounts = (strAccount == "*");
633
634     Dbc* pcursor = GetCursor();
635     if (!pcursor)
636         throw runtime_error("CWalletDB::ListAccountCreditDebit() : cannot create DB cursor");
637     unsigned int fFlags = DB_SET_RANGE;
638     loop
639     {
640         // Read next record
641         CDataStream ssKey;
642         if (fFlags == DB_SET_RANGE)
643             ssKey << make_tuple(string("acentry"), (fAllAccounts? string("") : strAccount), uint64(0));
644         CDataStream ssValue;
645         int ret = ReadAtCursor(pcursor, ssKey, ssValue, fFlags);
646         fFlags = DB_NEXT;
647         if (ret == DB_NOTFOUND)
648             break;
649         else if (ret != 0)
650         {
651             pcursor->close();
652             throw runtime_error("CWalletDB::ListAccountCreditDebit() : error scanning DB");
653         }
654
655         // Unserialize
656         string strType;
657         ssKey >> strType;
658         if (strType != "acentry")
659             break;
660         CAccountingEntry acentry;
661         ssKey >> acentry.strAccount;
662         if (!fAllAccounts && acentry.strAccount != strAccount)
663             break;
664
665         ssValue >> acentry;
666         entries.push_back(acentry);
667     }
668
669     pcursor->close();
670 }
671
672
673 bool CWalletDB::LoadWallet(CWallet* pwallet)
674 {
675     pwallet->vchDefaultKey.clear();
676     int nFileVersion = 0;
677     vector<uint256> vWalletUpgrade;
678
679     // Modify defaults
680 #ifndef __WXMSW__
681     // Tray icon sometimes disappears on 9.10 karmic koala 64-bit, leaving no way to access the program
682     fMinimizeToTray = false;
683     fMinimizeOnClose = false;
684 #endif
685
686     //// todo: shouldn't we catch exceptions and try to recover and continue?
687     CRITICAL_BLOCK(pwallet->cs_mapWallet)
688     CRITICAL_BLOCK(pwallet->cs_KeyStore)
689     {
690         // Get cursor
691         Dbc* pcursor = GetCursor();
692         if (!pcursor)
693             return false;
694
695         loop
696         {
697             // Read next record
698             CDataStream ssKey;
699             CDataStream ssValue;
700             int ret = ReadAtCursor(pcursor, ssKey, ssValue);
701             if (ret == DB_NOTFOUND)
702                 break;
703             else if (ret != 0)
704                 return false;
705
706             // Unserialize
707             // Taking advantage of the fact that pair serialization
708             // is just the two items serialized one after the other
709             string strType;
710             ssKey >> strType;
711             if (strType == "name")
712             {
713                 string strAddress;
714                 ssKey >> strAddress;
715                 ssValue >> pwallet->mapAddressBook[strAddress];
716             }
717             else if (strType == "tx")
718             {
719                 uint256 hash;
720                 ssKey >> hash;
721                 CWalletTx& wtx = pwallet->mapWallet[hash];
722                 ssValue >> wtx;
723                 wtx.pwallet = pwallet;
724
725                 if (wtx.GetHash() != hash)
726                     printf("Error in wallet.dat, hash mismatch\n");
727
728                 // Undo serialize changes in 31600
729                 if (31404 <= wtx.fTimeReceivedIsTxTime && wtx.fTimeReceivedIsTxTime <= 31703)
730                 {
731                     if (!ssValue.empty())
732                     {
733                         char fTmp;
734                         char fUnused;
735                         ssValue >> fTmp >> fUnused >> wtx.strFromAccount;
736                         printf("LoadWallet() upgrading tx ver=%d %d '%s' %s\n", wtx.fTimeReceivedIsTxTime, fTmp, wtx.strFromAccount.c_str(), hash.ToString().c_str());
737                         wtx.fTimeReceivedIsTxTime = fTmp;
738                     }
739                     else
740                     {
741                         printf("LoadWallet() repairing tx ver=%d %s\n", wtx.fTimeReceivedIsTxTime, hash.ToString().c_str());
742                         wtx.fTimeReceivedIsTxTime = 0;
743                     }
744                     vWalletUpgrade.push_back(hash);
745                 }
746
747                 //// debug print
748                 //printf("LoadWallet  %s\n", wtx.GetHash().ToString().c_str());
749                 //printf(" %12I64d  %s  %s  %s\n",
750                 //    wtx.vout[0].nValue,
751                 //    DateTimeStrFormat("%x %H:%M:%S", wtx.GetBlockTime()).c_str(),
752                 //    wtx.hashBlock.ToString().substr(0,20).c_str(),
753                 //    wtx.mapValue["message"].c_str());
754             }
755             else if (strType == "acentry")
756             {
757                 string strAccount;
758                 ssKey >> strAccount;
759                 uint64 nNumber;
760                 ssKey >> nNumber;
761                 if (nNumber > nAccountingEntryNumber)
762                     nAccountingEntryNumber = nNumber;
763             }
764             else if (strType == "key" || strType == "wkey")
765             {
766                 vector<unsigned char> vchPubKey;
767                 ssKey >> vchPubKey;
768                 CKey key;
769                 if (strType == "key")
770                 {
771                     CPrivKey pkey;
772                     ssValue >> pkey;
773                     key.SetPrivKey(pkey);
774                 }
775                 else
776                 {
777                     CWalletKey wkey;
778                     ssValue >> wkey;
779                     key.SetPrivKey(wkey.vchPrivKey);
780                 }
781                 if (!pwallet->LoadKey(key))
782                     return false;
783             }
784             else if (strType == "mkey")
785             {
786                 unsigned int nID;
787                 ssKey >> nID;
788                 CMasterKey kMasterKey;
789                 ssValue >> kMasterKey;
790                 if(pwallet->mapMasterKeys.count(nID) != 0)
791                     return false;
792                 pwallet->mapMasterKeys[nID] = kMasterKey;
793                 if (pwallet->nMasterKeyMaxID < nID)
794                     pwallet->nMasterKeyMaxID = nID;
795             }
796             else if (strType == "ckey")
797             {
798                 vector<unsigned char> vchPubKey;
799                 ssKey >> vchPubKey;
800                 vector<unsigned char> vchPrivKey;
801                 ssValue >> vchPrivKey;
802                 if (!pwallet->LoadCryptedKey(vchPubKey, vchPrivKey))
803                     return false;
804             }
805             else if (strType == "defaultkey")
806             {
807                 ssValue >> pwallet->vchDefaultKey;
808             }
809             else if (strType == "pool")
810             {
811                 int64 nIndex;
812                 ssKey >> nIndex;
813                 pwallet->setKeyPool.insert(nIndex);
814             }
815             else if (strType == "version")
816             {
817                 ssValue >> nFileVersion;
818                 if (nFileVersion == 10300)
819                     nFileVersion = 300;
820             }
821             else if (strType == "setting")
822             {
823                 string strKey;
824                 ssKey >> strKey;
825
826                 // Options
827 #ifndef GUI
828                 if (strKey == "fGenerateBitcoins")  ssValue >> fGenerateBitcoins;
829 #endif
830                 if (strKey == "nTransactionFee")    ssValue >> nTransactionFee;
831                 if (strKey == "addrIncoming")       ssValue >> addrIncoming;
832                 if (strKey == "fLimitProcessors")   ssValue >> fLimitProcessors;
833                 if (strKey == "nLimitProcessors")   ssValue >> nLimitProcessors;
834                 if (strKey == "fMinimizeToTray")    ssValue >> fMinimizeToTray;
835                 if (strKey == "fMinimizeOnClose")   ssValue >> fMinimizeOnClose;
836                 if (strKey == "fUseProxy")          ssValue >> fUseProxy;
837                 if (strKey == "addrProxy")          ssValue >> addrProxy;
838                 if (fHaveUPnP && strKey == "fUseUPnP")           ssValue >> fUseUPnP;
839             }
840         }
841         pcursor->close();
842     }
843
844     BOOST_FOREACH(uint256 hash, vWalletUpgrade)
845         WriteTx(hash, pwallet->mapWallet[hash]);
846
847     printf("nFileVersion = %d\n", nFileVersion);
848     printf("fGenerateBitcoins = %d\n", fGenerateBitcoins);
849     printf("nTransactionFee = %"PRI64d"\n", nTransactionFee);
850     printf("addrIncoming = %s\n", addrIncoming.ToString().c_str());
851     printf("fMinimizeToTray = %d\n", fMinimizeToTray);
852     printf("fMinimizeOnClose = %d\n", fMinimizeOnClose);
853     printf("fUseProxy = %d\n", fUseProxy);
854     printf("addrProxy = %s\n", addrProxy.ToString().c_str());
855     if (fHaveUPnP)
856         printf("fUseUPnP = %d\n", fUseUPnP);
857
858
859     // Upgrade
860     if (nFileVersion < VERSION)
861     {
862         // Get rid of old debug.log file in current directory
863         if (nFileVersion <= 105 && !pszSetDataDir[0])
864             unlink("debug.log");
865
866         WriteVersion(VERSION);
867     }
868
869
870     return true;
871 }
872
873 void ThreadFlushWalletDB(void* parg)
874 {
875     const string& strFile = ((const string*)parg)[0];
876     static bool fOneThread;
877     if (fOneThread)
878         return;
879     fOneThread = true;
880     if (mapArgs.count("-noflushwallet"))
881         return;
882
883     unsigned int nLastSeen = nWalletDBUpdated;
884     unsigned int nLastFlushed = nWalletDBUpdated;
885     int64 nLastWalletUpdate = GetTime();
886     while (!fShutdown)
887     {
888         Sleep(500);
889
890         if (nLastSeen != nWalletDBUpdated)
891         {
892             nLastSeen = nWalletDBUpdated;
893             nLastWalletUpdate = GetTime();
894         }
895
896         if (nLastFlushed != nWalletDBUpdated && GetTime() - nLastWalletUpdate >= 2)
897         {
898             TRY_CRITICAL_BLOCK(cs_db)
899             {
900                 // Don't do this if any databases are in use
901                 int nRefCount = 0;
902                 map<string, int>::iterator mi = mapFileUseCount.begin();
903                 while (mi != mapFileUseCount.end())
904                 {
905                     nRefCount += (*mi).second;
906                     mi++;
907                 }
908
909                 if (nRefCount == 0 && !fShutdown)
910                 {
911                     map<string, int>::iterator mi = mapFileUseCount.find(strFile);
912                     if (mi != mapFileUseCount.end())
913                     {
914                         printf("%s ", DateTimeStrFormat("%x %H:%M:%S", GetTime()).c_str());
915                         printf("Flushing wallet.dat\n");
916                         nLastFlushed = nWalletDBUpdated;
917                         int64 nStart = GetTimeMillis();
918
919                         // Flush wallet.dat so it's self contained
920                         CloseDb(strFile);
921                         dbenv.txn_checkpoint(0, 0, 0);
922                         dbenv.lsn_reset(strFile.c_str(), 0);
923
924                         mapFileUseCount.erase(mi++);
925                         printf("Flushed wallet.dat %"PRI64d"ms\n", GetTimeMillis() - nStart);
926                     }
927                 }
928             }
929         }
930     }
931 }
932
933 bool BackupWallet(const CWallet& wallet, const string& strDest)
934 {
935     if (!wallet.fFileBacked)
936         return false;
937     while (!fShutdown)
938     {
939         CRITICAL_BLOCK(cs_db)
940         {
941             if (!mapFileUseCount.count(wallet.strWalletFile) || mapFileUseCount[wallet.strWalletFile] == 0)
942             {
943                 // Flush log data to the dat file
944                 CloseDb(wallet.strWalletFile);
945                 dbenv.txn_checkpoint(0, 0, 0);
946                 dbenv.lsn_reset(wallet.strWalletFile.c_str(), 0);
947                 mapFileUseCount.erase(wallet.strWalletFile);
948
949                 // Copy wallet.dat
950                 filesystem::path pathSrc(GetDataDir() + "/" + wallet.strWalletFile);
951                 filesystem::path pathDest(strDest);
952                 if (filesystem::is_directory(pathDest))
953                     pathDest = pathDest / wallet.strWalletFile;
954 #if BOOST_VERSION >= 104000
955                 filesystem::copy_file(pathSrc, pathDest, filesystem::copy_option::overwrite_if_exists);
956 #else
957                 filesystem::copy_file(pathSrc, pathDest);
958 #endif
959                 printf("copied wallet.dat to %s\n", pathDest.string().c_str());
960
961                 return true;
962             }
963         }
964         Sleep(100);
965     }
966     return false;
967 }