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