Multi-threaded signatures checking support, rename threads.
[novacoin.git] / src / init.cpp
1 // Copyright (c) 2009-2010 Satoshi Nakamoto
2 // Copyright (c) 2009-2012 The Bitcoin developers
3 // Distributed under the MIT/X11 software license, see the accompanying
4 // file COPYING or http://www.opensource.org/licenses/mit-license.php.
5 #include "txdb.h"
6 #include "walletdb.h"
7 #include "bitcoinrpc.h"
8 #include "net.h"
9 #include "init.h"
10 #include "util.h"
11 #include "ui_interface.h"
12 #include "checkpoints.h"
13 #include "zerocoin/ZeroTest.h"
14 #include <boost/format.hpp>
15 #include <boost/filesystem.hpp>
16 #include <boost/filesystem/fstream.hpp>
17 #include <boost/filesystem/convenience.hpp>
18 #include <boost/interprocess/sync/file_lock.hpp>
19 #include <boost/algorithm/string/predicate.hpp>
20 #include <openssl/crypto.h>
21
22 #ifndef WIN32
23 #include <signal.h>
24 #endif
25
26
27 using namespace std;
28 using namespace boost;
29
30 CWallet* pwalletMain;
31 CClientUIInterface uiInterface;
32 std::string strWalletFileName;
33 bool fConfChange;
34 unsigned int nNodeLifespan;
35 unsigned int nDerivationMethodIndex;
36 unsigned int nMinerSleep;
37 bool fUseFastIndex;
38 bool fUseFastStakeMiner;
39 enum Checkpoints::CPMode CheckpointsMode;
40
41 //////////////////////////////////////////////////////////////////////////////
42 //
43 // Shutdown
44 //
45
46 void ExitTimeout(void* parg)
47 {
48 #ifdef WIN32
49     Sleep(5000);
50     ExitProcess(0);
51 #endif
52 }
53
54 void StartShutdown()
55 {
56 #ifdef QT_GUI
57     // ensure we leave the Qt main loop for a clean GUI exit (Shutdown() is called in bitcoin.cpp afterwards)
58     uiInterface.QueueShutdown();
59 #else
60     // Without UI, Shutdown() can simply be started in a new thread
61     NewThread(Shutdown, NULL);
62 #endif
63 }
64
65 void Shutdown(void* parg)
66 {
67     static CCriticalSection cs_Shutdown;
68     static bool fTaken;
69
70     // Make this thread recognisable as the shutdown thread
71     RenameThread("novacoin-shutoff");
72
73     bool fFirstThread = false;
74     {
75         TRY_LOCK(cs_Shutdown, lockShutdown);
76         if (lockShutdown)
77         {
78             fFirstThread = !fTaken;
79             fTaken = true;
80         }
81     }
82     static bool fExit;
83     if (fFirstThread)
84     {
85         fShutdown = true;
86         nTransactionsUpdated++;
87 //        CTxDB().Close();
88         bitdb.Flush(false);
89         {
90             LOCK(cs_main);
91             ThreadScriptCheckQuit();
92         }
93         StopNode();
94         bitdb.Flush(true);
95         boost::filesystem::remove(GetPidFile());
96         UnregisterWallet(pwalletMain);
97         delete pwalletMain;
98         NewThread(ExitTimeout, NULL);
99         Sleep(50);
100         printf("NovaCoin exited\n\n");
101         fExit = true;
102 #ifndef QT_GUI
103         // ensure non-UI client gets exited here, but let Bitcoin-Qt reach 'return 0;' in bitcoin.cpp
104         exit(0);
105 #endif
106     }
107     else
108     {
109         while (!fExit)
110             Sleep(500);
111         Sleep(100);
112         ExitThread(0);
113     }
114 }
115
116 void HandleSIGTERM(int)
117 {
118     fRequestShutdown = true;
119 }
120
121 void HandleSIGHUP(int)
122 {
123     fReopenDebugLog = true;
124 }
125
126
127
128
129
130 //////////////////////////////////////////////////////////////////////////////
131 //
132 // Start
133 //
134 #if !defined(QT_GUI)
135 bool AppInit(int argc, char* argv[])
136 {
137     bool fRet = false;
138     try
139     {
140         //
141         // Parameters
142         //
143         // If Qt is used, parameters/bitcoin.conf are parsed in qt/bitcoin.cpp's main()
144         ParseParameters(argc, argv);
145         if (!boost::filesystem::is_directory(GetDataDir(false)))
146         {
147             fprintf(stderr, "Error: Specified directory does not exist\n");
148             Shutdown(NULL);
149         }
150         ReadConfigFile(mapArgs, mapMultiArgs);
151
152         if (mapArgs.count("-?") || mapArgs.count("--help"))
153         {
154             // First part of help message is specific to bitcoind / RPC client
155             std::string strUsage = _("NovaCoin version") + " " + FormatFullVersion() + "\n\n" +
156                 _("Usage:") + "\n" +
157                   "  novacoind [options]                     " + "\n" +
158                   "  novacoind [options] <command> [params]  " + _("Send command to -server or novacoind") + "\n" +
159                   "  novacoind [options] help                " + _("List commands") + "\n" +
160                   "  novacoind [options] help <command>      " + _("Get help for a command") + "\n";
161
162             strUsage += "\n" + HelpMessage();
163
164             fprintf(stdout, "%s", strUsage.c_str());
165             return false;
166         }
167
168         // Command-line RPC
169         for (int i = 1; i < argc; i++)
170             if (!IsSwitchChar(argv[i][0]) && !boost::algorithm::istarts_with(argv[i], "novacoin:"))
171                 fCommandLine = true;
172
173         if (fCommandLine)
174         {
175             int ret = CommandLineRPC(argc, argv);
176             exit(ret);
177         }
178
179         fRet = AppInit2();
180     }
181     catch (std::exception& e) {
182         PrintException(&e, "AppInit()");
183     } catch (...) {
184         PrintException(NULL, "AppInit()");
185     }
186     if (!fRet)
187         Shutdown(NULL);
188     return fRet;
189 }
190
191 extern void noui_connect();
192 int main(int argc, char* argv[])
193 {
194     bool fRet = false;
195
196     // Connect bitcoind signal handlers
197     noui_connect();
198
199     fRet = AppInit(argc, argv);
200
201     if (fRet && fDaemon)
202         return 0;
203
204     return 1;
205 }
206 #endif
207
208 bool static InitError(const std::string &str)
209 {
210     uiInterface.ThreadSafeMessageBox(str, _("NovaCoin"), CClientUIInterface::OK | CClientUIInterface::MODAL);
211     return false;
212 }
213
214 bool static InitWarning(const std::string &str)
215 {
216     uiInterface.ThreadSafeMessageBox(str, _("NovaCoin"), CClientUIInterface::OK | CClientUIInterface::ICON_EXCLAMATION | CClientUIInterface::MODAL);
217     return true;
218 }
219
220
221 bool static Bind(const CService &addr, bool fError = true) {
222     if (IsLimited(addr))
223         return false;
224     std::string strError;
225     if (!BindListenPort(addr, strError)) {
226         if (fError)
227             return InitError(strError);
228         return false;
229     }
230     return true;
231 }
232
233 // Core-specific options shared between UI and daemon
234 std::string HelpMessage()
235 {
236     string strUsage = _("Options:") + "\n" +
237         "  -?                     " + _("This help message") + "\n" +
238         "  -conf=<file>           " + _("Specify configuration file (default: novacoin.conf)") + "\n" +
239         "  -pid=<file>            " + _("Specify pid file (default: novacoind.pid)") + "\n" +
240         "  -datadir=<dir>         " + _("Specify data directory") + "\n" +
241         "  -wallet=<file>         " + _("Specify wallet file (within data directory)") + "\n" +
242         "  -dbcache=<n>           " + _("Set database cache size in megabytes (default: 25)") + "\n" +
243         "  -dblogsize=<n>         " + _("Set database disk log size in megabytes (default: 100)") + "\n" +
244         "  -timeout=<n>           " + _("Specify connection timeout in milliseconds (default: 5000)") + "\n" +
245         "  -proxy=<ip:port>       " + _("Connect through socks proxy") + "\n" +
246         "  -socks=<n>             " + _("Select the version of socks proxy to use (4-5, default: 5)") + "\n" +
247         "  -tor=<ip:port>         " + _("Use proxy to reach tor hidden services (default: same as -proxy)") + "\n"
248         "  -dns                   " + _("Allow DNS lookups for -addnode, -seednode and -connect") + "\n" +
249         "  -port=<port>           " + _("Listen for connections on <port> (default: 7777 or testnet: 17777)") + "\n" +
250         "  -maxconnections=<n>    " + _("Maintain at most <n> connections to peers (default: 125)") + "\n" +
251         "  -addnode=<ip>          " + _("Add a node to connect to and attempt to keep the connection open") + "\n" +
252         "  -connect=<ip>          " + _("Connect only to the specified node(s)") + "\n" +
253         "  -seednode=<ip>         " + _("Connect to a node to retrieve peer addresses, and disconnect") + "\n" +
254         "  -externalip=<ip>       " + _("Specify your own public address") + "\n" +
255         "  -onlynet=<net>         " + _("Only connect to nodes in network <net> (IPv4, IPv6 or Tor)") + "\n" +
256         "  -discover              " + _("Discover own IP address (default: 1 when listening and no -externalip)") + "\n" +
257         "  -irc                   " + _("Find peers using internet relay chat (default: 1)") + "\n" +
258         "  -listen                " + _("Accept connections from outside (default: 1 if no -proxy or -connect)") + "\n" +
259         "  -bind=<addr>           " + _("Bind to given address. Use [host]:port notation for IPv6") + "\n" +
260         "  -dnsseed               " + _("Find peers using DNS lookup (default: 1)") + "\n" +
261         "  -cppolicy              " + _("Sync checkpoints policy (default: strict)") + "\n" +
262         "  -banscore=<n>          " + _("Threshold for disconnecting misbehaving peers (default: 100)") + "\n" +
263         "  -bantime=<n>           " + _("Number of seconds to keep misbehaving peers from reconnecting (default: 86400)") + "\n" +
264         "  -maxreceivebuffer=<n>  " + _("Maximum per-connection receive buffer, <n>*1000 bytes (default: 5000)") + "\n" +
265         "  -maxsendbuffer=<n>     " + _("Maximum per-connection send buffer, <n>*1000 bytes (default: 1000)") + "\n" +
266 #ifdef USE_UPNP
267 #if USE_UPNP
268         "  -upnp                  " + _("Use UPnP to map the listening port (default: 1 when listening)") + "\n" +
269 #else
270         "  -upnp                  " + _("Use UPnP to map the listening port (default: 0)") + "\n" +
271 #endif
272 #endif
273         "  -detachdb              " + _("Detach block and address databases. Increases shutdown time (default: 0)") + "\n" +
274         "  -paytxfee=<amt>        " + _("Fee per KB to add to transactions you send") + "\n" +
275         "  -mininput=<amt>        " + str(boost::format(_("When creating transactions, ignore inputs with value less than this (default: %s)")) % FormatMoney(MIN_TXOUT_AMOUNT)) + "\n" +
276 #ifdef QT_GUI
277         "  -server                " + _("Accept command line and JSON-RPC commands") + "\n" +
278 #endif
279 #if !defined(WIN32) && !defined(QT_GUI)
280         "  -daemon                " + _("Run in the background as a daemon and accept commands") + "\n" +
281 #endif
282         "  -testnet               " + _("Use the test network") + "\n" +
283         "  -debug                 " + _("Output extra debugging information. Implies all other -debug* options") + "\n" +
284         "  -debugnet              " + _("Output extra network debugging information") + "\n" +
285         "  -logtimestamps         " + _("Prepend debug output with timestamp") + "\n" +
286         "  -shrinkdebugfile       " + _("Shrink debug.log file on client startup (default: 1 when no -debug)") + "\n" +
287         "  -printtoconsole        " + _("Send trace/debug info to console instead of debug.log file") + "\n" +
288 #ifdef WIN32
289         "  -printtodebugger       " + _("Send trace/debug info to debugger") + "\n" +
290 #endif
291         "  -rpcuser=<user>        " + _("Username for JSON-RPC connections") + "\n" +
292         "  -rpcpassword=<pw>      " + _("Password for JSON-RPC connections") + "\n" +
293         "  -rpcport=<port>        " + _("Listen for JSON-RPC connections on <port> (default: 8344 or testnet: 18344)") + "\n" +
294         "  -rpcallowip=<ip>       " + _("Allow JSON-RPC connections from specified IP address") + "\n" +
295         "  -rpcconnect=<ip>       " + _("Send commands to node running on <ip> (default: 127.0.0.1)") + "\n" +
296         "  -blocknotify=<cmd>     " + _("Execute command when the best block changes (%s in cmd is replaced by block hash)") + "\n" +
297         "  -walletnotify=<cmd>    " + _("Execute command when a wallet transaction changes (%s in cmd is replaced by TxID)") + "\n" +
298         "  -confchange            " + _("Require a confirmations for change (default: 0)") + "\n" +
299         "  -upgradewallet         " + _("Upgrade wallet to latest format") + "\n" +
300         "  -keypool=<n>           " + _("Set key pool size to <n> (default: 100)") + "\n" +
301         "  -rescan                " + _("Rescan the block chain for missing wallet transactions") + "\n" +
302         "  -salvagewallet         " + _("Attempt to recover private keys from a corrupt wallet.dat") + "\n" +
303         "  -checkblocks=<n>       " + _("How many blocks to check at startup (default: 2500, 0 = all)") + "\n" +
304         "  -checklevel=<n>        " + _("How thorough the block verification is (0-6, default: 1)") + "\n" +
305         "  -par=N                 " + _("Set the number of script verification threads (1-16, 0=auto, default: 0)") + "\n" +
306         "  -loadblock=<file>      " + _("Imports blocks from external blk000?.dat file") + "\n" +
307
308         "\n" + _("Block creation options:") + "\n" +
309         "  -blockminsize=<n>      "   + _("Set minimum block size in bytes (default: 0)") + "\n" +
310         "  -blockmaxsize=<n>      "   + _("Set maximum block size in bytes (default: 250000)") + "\n" +
311         "  -blockprioritysize=<n> "   + _("Set maximum size of high-priority/low-fee transactions in bytes (default: 27000)") + "\n" +
312
313         "\n" + _("SSL options: (see the Bitcoin Wiki for SSL setup instructions)") + "\n" +
314         "  -rpcssl                                  " + _("Use OpenSSL (https) for JSON-RPC connections") + "\n" +
315         "  -rpcsslcertificatechainfile=<file.cert>  " + _("Server certificate file (default: server.cert)") + "\n" +
316         "  -rpcsslprivatekeyfile=<file.pem>         " + _("Server private key (default: server.pem)") + "\n" +
317         "  -rpcsslciphers=<ciphers>                 " + _("Acceptable ciphers (default: TLSv1+HIGH:!SSLv2:!aNULL:!eNULL:!AH:!3DES:@STRENGTH)") + "\n";
318
319     return strUsage;
320 }
321
322 /** Initialize bitcoin.
323  *  @pre Parameters should be parsed and config file should be read.
324  */
325 bool AppInit2()
326 {
327     // ********************************************************* Step 1: setup
328 #ifdef _MSC_VER
329     // Turn off Microsoft heap dump noise
330     _CrtSetReportMode(_CRT_WARN, _CRTDBG_MODE_FILE);
331     _CrtSetReportFile(_CRT_WARN, CreateFileA("NUL", GENERIC_WRITE, 0, NULL, OPEN_EXISTING, 0, 0));
332 #endif
333 #if _MSC_VER >= 1400
334     // Disable confusing "helpful" text message on abort, Ctrl-C
335     _set_abort_behavior(0, _WRITE_ABORT_MSG | _CALL_REPORTFAULT);
336 #endif
337 #ifdef WIN32
338     // Enable Data Execution Prevention (DEP)
339     // Minimum supported OS versions: WinXP SP3, WinVista >= SP1, Win Server 2008
340     // A failure is non-critical and needs no further attention!
341 #ifndef PROCESS_DEP_ENABLE
342 // We define this here, because GCCs winbase.h limits this to _WIN32_WINNT >= 0x0601 (Windows 7),
343 // which is not correct. Can be removed, when GCCs winbase.h is fixed!
344 #define PROCESS_DEP_ENABLE 0x00000001
345 #endif
346     typedef BOOL (WINAPI *PSETPROCDEPPOL)(DWORD);
347     PSETPROCDEPPOL setProcDEPPol = (PSETPROCDEPPOL)GetProcAddress(GetModuleHandleA("Kernel32.dll"), "SetProcessDEPPolicy");
348     if (setProcDEPPol != NULL) setProcDEPPol(PROCESS_DEP_ENABLE);
349 #endif
350 #ifndef WIN32
351     umask(077);
352
353     // Clean shutdown on SIGTERM
354     struct sigaction sa;
355     sa.sa_handler = HandleSIGTERM;
356     sigemptyset(&sa.sa_mask);
357     sa.sa_flags = 0;
358     sigaction(SIGTERM, &sa, NULL);
359     sigaction(SIGINT, &sa, NULL);
360
361     // Reopen debug.log on SIGHUP
362     struct sigaction sa_hup;
363     sa_hup.sa_handler = HandleSIGHUP;
364     sigemptyset(&sa_hup.sa_mask);
365     sa_hup.sa_flags = 0;
366     sigaction(SIGHUP, &sa_hup, NULL);
367 #endif
368
369     // ********************************************************* Step 2: parameter interactions
370
371     nNodeLifespan = GetArg("-addrlifespan", 7);
372     fUseFastIndex = GetBoolArg("-fastindex", true);
373     nMinerSleep = GetArg("-minersleep", 500);
374
375     CheckpointsMode = Checkpoints::STRICT;
376     std::string strCpMode = GetArg("-cppolicy", "strict");
377
378     if(strCpMode == "strict")
379         CheckpointsMode = Checkpoints::STRICT;
380
381     if(strCpMode == "advisory")
382         CheckpointsMode = Checkpoints::ADVISORY;
383
384     if(strCpMode == "permissive")
385         CheckpointsMode = Checkpoints::PERMISSIVE;
386
387     nDerivationMethodIndex = 0;
388
389     fTestNet = GetBoolArg("-testnet");
390     if (fTestNet) {
391         SoftSetBoolArg("-irc", true);
392     }
393
394     if (mapArgs.count("-bind")) {
395         // when specifying an explicit binding address, you want to listen on it
396         // even when -connect or -proxy is specified
397         SoftSetBoolArg("-listen", true);
398     }
399
400     if (mapArgs.count("-connect") && mapMultiArgs["-connect"].size() > 0) {
401         // when only connecting to trusted nodes, do not seed via DNS, or listen by default
402         SoftSetBoolArg("-dnsseed", false);
403         SoftSetBoolArg("-listen", false);
404     }
405
406     if (mapArgs.count("-proxy")) {
407         // to protect privacy, do not listen by default if a proxy server is specified
408         SoftSetBoolArg("-listen", false);
409     }
410
411     if (!GetBoolArg("-listen", true)) {
412         // do not map ports or try to retrieve public IP when not listening (pointless)
413         SoftSetBoolArg("-upnp", false);
414         SoftSetBoolArg("-discover", false);
415     }
416
417     if (mapArgs.count("-externalip")) {
418         // if an explicit public IP is specified, do not try to find others
419         SoftSetBoolArg("-discover", false);
420     }
421
422     if (GetBoolArg("-salvagewallet")) {
423         // Rewrite just private keys: rescan to find transactions
424         SoftSetBoolArg("-rescan", true);
425     }
426
427     // ********************************************************* Step 3: parameter-to-internal-flags
428
429     // -par=0 means autodetect, but nScriptCheckThreads==0 means no concurrency
430     nScriptCheckThreads = GetArg("-par", 0);
431     if (nScriptCheckThreads == 0)
432         nScriptCheckThreads = boost::thread::hardware_concurrency();
433     if (nScriptCheckThreads <= 1) 
434         nScriptCheckThreads = 0;
435     else if (nScriptCheckThreads > MAX_SCRIPTCHECK_THREADS)
436         nScriptCheckThreads = MAX_SCRIPTCHECK_THREADS;
437
438     fDebug = GetBoolArg("-debug");
439
440     // -debug implies fDebug*
441     if (fDebug)
442         fDebugNet = true;
443     else
444         fDebugNet = GetBoolArg("-debugnet");
445
446     bitdb.SetDetach(GetBoolArg("-detachdb", false));
447
448 #if !defined(WIN32) && !defined(QT_GUI)
449     fDaemon = GetBoolArg("-daemon");
450 #else
451     fDaemon = false;
452 #endif
453
454     if (fDaemon)
455         fServer = true;
456     else
457         fServer = GetBoolArg("-server");
458
459     /* force fServer when running without GUI */
460 #if !defined(QT_GUI)
461     fServer = true;
462 #endif
463     fPrintToConsole = GetBoolArg("-printtoconsole");
464     fPrintToDebugger = GetBoolArg("-printtodebugger");
465     fLogTimestamps = GetBoolArg("-logtimestamps");
466
467     if (mapArgs.count("-timeout"))
468     {
469         int nNewTimeout = GetArg("-timeout", 5000);
470         if (nNewTimeout > 0 && nNewTimeout < 600000)
471             nConnectTimeout = nNewTimeout;
472     }
473
474     // Continue to put "/P2SH/" in the coinbase to monitor
475     // BIP16 support.
476     // This can be removed eventually...
477     const char* pszP2SH = "/P2SH/";
478     COINBASE_FLAGS << std::vector<unsigned char>(pszP2SH, pszP2SH+strlen(pszP2SH));
479
480
481     if (mapArgs.count("-paytxfee"))
482     {
483         if (!ParseMoney(mapArgs["-paytxfee"], nTransactionFee))
484             return InitError(strprintf(_("Invalid amount for -paytxfee=<amount>: '%s'"), mapArgs["-paytxfee"].c_str()));
485         if (nTransactionFee > 0.25 * COIN)
486             InitWarning(_("Warning: -paytxfee is set very high! This is the transaction fee you will pay if you send a transaction."));
487     }
488
489     fConfChange = GetBoolArg("-confchange", false);
490
491     if (mapArgs.count("-mininput"))
492     {
493         if (!ParseMoney(mapArgs["-mininput"], nMinimumInputValue))
494             return InitError(strprintf(_("Invalid amount for -mininput=<amount>: '%s'"), mapArgs["-mininput"].c_str()));
495     }
496
497     // ********************************************************* Step 4: application initialization: dir lock, daemonize, pidfile, debug log
498
499     std::string strDataDir = GetDataDir().string();
500     std::string strWalletFileName = GetArg("-wallet", "wallet.dat");
501
502     // strWalletFileName must be a plain filename without a directory
503     if (strWalletFileName != boost::filesystem::basename(strWalletFileName) + boost::filesystem::extension(strWalletFileName))
504         return InitError(strprintf(_("Wallet %s resides outside data directory %s."), strWalletFileName.c_str(), strDataDir.c_str()));
505
506     // Make sure only a single Bitcoin process is using the data directory.
507     boost::filesystem::path pathLockFile = GetDataDir() / ".lock";
508     FILE* file = fopen(pathLockFile.string().c_str(), "a"); // empty lock file; created if it doesn't exist.
509     if (file) fclose(file);
510     static boost::interprocess::file_lock lock(pathLockFile.string().c_str());
511     if (!lock.try_lock())
512         return InitError(strprintf(_("Cannot obtain a lock on data directory %s.  NovaCoin is probably already running."), strDataDir.c_str()));
513
514 #if !defined(WIN32) && !defined(QT_GUI)
515     if (fDaemon)
516     {
517         // Daemonize
518         pid_t pid = fork();
519         if (pid < 0)
520         {
521             fprintf(stderr, "Error: fork() returned %d errno %d\n", pid, errno);
522             return false;
523         }
524         if (pid > 0)
525         {
526             CreatePidFile(GetPidFile(), pid);
527             return true;
528         }
529
530         pid_t sid = setsid();
531         if (sid < 0)
532             fprintf(stderr, "Error: setsid() returned %d errno %d\n", sid, errno);
533     }
534 #endif
535
536     if (GetBoolArg("-shrinkdebugfile", !fDebug))
537         ShrinkDebugFile();
538     printf("\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n");
539     printf("NovaCoin version %s (%s)\n", FormatFullVersion().c_str(), CLIENT_DATE.c_str());
540     printf("Using OpenSSL version %s\n", SSLeay_version(SSLEAY_VERSION));
541     if (!fLogTimestamps)
542         printf("Startup time: %s\n", DateTimeStrFormat("%x %H:%M:%S", GetTime()).c_str());
543     printf("Default data directory %s\n", GetDefaultDataDir().string().c_str());
544     printf("Used data directory %s\n", strDataDir.c_str());
545     std::ostringstream strErrors;
546
547     if (fDaemon)
548         fprintf(stdout, "NovaCoin server starting\n");
549
550     if (nScriptCheckThreads) {
551         printf("Using %u threads for script verification\n", nScriptCheckThreads);
552         for (int i=0; i<nScriptCheckThreads-1; i++)
553             NewThread(ThreadScriptCheck, NULL);
554     }
555
556     int64 nStart;
557
558     // ********************************************************* Step 5: verify database integrity
559
560     uiInterface.InitMessage(_("Verifying database integrity..."));
561
562     if (!bitdb.Open(GetDataDir()))
563     {
564         string msg = strprintf(_("Error initializing database environment %s!"
565                                  " To recover, BACKUP THAT DIRECTORY, then remove"
566                                  " everything from it except for wallet.dat."), strDataDir.c_str());
567         return InitError(msg);
568     }
569
570     if (GetBoolArg("-salvagewallet"))
571     {
572         // Recover readable keypairs:
573         if (!CWalletDB::Recover(bitdb, strWalletFileName, true))
574             return false;
575     }
576
577     if (filesystem::exists(GetDataDir() / strWalletFileName))
578     {
579         CDBEnv::VerifyResult r = bitdb.Verify(strWalletFileName, CWalletDB::Recover);
580         if (r == CDBEnv::RECOVER_OK)
581         {
582             string msg = strprintf(_("Warning: wallet.dat corrupt, data salvaged!"
583                                      " Original wallet.dat saved as wallet.{timestamp}.bak in %s; if"
584                                      " your balance or transactions are incorrect you should"
585                                      " restore from a backup."), strDataDir.c_str());
586             uiInterface.ThreadSafeMessageBox(msg, _("NovaCoin"), CClientUIInterface::OK | CClientUIInterface::ICON_EXCLAMATION | CClientUIInterface::MODAL);
587         }
588         if (r == CDBEnv::RECOVER_FAIL)
589             return InitError(_("wallet.dat corrupt, salvage failed"));
590     }
591
592     // ********************************************************* Step 6: network initialization
593
594     int nSocksVersion = GetArg("-socks", 5);
595
596     if (nSocksVersion != 4 && nSocksVersion != 5)
597         return InitError(strprintf(_("Unknown -socks proxy version requested: %i"), nSocksVersion));
598
599     if (mapArgs.count("-onlynet")) {
600         std::set<enum Network> nets;
601         BOOST_FOREACH(std::string snet, mapMultiArgs["-onlynet"]) {
602             enum Network net = ParseNetwork(snet);
603             if (net == NET_UNROUTABLE)
604                 return InitError(strprintf(_("Unknown network specified in -onlynet: '%s'"), snet.c_str()));
605             nets.insert(net);
606         }
607         for (int n = 0; n < NET_MAX; n++) {
608             enum Network net = (enum Network)n;
609             if (!nets.count(net))
610                 SetLimited(net);
611         }
612     }
613 #if defined(USE_IPV6)
614 #if ! USE_IPV6
615     else
616         SetLimited(NET_IPV6);
617 #endif
618 #endif
619
620     CService addrProxy;
621     bool fProxy = false;
622     if (mapArgs.count("-proxy")) {
623         addrProxy = CService(mapArgs["-proxy"], 9050);
624         if (!addrProxy.IsValid())
625             return InitError(strprintf(_("Invalid -proxy address: '%s'"), mapArgs["-proxy"].c_str()));
626
627         if (!IsLimited(NET_IPV4))
628             SetProxy(NET_IPV4, addrProxy, nSocksVersion);
629         if (nSocksVersion > 4) {
630 #ifdef USE_IPV6
631             if (!IsLimited(NET_IPV6))
632                 SetProxy(NET_IPV6, addrProxy, nSocksVersion);
633 #endif
634             SetNameProxy(addrProxy, nSocksVersion);
635         }
636         fProxy = true;
637     }
638
639     // -tor can override normal proxy, -notor disables tor entirely
640     if (!(mapArgs.count("-tor") && mapArgs["-tor"] == "0") && (fProxy || mapArgs.count("-tor"))) {
641         CService addrOnion;
642         if (!mapArgs.count("-tor"))
643             addrOnion = addrProxy;
644         else
645             addrOnion = CService(mapArgs["-tor"], 9050);
646         if (!addrOnion.IsValid())
647             return InitError(strprintf(_("Invalid -tor address: '%s'"), mapArgs["-tor"].c_str()));
648         SetProxy(NET_TOR, addrOnion, 5);
649         SetReachable(NET_TOR);
650     }
651
652     // see Step 2: parameter interactions for more information about these
653     fNoListen = !GetBoolArg("-listen", true);
654     fDiscover = GetBoolArg("-discover", true);
655     fNameLookup = GetBoolArg("-dns", true);
656 #ifdef USE_UPNP
657     fUseUPnP = GetBoolArg("-upnp", USE_UPNP);
658 #endif
659
660     bool fBound = false;
661     if (!fNoListen)
662     {
663         std::string strError;
664         if (mapArgs.count("-bind")) {
665             BOOST_FOREACH(std::string strBind, mapMultiArgs["-bind"]) {
666                 CService addrBind;
667                 if (!Lookup(strBind.c_str(), addrBind, GetListenPort(), false))
668                     return InitError(strprintf(_("Cannot resolve -bind address: '%s'"), strBind.c_str()));
669                 fBound |= Bind(addrBind);
670             }
671         } else {
672             struct in_addr inaddr_any;
673             inaddr_any.s_addr = INADDR_ANY;
674 #ifdef USE_IPV6
675             if (!IsLimited(NET_IPV6))
676                 fBound |= Bind(CService(in6addr_any, GetListenPort()), false);
677 #endif
678             if (!IsLimited(NET_IPV4))
679                 fBound |= Bind(CService(inaddr_any, GetListenPort()), !fBound);
680         }
681         if (!fBound)
682             return InitError(_("Failed to listen on any port. Use -listen=0 if you want this."));
683     }
684
685     if (mapArgs.count("-externalip"))
686     {
687         BOOST_FOREACH(string strAddr, mapMultiArgs["-externalip"]) {
688             CService addrLocal(strAddr, GetListenPort(), fNameLookup);
689             if (!addrLocal.IsValid())
690                 return InitError(strprintf(_("Cannot resolve -externalip address: '%s'"), strAddr.c_str()));
691             AddLocal(CService(strAddr, GetListenPort(), fNameLookup), LOCAL_MANUAL);
692         }
693     }
694
695     if (mapArgs.count("-reservebalance")) // ppcoin: reserve balance amount
696     {
697         int64 nReserveBalance = 0;
698         if (!ParseMoney(mapArgs["-reservebalance"], nReserveBalance))
699         {
700             InitError(_("Invalid amount for -reservebalance=<amount>"));
701             return false;
702         }
703     }
704
705     if (mapArgs.count("-checkpointkey")) // ppcoin: checkpoint master priv key
706     {
707         if (!Checkpoints::SetCheckpointPrivKey(GetArg("-checkpointkey", "")))
708             InitError(_("Unable to sign checkpoint, wrong checkpointkey?\n"));
709     }
710
711     BOOST_FOREACH(string strDest, mapMultiArgs["-seednode"])
712         AddOneShot(strDest);
713
714     // ********************************************************* Step 7: load blockchain
715
716     if (!bitdb.Open(GetDataDir()))
717     {
718         string msg = strprintf(_("Error initializing database environment %s!"
719                                  " To recover, BACKUP THAT DIRECTORY, then remove"
720                                  " everything from it except for wallet.dat."), strDataDir.c_str());
721         return InitError(msg);
722     }
723
724     if (GetBoolArg("-loadblockindextest"))
725     {
726         CTxDB txdb("r");
727         txdb.LoadBlockIndex();
728         PrintBlockTree();
729         return false;
730     }
731
732     uiInterface.InitMessage(_("Loading block index..."));
733     printf("Loading block index...\n");
734     nStart = GetTimeMillis();
735     if (!LoadBlockIndex())
736         return InitError(_("Error loading blkindex.dat"));
737
738
739     // as LoadBlockIndex can take several minutes, it's possible the user
740     // requested to kill bitcoin-qt during the last operation. If so, exit.
741     // As the program has not fully started yet, Shutdown() is possibly overkill.
742     if (fRequestShutdown)
743     {
744         printf("Shutdown requested. Exiting.\n");
745         return false;
746     }
747     printf(" block index %15"PRI64d"ms\n", GetTimeMillis() - nStart);
748
749     if (GetBoolArg("-printblockindex") || GetBoolArg("-printblocktree"))
750     {
751         PrintBlockTree();
752         return false;
753     }
754
755     if (mapArgs.count("-printblock"))
756     {
757         string strMatch = mapArgs["-printblock"];
758         int nFound = 0;
759         for (map<uint256, CBlockIndex*>::iterator mi = mapBlockIndex.begin(); mi != mapBlockIndex.end(); ++mi)
760         {
761             uint256 hash = (*mi).first;
762             if (strncmp(hash.ToString().c_str(), strMatch.c_str(), strMatch.size()) == 0)
763             {
764                 CBlockIndex* pindex = (*mi).second;
765                 CBlock block;
766                 block.ReadFromDisk(pindex);
767                 block.BuildMerkleTree();
768                 block.print();
769                 printf("\n");
770                 nFound++;
771             }
772         }
773         if (nFound == 0)
774             printf("No blocks matching %s were found\n", strMatch.c_str());
775         return false;
776     }
777
778     // ********************************************************* Testing Zerocoin
779
780
781     if (GetBoolArg("-zerotest", false))
782     {
783         printf("\n=== ZeroCoin tests start ===\n");
784         Test_RunAllTests();
785         printf("=== ZeroCoin tests end ===\n\n");
786     }
787
788     // ********************************************************* Step 8: load wallet
789
790     uiInterface.InitMessage(_("Loading wallet..."));
791     printf("Loading wallet...\n");
792     nStart = GetTimeMillis();
793     bool fFirstRun = true;
794     pwalletMain = new CWallet(strWalletFileName);
795     DBErrors nLoadWalletRet = pwalletMain->LoadWallet(fFirstRun);
796     if (nLoadWalletRet != DB_LOAD_OK)
797     {
798         if (nLoadWalletRet == DB_CORRUPT)
799             strErrors << _("Error loading wallet.dat: Wallet corrupted") << "\n";
800         else if (nLoadWalletRet == DB_NONCRITICAL_ERROR)
801         {
802             string msg(_("Warning: error reading wallet.dat! All keys read correctly, but transaction data"
803                          " or address book entries might be missing or incorrect."));
804             uiInterface.ThreadSafeMessageBox(msg, _("NovaCoin"), CClientUIInterface::OK | CClientUIInterface::ICON_EXCLAMATION | CClientUIInterface::MODAL);
805         }
806         else if (nLoadWalletRet == DB_TOO_NEW)
807             strErrors << _("Error loading wallet.dat: Wallet requires newer version of NovaCoin") << "\n";
808         else if (nLoadWalletRet == DB_NEED_REWRITE)
809         {
810             strErrors << _("Wallet needed to be rewritten: restart NovaCoin to complete") << "\n";
811             printf("%s", strErrors.str().c_str());
812             return InitError(strErrors.str());
813         }
814         else
815             strErrors << _("Error loading wallet.dat") << "\n";
816     }
817
818     if (GetBoolArg("-upgradewallet", fFirstRun))
819     {
820         int nMaxVersion = GetArg("-upgradewallet", 0);
821         if (nMaxVersion == 0) // the -upgradewallet without argument case
822         {
823             printf("Performing wallet upgrade to %i\n", FEATURE_LATEST);
824             nMaxVersion = CLIENT_VERSION;
825             pwalletMain->SetMinVersion(FEATURE_LATEST); // permanently upgrade the wallet immediately
826         }
827         else
828             printf("Allowing wallet upgrade up to %i\n", nMaxVersion);
829         if (nMaxVersion < pwalletMain->GetVersion())
830             strErrors << _("Cannot downgrade wallet") << "\n";
831         pwalletMain->SetMaxVersion(nMaxVersion);
832     }
833
834     if (fFirstRun)
835     {
836         // Create new keyUser and set as default key
837         RandAddSeedPerfmon();
838
839         CPubKey newDefaultKey;
840         if (!pwalletMain->GetKeyFromPool(newDefaultKey, false))
841             strErrors << _("Cannot initialize keypool") << "\n";
842         pwalletMain->SetDefaultKey(newDefaultKey);
843         if (!pwalletMain->SetAddressBookName(pwalletMain->vchDefaultKey.GetID(), ""))
844             strErrors << _("Cannot write default address") << "\n";
845     }
846
847     printf("%s", strErrors.str().c_str());
848     printf(" wallet      %15"PRI64d"ms\n", GetTimeMillis() - nStart);
849
850     RegisterWallet(pwalletMain);
851
852     CBlockIndex *pindexRescan = pindexBest;
853     if (GetBoolArg("-rescan"))
854         pindexRescan = pindexGenesisBlock;
855     else
856     {
857         CWalletDB walletdb(strWalletFileName);
858         CBlockLocator locator;
859         if (walletdb.ReadBestBlock(locator))
860             pindexRescan = locator.GetBlockIndex();
861     }
862     if (pindexBest != pindexRescan && pindexBest && pindexRescan && pindexBest->nHeight > pindexRescan->nHeight)
863     {
864         uiInterface.InitMessage(_("Rescanning..."));
865         printf("Rescanning last %i blocks (from block %i)...\n", pindexBest->nHeight - pindexRescan->nHeight, pindexRescan->nHeight);
866         nStart = GetTimeMillis();
867         pwalletMain->ScanForWalletTransactions(pindexRescan, true);
868         printf(" rescan      %15"PRI64d"ms\n", GetTimeMillis() - nStart);
869     }
870
871     // ********************************************************* Step 9: import blocks
872
873     if (mapArgs.count("-loadblock"))
874     {
875         uiInterface.InitMessage(_("Importing blockchain data file."));
876
877         BOOST_FOREACH(string strFile, mapMultiArgs["-loadblock"])
878         {
879             FILE *file = fopen(strFile.c_str(), "rb");
880             if (file)
881                 LoadExternalBlockFile(file);
882         }
883         exit(0);
884     }
885
886     filesystem::path pathBootstrap = GetDataDir() / "bootstrap.dat";
887     if (filesystem::exists(pathBootstrap)) {
888         uiInterface.InitMessage(_("Importing bootstrap blockchain data file."));
889
890         FILE *file = fopen(pathBootstrap.string().c_str(), "rb");
891         if (file) {
892             filesystem::path pathBootstrapOld = GetDataDir() / "bootstrap.dat.old";
893             LoadExternalBlockFile(file);
894             RenameOver(pathBootstrap, pathBootstrapOld);
895         }
896     }
897
898     // ********************************************************* Step 10: load peers
899
900     uiInterface.InitMessage(_("Loading addresses..."));
901     printf("Loading addresses...\n");
902     nStart = GetTimeMillis();
903
904     {
905         CAddrDB adb;
906         if (!adb.Read(addrman))
907             printf("Invalid or missing peers.dat; recreating\n");
908     }
909
910     printf("Loaded %i addresses from peers.dat  %"PRI64d"ms\n",
911            addrman.size(), GetTimeMillis() - nStart);
912
913     // ********************************************************* Step 11: start node
914
915     if (!CheckDiskSpace())
916         return false;
917
918     RandAddSeedPerfmon();
919
920     //// debug print
921     printf("mapBlockIndex.size() = %"PRIszu"\n",   mapBlockIndex.size());
922     printf("nBestHeight = %d\n",            nBestHeight);
923     printf("setKeyPool.size() = %"PRIszu"\n",      pwalletMain->setKeyPool.size());
924     printf("mapWallet.size() = %"PRIszu"\n",       pwalletMain->mapWallet.size());
925     printf("mapAddressBook.size() = %"PRIszu"\n",  pwalletMain->mapAddressBook.size());
926
927     if (!NewThread(StartNode, NULL))
928         InitError(_("Error: could not start node"));
929
930     if (fServer)
931         NewThread(ThreadRPCServer, NULL);
932
933     // ********************************************************* Step 12: finished
934
935     uiInterface.InitMessage(_("Done loading"));
936     printf("Done loading\n");
937
938     if (!strErrors.str().empty())
939         return InitError(strErrors.str());
940
941      // Add wallet transactions that aren't already in a block to mapTransactions
942     pwalletMain->ReacceptWalletTransactions();
943
944 #if !defined(QT_GUI)
945     // Loop until process is exit()ed from shutdown() function,
946     // called from ThreadRPCServer thread when a "stop" command is received.
947     while (1)
948         Sleep(5000);
949 #endif
950
951     return true;
952 }