6f951b7431acf007218d0ba6d69e437f9bd19d15
[novacoin.git] / src / rpc.cpp
1 // Copyright (c) 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 "cryptopp/sha.h"
7 #include "db.h"
8 #include "net.h"
9 #include "init.h"
10 #undef printf
11 #include <boost/asio.hpp>
12 #include <boost/iostreams/concepts.hpp>
13 #include <boost/iostreams/stream.hpp>
14 #include <boost/algorithm/string.hpp>
15 #ifdef USE_SSL
16 #include <boost/asio/ssl.hpp> 
17 #include <boost/filesystem.hpp>
18 #include <boost/filesystem/fstream.hpp>
19 typedef boost::asio::ssl::stream<boost::asio::ip::tcp::socket> SSLStream;
20 #endif
21 #include "json/json_spirit_reader_template.h"
22 #include "json/json_spirit_writer_template.h"
23 #include "json/json_spirit_utils.h"
24 #define printf OutputDebugStringF
25 // MinGW 3.4.5 gets "fatal error: had to relocate PCH" if the json headers are
26 // precompiled in headers.h.  The problem might be when the pch file goes over
27 // a certain size around 145MB.  If we need access to json_spirit outside this
28 // file, we could use the compiled json_spirit option.
29
30 using namespace std;
31 using namespace boost;
32 using namespace boost::asio;
33 using namespace json_spirit;
34
35 void ThreadRPCServer2(void* parg);
36 typedef Value(*rpcfn_type)(const Array& params, bool fHelp);
37 extern map<string, rpcfn_type> mapCallTable;
38
39
40 Object JSONRPCError(int code, const string& message)
41 {
42     Object error;
43     error.push_back(Pair("code", code));
44     error.push_back(Pair("message", message));
45     return error;
46 }
47
48
49 void PrintConsole(const char* format, ...)
50 {
51     char buffer[50000];
52     int limit = sizeof(buffer);
53     va_list arg_ptr;
54     va_start(arg_ptr, format);
55     int ret = _vsnprintf(buffer, limit, format, arg_ptr);
56     va_end(arg_ptr);
57     if (ret < 0 || ret >= limit)
58     {
59         ret = limit - 1;
60         buffer[limit-1] = 0;
61     }
62     printf("%s", buffer);
63 #if defined(__WXMSW__) && defined(GUI)
64     MyMessageBox(buffer, "Bitcoin", wxOK | wxICON_EXCLAMATION);
65 #else
66     fprintf(stdout, "%s", buffer);
67 #endif
68 }
69
70
71 int64 AmountFromValue(const Value& value)
72 {
73     double dAmount = value.get_real();
74     if (dAmount <= 0.0 || dAmount > 21000000.0)
75         throw JSONRPCError(-3, "Invalid amount");
76     int64 nAmount = roundint64(dAmount * COIN);
77     if (!MoneyRange(nAmount))
78         throw JSONRPCError(-3, "Invalid amount");
79     return nAmount;
80 }
81
82 Value ValueFromAmount(int64 amount)
83 {
84     return (double)amount / (double)COIN;
85 }
86
87 void WalletTxToJSON(const CWalletTx& wtx, Object& entry)
88 {
89     entry.push_back(Pair("confirmations", wtx.GetDepthInMainChain()));
90     entry.push_back(Pair("txid", wtx.GetHash().GetHex()));
91     entry.push_back(Pair("time", (boost::int64_t)wtx.GetTxTime()));
92     BOOST_FOREACH(const PAIRTYPE(string,string)& item, wtx.mapValue)
93         entry.push_back(Pair(item.first, item.second));
94 }
95
96 string AccountFromValue(const Value& value)
97 {
98     string strAccount = value.get_str();
99     if (strAccount == "*")
100         throw JSONRPCError(-11, "Invalid account name");
101     return strAccount;
102 }
103
104
105
106 ///
107 /// Note: This interface may still be subject to change.
108 ///
109
110
111 Value help(const Array& params, bool fHelp)
112 {
113     if (fHelp || params.size() > 1)
114         throw runtime_error(
115             "help [command]\n"
116             "List commands, or get help for a command.");
117
118     string strCommand;
119     if (params.size() > 0)
120         strCommand = params[0].get_str();
121
122     string strRet;
123     set<rpcfn_type> setDone;
124     for (map<string, rpcfn_type>::iterator mi = mapCallTable.begin(); mi != mapCallTable.end(); ++mi)
125     {
126         string strMethod = (*mi).first;
127         // We already filter duplicates, but these deprecated screw up the sort order
128         if (strMethod == "getamountreceived" ||
129             strMethod == "getallreceived" ||
130             (strMethod.find("label") != string::npos))
131             continue;
132         if (strCommand != "" && strMethod != strCommand)
133             continue;
134         try
135         {
136             Array params;
137             rpcfn_type pfn = (*mi).second;
138             if (setDone.insert(pfn).second)
139                 (*pfn)(params, true);
140         }
141         catch (std::exception& e)
142         {
143             // Help text is returned in an exception
144             string strHelp = string(e.what());
145             if (strCommand == "")
146                 if (strHelp.find('\n') != -1)
147                     strHelp = strHelp.substr(0, strHelp.find('\n'));
148             strRet += strHelp + "\n";
149         }
150     }
151     if (strRet == "")
152         strRet = strprintf("help: unknown command: %s\n", strCommand.c_str());
153     strRet = strRet.substr(0,strRet.size()-1);
154     return strRet;
155 }
156
157
158 Value stop(const Array& params, bool fHelp)
159 {
160     if (fHelp || params.size() != 0)
161         throw runtime_error(
162             "stop\n"
163             "Stop bitcoin server.");
164
165     // Shutdown will take long enough that the response should get back
166     CreateThread(Shutdown, NULL);
167     return "bitcoin server stopping";
168 }
169
170
171 Value getblockcount(const Array& params, bool fHelp)
172 {
173     if (fHelp || params.size() != 0)
174         throw runtime_error(
175             "getblockcount\n"
176             "Returns the number of blocks in the longest block chain.");
177
178     return nBestHeight;
179 }
180
181
182 Value getblocknumber(const Array& params, bool fHelp)
183 {
184     if (fHelp || params.size() != 0)
185         throw runtime_error(
186             "getblocknumber\n"
187             "Returns the block number of the latest block in the longest block chain.");
188
189     return nBestHeight;
190 }
191
192
193 Value getconnectioncount(const Array& params, bool fHelp)
194 {
195     if (fHelp || params.size() != 0)
196         throw runtime_error(
197             "getconnectioncount\n"
198             "Returns the number of connections to other nodes.");
199
200     return (int)vNodes.size();
201 }
202
203
204 double GetDifficulty()
205 {
206     // Floating point number that is a multiple of the minimum difficulty,
207     // minimum difficulty = 1.0.
208
209     if (pindexBest == NULL)
210         return 1.0;
211     int nShift = (pindexBest->nBits >> 24) & 0xff;
212
213     double dDiff =
214         (double)0x0000ffff / (double)(pindexBest->nBits & 0x00ffffff);
215
216     while (nShift < 29)
217     {
218         dDiff *= 256.0;
219         nShift++;
220     }
221     while (nShift > 29)
222     {
223         dDiff /= 256.0;
224         nShift--;
225     }
226
227     return dDiff;
228 }
229
230 Value getdifficulty(const Array& params, bool fHelp)
231 {
232     if (fHelp || params.size() != 0)
233         throw runtime_error(
234             "getdifficulty\n"
235             "Returns the proof-of-work difficulty as a multiple of the minimum difficulty.");
236
237     return GetDifficulty();
238 }
239
240
241 Value getgenerate(const Array& params, bool fHelp)
242 {
243     if (fHelp || params.size() != 0)
244         throw runtime_error(
245             "getgenerate\n"
246             "Returns true or false.");
247
248     return (bool)fGenerateBitcoins;
249 }
250
251
252 Value setgenerate(const Array& params, bool fHelp)
253 {
254     if (fHelp || params.size() < 1 || params.size() > 2)
255         throw runtime_error(
256             "setgenerate <generate> [genproclimit]\n"
257             "<generate> is true or false to turn generation on or off.\n"
258             "Generation is limited to [genproclimit] processors, -1 is unlimited.");
259
260     bool fGenerate = true;
261     if (params.size() > 0)
262         fGenerate = params[0].get_bool();
263
264     if (params.size() > 1)
265     {
266         int nGenProcLimit = params[1].get_int();
267         fLimitProcessors = (nGenProcLimit != -1);
268         WriteSetting("fLimitProcessors", fLimitProcessors);
269         if (nGenProcLimit != -1)
270             WriteSetting("nLimitProcessors", nLimitProcessors = nGenProcLimit);
271         if (nGenProcLimit == 0)
272             fGenerate = false;
273     }
274
275     GenerateBitcoins(fGenerate, pwalletMain);
276     return Value::null;
277 }
278
279
280 Value gethashespersec(const Array& params, bool fHelp)
281 {
282     if (fHelp || params.size() != 0)
283         throw runtime_error(
284             "gethashespersec\n"
285             "Returns a recent hashes per second performance measurement while generating.");
286
287     if (GetTimeMillis() - nHPSTimerStart > 8000)
288         return (boost::int64_t)0;
289     return (boost::int64_t)dHashesPerSec;
290 }
291
292
293 Value getinfo(const Array& params, bool fHelp)
294 {
295     if (fHelp || params.size() != 0)
296         throw runtime_error(
297             "getinfo\n"
298             "Returns an object containing various state info.");
299
300     Object obj;
301     obj.push_back(Pair("version",       (int)VERSION));
302     obj.push_back(Pair("balance",       ValueFromAmount(pwalletMain->GetBalance())));
303     obj.push_back(Pair("blocks",        (int)nBestHeight));
304     obj.push_back(Pair("connections",   (int)vNodes.size()));
305     obj.push_back(Pair("proxy",         (fUseProxy ? addrProxy.ToStringIPPort() : string())));
306     obj.push_back(Pair("generate",      (bool)fGenerateBitcoins));
307     obj.push_back(Pair("genproclimit",  (int)(fLimitProcessors ? nLimitProcessors : -1)));
308     obj.push_back(Pair("difficulty",    (double)GetDifficulty()));
309     obj.push_back(Pair("hashespersec",  gethashespersec(params, false)));
310     obj.push_back(Pair("testnet",       fTestNet));
311     obj.push_back(Pair("keypoololdest", (boost::int64_t)pwalletMain->GetOldestKeyPoolTime()));
312     obj.push_back(Pair("paytxfee",      ValueFromAmount(nTransactionFee)));
313     obj.push_back(Pair("errors",        GetWarnings("statusbar")));
314     return obj;
315 }
316
317
318 Value getnewaddress(const Array& params, bool fHelp)
319 {
320     if (fHelp || params.size() > 1)
321         throw runtime_error(
322             "getnewaddress [account]\n"
323             "Returns a new bitcoin address for receiving payments.  "
324             "If [account] is specified (recommended), it is added to the address book "
325             "so payments received with the address will be credited to [account].");
326
327     // Parse the account first so we don't generate a key if there's an error
328     string strAccount;
329     if (params.size() > 0)
330         strAccount = AccountFromValue(params[0]);
331
332     // Generate a new key that is added to wallet
333     string strAddress = PubKeyToAddress(pwalletMain->GetKeyFromKeyPool());
334
335     // This could be done in the same main CS as GetKeyFromKeyPool.
336     CRITICAL_BLOCK(pwalletMain->cs_mapAddressBook)
337        pwalletMain->SetAddressBookName(strAddress, strAccount);
338
339     return strAddress;
340 }
341
342
343 // requires cs_main, cs_mapWallet, cs_mapAddressBook locks
344 string GetAccountAddress(string strAccount, bool bForceNew=false)
345 {
346     string strAddress;
347
348     CWalletDB walletdb(pwalletMain->strWalletFile);
349     walletdb.TxnBegin();
350
351     CAccount account;
352     walletdb.ReadAccount(strAccount, account);
353
354     // Check if the current key has been used
355     if (!account.vchPubKey.empty())
356     {
357         CScript scriptPubKey;
358         scriptPubKey.SetBitcoinAddress(account.vchPubKey);
359         for (map<uint256, CWalletTx>::iterator it = pwalletMain->mapWallet.begin();
360              it != pwalletMain->mapWallet.end() && !account.vchPubKey.empty();
361              ++it)
362         {
363             const CWalletTx& wtx = (*it).second;
364             BOOST_FOREACH(const CTxOut& txout, wtx.vout)
365                 if (txout.scriptPubKey == scriptPubKey)
366                     account.vchPubKey.clear();
367         }
368     }
369
370     // Generate a new key
371     if (account.vchPubKey.empty() || bForceNew)
372     {
373         account.vchPubKey = pwalletMain->GetKeyFromKeyPool();
374         string strAddress = PubKeyToAddress(account.vchPubKey);
375         pwalletMain->SetAddressBookName(strAddress, strAccount);
376         walletdb.WriteAccount(strAccount, account);
377     }
378
379     walletdb.TxnCommit();
380     strAddress = PubKeyToAddress(account.vchPubKey);
381
382     return strAddress;
383 }
384
385 Value getaccountaddress(const Array& params, bool fHelp)
386 {
387     if (fHelp || params.size() != 1)
388         throw runtime_error(
389             "getaccountaddress <account>\n"
390             "Returns the current bitcoin address for receiving payments to this account.");
391
392     // Parse the account first so we don't generate a key if there's an error
393     string strAccount = AccountFromValue(params[0]);
394
395     Value ret;
396
397     CRITICAL_BLOCK(cs_main)
398     CRITICAL_BLOCK(pwalletMain->cs_mapWallet)
399     CRITICAL_BLOCK(pwalletMain->cs_mapAddressBook)
400     {
401         ret = GetAccountAddress(strAccount);
402     }
403
404     return ret;
405 }
406
407
408
409 Value setaccount(const Array& params, bool fHelp)
410 {
411     if (fHelp || params.size() < 1 || params.size() > 2)
412         throw runtime_error(
413             "setaccount <bitcoinaddress> <account>\n"
414             "Sets the account associated with the given address.");
415
416     string strAddress = params[0].get_str();
417     uint160 hash160;
418     bool isValid = AddressToHash160(strAddress, hash160);
419     if (!isValid)
420         throw JSONRPCError(-5, "Invalid bitcoin address");
421
422
423     string strAccount;
424     if (params.size() > 1)
425         strAccount = AccountFromValue(params[1]);
426
427     // Detect when changing the account of an address that is the 'unused current key' of another account:
428     CRITICAL_BLOCK(cs_main)
429     CRITICAL_BLOCK(pwalletMain->cs_mapWallet)
430     CRITICAL_BLOCK(pwalletMain->cs_mapAddressBook)
431     {
432         if (pwalletMain->mapAddressBook.count(strAddress))
433         {
434             string strOldAccount = pwalletMain->mapAddressBook[strAddress];
435             if (strAddress == GetAccountAddress(strOldAccount))
436                 GetAccountAddress(strOldAccount, true);
437         }
438
439         pwalletMain->SetAddressBookName(strAddress, strAccount);
440     }
441
442     return Value::null;
443 }
444
445
446 Value getaccount(const Array& params, bool fHelp)
447 {
448     if (fHelp || params.size() != 1)
449         throw runtime_error(
450             "getaccount <bitcoinaddress>\n"
451             "Returns the account associated with the given address.");
452
453     string strAddress = params[0].get_str();
454
455     string strAccount;
456     CRITICAL_BLOCK(pwalletMain->cs_mapAddressBook)
457     {
458         map<string, string>::iterator mi = pwalletMain->mapAddressBook.find(strAddress);
459         if (mi != pwalletMain->mapAddressBook.end() && !(*mi).second.empty())
460             strAccount = (*mi).second;
461     }
462     return strAccount;
463 }
464
465
466 Value getaddressesbyaccount(const Array& params, bool fHelp)
467 {
468     if (fHelp || params.size() != 1)
469         throw runtime_error(
470             "getaddressesbyaccount <account>\n"
471             "Returns the list of addresses for the given account.");
472
473     string strAccount = AccountFromValue(params[0]);
474
475     // Find all addresses that have the given account
476     Array ret;
477     CRITICAL_BLOCK(pwalletMain->cs_mapAddressBook)
478     {
479         BOOST_FOREACH(const PAIRTYPE(string, string)& item, pwalletMain->mapAddressBook)
480         {
481             const string& strAddress = item.first;
482             const string& strName = item.second;
483             if (strName == strAccount)
484             {
485                 // We're only adding valid bitcoin addresses and not ip addresses
486                 CScript scriptPubKey;
487                 if (scriptPubKey.SetBitcoinAddress(strAddress))
488                     ret.push_back(strAddress);
489             }
490         }
491     }
492     return ret;
493 }
494
495 Value settxfee(const Array& params, bool fHelp)
496 {
497     if (fHelp || params.size() < 1 || params.size() > 1)
498         throw runtime_error(
499             "settxfee <amount>\n"
500             "<amount> is a real and is rounded to the nearest 0.00000001");
501
502     // Amount
503     int64 nAmount = 0;
504     if (params[0].get_real() != 0.0)
505         nAmount = AmountFromValue(params[0]);        // rejects 0.0 amounts
506
507     nTransactionFee = nAmount;
508     return true;
509 }
510
511 Value sendtoaddress(const Array& params, bool fHelp)
512 {
513     if (fHelp || params.size() < 2 || params.size() > 4)
514         throw runtime_error(
515             "sendtoaddress <bitcoinaddress> <amount> [comment] [comment-to]\n"
516             "<amount> is a real and is rounded to the nearest 0.00000001");
517
518     string strAddress = params[0].get_str();
519
520     // Amount
521     int64 nAmount = AmountFromValue(params[1]);
522
523     // Wallet comments
524     CWalletTx wtx;
525     if (params.size() > 2 && params[2].type() != null_type && !params[2].get_str().empty())
526         wtx.mapValue["comment"] = params[2].get_str();
527     if (params.size() > 3 && params[3].type() != null_type && !params[3].get_str().empty())
528         wtx.mapValue["to"]      = params[3].get_str();
529
530     CRITICAL_BLOCK(cs_main)
531     {
532         string strError = pwalletMain->SendMoneyToBitcoinAddress(strAddress, nAmount, wtx);
533         if (strError != "")
534             throw JSONRPCError(-4, strError);
535     }
536
537     return wtx.GetHash().GetHex();
538 }
539
540
541 Value getreceivedbyaddress(const Array& params, bool fHelp)
542 {
543     if (fHelp || params.size() < 1 || params.size() > 2)
544         throw runtime_error(
545             "getreceivedbyaddress <bitcoinaddress> [minconf=1]\n"
546             "Returns the total amount received by <bitcoinaddress> in transactions with at least [minconf] confirmations.");
547
548     // Bitcoin address
549     string strAddress = params[0].get_str();
550     CScript scriptPubKey;
551     if (!scriptPubKey.SetBitcoinAddress(strAddress))
552         throw JSONRPCError(-5, "Invalid bitcoin address");
553     if (!IsMine(*pwalletMain,scriptPubKey))
554         return (double)0.0;
555
556     // Minimum confirmations
557     int nMinDepth = 1;
558     if (params.size() > 1)
559         nMinDepth = params[1].get_int();
560
561     // Tally
562     int64 nAmount = 0;
563     CRITICAL_BLOCK(pwalletMain->cs_mapWallet)
564     {
565         for (map<uint256, CWalletTx>::iterator it = pwalletMain->mapWallet.begin(); it != pwalletMain->mapWallet.end(); ++it)
566         {
567             const CWalletTx& wtx = (*it).second;
568             if (wtx.IsCoinBase() || !wtx.IsFinal())
569                 continue;
570
571             BOOST_FOREACH(const CTxOut& txout, wtx.vout)
572                 if (txout.scriptPubKey == scriptPubKey)
573                     if (wtx.GetDepthInMainChain() >= nMinDepth)
574                         nAmount += txout.nValue;
575         }
576     }
577
578     return  ValueFromAmount(nAmount);
579 }
580
581
582 void GetAccountPubKeys(string strAccount, set<CScript>& setPubKey)
583 {
584     CRITICAL_BLOCK(pwalletMain->cs_mapAddressBook)
585     {
586         BOOST_FOREACH(const PAIRTYPE(string, string)& item, pwalletMain->mapAddressBook)
587         {
588             const string& strAddress = item.first;
589             const string& strName = item.second;
590             if (strName == strAccount)
591             {
592                 // We're only counting our own valid bitcoin addresses and not ip addresses
593                 CScript scriptPubKey;
594                 if (scriptPubKey.SetBitcoinAddress(strAddress))
595                     if (IsMine(*pwalletMain,scriptPubKey))
596                         setPubKey.insert(scriptPubKey);
597             }
598         }
599     }
600 }
601
602
603 Value getreceivedbyaccount(const Array& params, bool fHelp)
604 {
605     if (fHelp || params.size() < 1 || params.size() > 2)
606         throw runtime_error(
607             "getreceivedbyaccount <account> [minconf=1]\n"
608             "Returns the total amount received by addresses with <account> in transactions with at least [minconf] confirmations.");
609
610     // Minimum confirmations
611     int nMinDepth = 1;
612     if (params.size() > 1)
613         nMinDepth = params[1].get_int();
614
615     // Get the set of pub keys that have the label
616     string strAccount = AccountFromValue(params[0]);
617     set<CScript> setPubKey;
618     GetAccountPubKeys(strAccount, setPubKey);
619
620     // Tally
621     int64 nAmount = 0;
622     CRITICAL_BLOCK(pwalletMain->cs_mapWallet)
623     {
624         for (map<uint256, CWalletTx>::iterator it = pwalletMain->mapWallet.begin(); it != pwalletMain->mapWallet.end(); ++it)
625         {
626             const CWalletTx& wtx = (*it).second;
627             if (wtx.IsCoinBase() || !wtx.IsFinal())
628                 continue;
629
630             BOOST_FOREACH(const CTxOut& txout, wtx.vout)
631                 if (setPubKey.count(txout.scriptPubKey))
632                     if (wtx.GetDepthInMainChain() >= nMinDepth)
633                         nAmount += txout.nValue;
634         }
635     }
636
637     return (double)nAmount / (double)COIN;
638 }
639
640
641 int64 GetAccountBalance(CWalletDB& walletdb, const string& strAccount, int nMinDepth)
642 {
643     int64 nBalance = 0;
644     CRITICAL_BLOCK(pwalletMain->cs_mapWallet)
645     {
646         // Tally wallet transactions
647         for (map<uint256, CWalletTx>::iterator it = pwalletMain->mapWallet.begin(); it != pwalletMain->mapWallet.end(); ++it)
648         {
649             const CWalletTx& wtx = (*it).second;
650             if (!wtx.IsFinal())
651                 continue;
652
653             int64 nGenerated, nReceived, nSent, nFee;
654             wtx.GetAccountAmounts(strAccount, nGenerated, nReceived, nSent, nFee);
655
656             if (nReceived != 0 && wtx.GetDepthInMainChain() >= nMinDepth)
657                 nBalance += nReceived;
658             nBalance += nGenerated - nSent - nFee;
659         }
660
661         // Tally internal accounting entries
662         nBalance += walletdb.GetAccountCreditDebit(strAccount);
663     }
664
665     return nBalance;
666 }
667
668 int64 GetAccountBalance(const string& strAccount, int nMinDepth)
669 {
670     CWalletDB walletdb(pwalletMain->strWalletFile);
671     return GetAccountBalance(walletdb, strAccount, nMinDepth);
672 }
673
674
675 Value getbalance(const Array& params, bool fHelp)
676 {
677     if (fHelp || params.size() < 0 || params.size() > 2)
678         throw runtime_error(
679             "getbalance [account] [minconf=1]\n"
680             "If [account] is not specified, returns the server's total available balance.\n"
681             "If [account] is specified, returns the balance in the account.");
682
683     if (params.size() == 0)
684         return  ValueFromAmount(pwalletMain->GetBalance());
685
686     int nMinDepth = 1;
687     if (params.size() > 1)
688         nMinDepth = params[1].get_int();
689
690     if (params[0].get_str() == "*") {
691         // Calculate total balance a different way from GetBalance()
692         // (GetBalance() sums up all unspent TxOuts)
693         // getbalance and getbalance '*' should always return the same number.
694         int64 nBalance = 0;
695         for (map<uint256, CWalletTx>::iterator it = pwalletMain->mapWallet.begin(); it != pwalletMain->mapWallet.end(); ++it)
696         {
697             const CWalletTx& wtx = (*it).second;
698             if (!wtx.IsFinal())
699                 continue;
700
701             int64 allGeneratedImmature, allGeneratedMature, allFee;
702             allGeneratedImmature = allGeneratedMature = allFee = 0;
703             string strSentAccount;
704             list<pair<string, int64> > listReceived;
705             list<pair<string, int64> > listSent;
706             wtx.GetAmounts(allGeneratedImmature, allGeneratedMature, listReceived, listSent, allFee, strSentAccount);
707             if (wtx.GetDepthInMainChain() >= nMinDepth)
708                 BOOST_FOREACH(const PAIRTYPE(string,int64)& r, listReceived)
709                     nBalance += r.second;
710             BOOST_FOREACH(const PAIRTYPE(string,int64)& r, listSent)
711                 nBalance -= r.second;
712             nBalance -= allFee;
713             nBalance += allGeneratedMature;
714         }
715         return  ValueFromAmount(nBalance);
716     }
717
718     string strAccount = AccountFromValue(params[0]);
719
720     int64 nBalance = GetAccountBalance(strAccount, nMinDepth);
721
722     return ValueFromAmount(nBalance);
723 }
724
725
726 Value movecmd(const Array& params, bool fHelp)
727 {
728     if (fHelp || params.size() < 3 || params.size() > 5)
729         throw runtime_error(
730             "move <fromaccount> <toaccount> <amount> [minconf=1] [comment]\n"
731             "Move from one account in your wallet to another.");
732
733     string strFrom = AccountFromValue(params[0]);
734     string strTo = AccountFromValue(params[1]);
735     int64 nAmount = AmountFromValue(params[2]);
736     int nMinDepth = 1;
737     if (params.size() > 3)
738         nMinDepth = params[3].get_int();
739     string strComment;
740     if (params.size() > 4)
741         strComment = params[4].get_str();
742
743     CRITICAL_BLOCK(pwalletMain->cs_mapWallet)
744     {
745         CWalletDB walletdb(pwalletMain->strWalletFile);
746         walletdb.TxnBegin();
747
748         int64 nNow = GetAdjustedTime();
749
750         // Debit
751         CAccountingEntry debit;
752         debit.strAccount = strFrom;
753         debit.nCreditDebit = -nAmount;
754         debit.nTime = nNow;
755         debit.strOtherAccount = strTo;
756         debit.strComment = strComment;
757         walletdb.WriteAccountingEntry(debit);
758
759         // Credit
760         CAccountingEntry credit;
761         credit.strAccount = strTo;
762         credit.nCreditDebit = nAmount;
763         credit.nTime = nNow;
764         credit.strOtherAccount = strFrom;
765         credit.strComment = strComment;
766         walletdb.WriteAccountingEntry(credit);
767
768         walletdb.TxnCommit();
769     }
770     return true;
771 }
772
773
774 Value sendfrom(const Array& params, bool fHelp)
775 {
776     if (fHelp || params.size() < 3 || params.size() > 6)
777         throw runtime_error(
778             "sendfrom <fromaccount> <tobitcoinaddress> <amount> [minconf=1] [comment] [comment-to]\n"
779             "<amount> is a real and is rounded to the nearest 0.00000001");
780
781     string strAccount = AccountFromValue(params[0]);
782     string strAddress = params[1].get_str();
783     int64 nAmount = AmountFromValue(params[2]);
784     int nMinDepth = 1;
785     if (params.size() > 3)
786         nMinDepth = params[3].get_int();
787
788     CWalletTx wtx;
789     wtx.strFromAccount = strAccount;
790     if (params.size() > 4 && params[4].type() != null_type && !params[4].get_str().empty())
791         wtx.mapValue["comment"] = params[4].get_str();
792     if (params.size() > 5 && params[5].type() != null_type && !params[5].get_str().empty())
793         wtx.mapValue["to"]      = params[5].get_str();
794
795     CRITICAL_BLOCK(cs_main)
796     CRITICAL_BLOCK(pwalletMain->cs_mapWallet)
797     {
798         // Check funds
799         int64 nBalance = GetAccountBalance(strAccount, nMinDepth);
800         if (nAmount > nBalance)
801             throw JSONRPCError(-6, "Account has insufficient funds");
802
803         // Send
804         string strError = pwalletMain->SendMoneyToBitcoinAddress(strAddress, nAmount, wtx);
805         if (strError != "")
806             throw JSONRPCError(-4, strError);
807     }
808
809     return wtx.GetHash().GetHex();
810 }
811
812 Value sendmany(const Array& params, bool fHelp)
813 {
814     if (fHelp || params.size() < 2 || params.size() > 4)
815         throw runtime_error(
816             "sendmany <fromaccount> {address:amount,...} [minconf=1] [comment]\n"
817             "amounts are double-precision floating point numbers");
818
819     string strAccount = AccountFromValue(params[0]);
820     Object sendTo = params[1].get_obj();
821     int nMinDepth = 1;
822     if (params.size() > 2)
823         nMinDepth = params[2].get_int();
824
825     CWalletTx wtx;
826     wtx.strFromAccount = strAccount;
827     if (params.size() > 3 && params[3].type() != null_type && !params[3].get_str().empty())
828         wtx.mapValue["comment"] = params[3].get_str();
829
830     set<string> setAddress;
831     vector<pair<CScript, int64> > vecSend;
832
833     int64 totalAmount = 0;
834     BOOST_FOREACH(const Pair& s, sendTo)
835     {
836         uint160 hash160;
837         string strAddress = s.name_;
838
839         if (setAddress.count(strAddress))
840             throw JSONRPCError(-8, string("Invalid parameter, duplicated address: ")+strAddress);
841         setAddress.insert(strAddress);
842
843         CScript scriptPubKey;
844         if (!scriptPubKey.SetBitcoinAddress(strAddress))
845             throw JSONRPCError(-5, string("Invalid bitcoin address:")+strAddress);
846         int64 nAmount = AmountFromValue(s.value_); 
847         totalAmount += nAmount;
848
849         vecSend.push_back(make_pair(scriptPubKey, nAmount));
850     }
851
852     CRITICAL_BLOCK(cs_main)
853     CRITICAL_BLOCK(pwalletMain->cs_mapWallet)
854     {
855         // Check funds
856         int64 nBalance = GetAccountBalance(strAccount, nMinDepth);
857         if (totalAmount > nBalance)
858             throw JSONRPCError(-6, "Account has insufficient funds");
859
860         // Send
861         CReserveKey keyChange(pwalletMain);
862         int64 nFeeRequired = 0;
863         bool fCreated = pwalletMain->CreateTransaction(vecSend, wtx, keyChange, nFeeRequired);
864         if (!fCreated)
865         {
866             if (totalAmount + nFeeRequired > pwalletMain->GetBalance())
867                 throw JSONRPCError(-6, "Insufficient funds");
868             throw JSONRPCError(-4, "Transaction creation failed");
869         }
870         if (!pwalletMain->CommitTransaction(wtx, keyChange))
871             throw JSONRPCError(-4, "Transaction commit failed");
872     }
873
874     return wtx.GetHash().GetHex();
875 }
876
877
878 struct tallyitem
879 {
880     int64 nAmount;
881     int nConf;
882     tallyitem()
883     {
884         nAmount = 0;
885         nConf = INT_MAX;
886     }
887 };
888
889 Value ListReceived(const Array& params, bool fByAccounts)
890 {
891     // Minimum confirmations
892     int nMinDepth = 1;
893     if (params.size() > 0)
894         nMinDepth = params[0].get_int();
895
896     // Whether to include empty accounts
897     bool fIncludeEmpty = false;
898     if (params.size() > 1)
899         fIncludeEmpty = params[1].get_bool();
900
901     // Tally
902     map<uint160, tallyitem> mapTally;
903     CRITICAL_BLOCK(pwalletMain->cs_mapWallet)
904     {
905         for (map<uint256, CWalletTx>::iterator it = pwalletMain->mapWallet.begin(); it != pwalletMain->mapWallet.end(); ++it)
906         {
907             const CWalletTx& wtx = (*it).second;
908             if (wtx.IsCoinBase() || !wtx.IsFinal())
909                 continue;
910
911             int nDepth = wtx.GetDepthInMainChain();
912             if (nDepth < nMinDepth)
913                 continue;
914
915             BOOST_FOREACH(const CTxOut& txout, wtx.vout)
916             {
917                 // Only counting our own bitcoin addresses and not ip addresses
918                 uint160 hash160 = txout.scriptPubKey.GetBitcoinAddressHash160();
919                 if (hash160 == 0 || !mapPubKeys.count(hash160)) // IsMine
920                     continue;
921
922                 tallyitem& item = mapTally[hash160];
923                 item.nAmount += txout.nValue;
924                 item.nConf = min(item.nConf, nDepth);
925             }
926         }
927     }
928
929     // Reply
930     Array ret;
931     map<string, tallyitem> mapAccountTally;
932     CRITICAL_BLOCK(pwalletMain->cs_mapAddressBook)
933     {
934         BOOST_FOREACH(const PAIRTYPE(string, string)& item, pwalletMain->mapAddressBook)
935         {
936             const string& strAddress = item.first;
937             const string& strAccount = item.second;
938             uint160 hash160;
939             if (!AddressToHash160(strAddress, hash160))
940                 continue;
941             map<uint160, tallyitem>::iterator it = mapTally.find(hash160);
942             if (it == mapTally.end() && !fIncludeEmpty)
943                 continue;
944
945             int64 nAmount = 0;
946             int nConf = INT_MAX;
947             if (it != mapTally.end())
948             {
949                 nAmount = (*it).second.nAmount;
950                 nConf = (*it).second.nConf;
951             }
952
953             if (fByAccounts)
954             {
955                 tallyitem& item = mapAccountTally[strAccount];
956                 item.nAmount += nAmount;
957                 item.nConf = min(item.nConf, nConf);
958             }
959             else
960             {
961                 Object obj;
962                 obj.push_back(Pair("address",       strAddress));
963                 obj.push_back(Pair("account",       strAccount));
964                 obj.push_back(Pair("label",         strAccount)); // deprecated
965                 obj.push_back(Pair("amount",        ValueFromAmount(nAmount)));
966                 obj.push_back(Pair("confirmations", (nConf == INT_MAX ? 0 : nConf)));
967                 ret.push_back(obj);
968             }
969         }
970     }
971
972     if (fByAccounts)
973     {
974         for (map<string, tallyitem>::iterator it = mapAccountTally.begin(); it != mapAccountTally.end(); ++it)
975         {
976             int64 nAmount = (*it).second.nAmount;
977             int nConf = (*it).second.nConf;
978             Object obj;
979             obj.push_back(Pair("account",       (*it).first));
980             obj.push_back(Pair("label",         (*it).first)); // deprecated
981             obj.push_back(Pair("amount",        ValueFromAmount(nAmount)));
982             obj.push_back(Pair("confirmations", (nConf == INT_MAX ? 0 : nConf)));
983             ret.push_back(obj);
984         }
985     }
986
987     return ret;
988 }
989
990 Value listreceivedbyaddress(const Array& params, bool fHelp)
991 {
992     if (fHelp || params.size() > 2)
993         throw runtime_error(
994             "listreceivedbyaddress [minconf=1] [includeempty=false]\n"
995             "[minconf] is the minimum number of confirmations before payments are included.\n"
996             "[includeempty] whether to include addresses that haven't received any payments.\n"
997             "Returns an array of objects containing:\n"
998             "  \"address\" : receiving address\n"
999             "  \"account\" : the account of the receiving address\n"
1000             "  \"amount\" : total amount received by the address\n"
1001             "  \"confirmations\" : number of confirmations of the most recent transaction included");
1002
1003     return ListReceived(params, false);
1004 }
1005
1006 Value listreceivedbyaccount(const Array& params, bool fHelp)
1007 {
1008     if (fHelp || params.size() > 2)
1009         throw runtime_error(
1010             "listreceivedbyaccount [minconf=1] [includeempty=false]\n"
1011             "[minconf] is the minimum number of confirmations before payments are included.\n"
1012             "[includeempty] whether to include accounts that haven't received any payments.\n"
1013             "Returns an array of objects containing:\n"
1014             "  \"account\" : the account of the receiving addresses\n"
1015             "  \"amount\" : total amount received by addresses with this account\n"
1016             "  \"confirmations\" : number of confirmations of the most recent transaction included");
1017
1018     return ListReceived(params, true);
1019 }
1020
1021 void ListTransactions(const CWalletTx& wtx, const string& strAccount, int nMinDepth, bool fLong, Array& ret)
1022 {
1023     int64 nGeneratedImmature, nGeneratedMature, nFee;
1024     string strSentAccount;
1025     list<pair<string, int64> > listReceived;
1026     list<pair<string, int64> > listSent;
1027     wtx.GetAmounts(nGeneratedImmature, nGeneratedMature, listReceived, listSent, nFee, strSentAccount);
1028
1029     bool fAllAccounts = (strAccount == string("*"));
1030
1031     // Generated blocks assigned to account ""
1032     if ((nGeneratedMature+nGeneratedImmature) != 0 && (fAllAccounts || strAccount == ""))
1033     {
1034         Object entry;
1035         entry.push_back(Pair("account", string("")));
1036         if (nGeneratedImmature)
1037         {
1038             entry.push_back(Pair("category", wtx.GetDepthInMainChain() ? "immature" : "orphan"));
1039             entry.push_back(Pair("amount", ValueFromAmount(nGeneratedImmature)));
1040         }
1041         else
1042         {
1043             entry.push_back(Pair("category", "generate"));
1044             entry.push_back(Pair("amount", ValueFromAmount(nGeneratedMature)));
1045         }
1046         if (fLong)
1047             WalletTxToJSON(wtx, entry);
1048         ret.push_back(entry);
1049     }
1050
1051     // Sent
1052     if ((!listSent.empty() || nFee != 0) && (fAllAccounts || strAccount == strSentAccount))
1053     {
1054         BOOST_FOREACH(const PAIRTYPE(string, int64)& s, listSent)
1055         {
1056             Object entry;
1057             entry.push_back(Pair("account", strSentAccount));
1058             entry.push_back(Pair("address", s.first));
1059             entry.push_back(Pair("category", "send"));
1060             entry.push_back(Pair("amount", ValueFromAmount(-s.second)));
1061             entry.push_back(Pair("fee", ValueFromAmount(-nFee)));
1062             if (fLong)
1063                 WalletTxToJSON(wtx, entry);
1064             ret.push_back(entry);
1065         }
1066     }
1067
1068     // Received
1069     if (listReceived.size() > 0 && wtx.GetDepthInMainChain() >= nMinDepth)
1070         CRITICAL_BLOCK(pwalletMain->cs_mapAddressBook)
1071         {
1072             BOOST_FOREACH(const PAIRTYPE(string, int64)& r, listReceived)
1073             {
1074                 string account;
1075                 if (pwalletMain->mapAddressBook.count(r.first))
1076                     account = pwalletMain->mapAddressBook[r.first];
1077                 if (fAllAccounts || (account == strAccount))
1078                 {
1079                     Object entry;
1080                     entry.push_back(Pair("account", account));
1081                     entry.push_back(Pair("address", r.first));
1082                     entry.push_back(Pair("category", "receive"));
1083                     entry.push_back(Pair("amount", ValueFromAmount(r.second)));
1084                     if (fLong)
1085                         WalletTxToJSON(wtx, entry);
1086                     ret.push_back(entry);
1087                 }
1088             }
1089         }
1090
1091 }
1092
1093 void AcentryToJSON(const CAccountingEntry& acentry, const string& strAccount, Array& ret)
1094 {
1095     bool fAllAccounts = (strAccount == string("*"));
1096
1097     if (fAllAccounts || acentry.strAccount == strAccount)
1098     {
1099         Object entry;
1100         entry.push_back(Pair("account", acentry.strAccount));
1101         entry.push_back(Pair("category", "move"));
1102         entry.push_back(Pair("time", (boost::int64_t)acentry.nTime));
1103         entry.push_back(Pair("amount", ValueFromAmount(acentry.nCreditDebit)));
1104         entry.push_back(Pair("otheraccount", acentry.strOtherAccount));
1105         entry.push_back(Pair("comment", acentry.strComment));
1106         ret.push_back(entry);
1107     }
1108 }
1109
1110 Value listtransactions(const Array& params, bool fHelp)
1111 {
1112     if (fHelp || params.size() > 3)
1113         throw runtime_error(
1114             "listtransactions [account] [count=10] [from=0]\n"
1115             "Returns up to [count] most recent transactions skipping the first [from] transactions for account [account].");
1116
1117     string strAccount = "*";
1118     if (params.size() > 0)
1119         strAccount = params[0].get_str();
1120     int nCount = 10;
1121     if (params.size() > 1)
1122         nCount = params[1].get_int();
1123     int nFrom = 0;
1124     if (params.size() > 2)
1125         nFrom = params[2].get_int();
1126
1127     Array ret;
1128     CWalletDB walletdb(pwalletMain->strWalletFile);
1129
1130     CRITICAL_BLOCK(pwalletMain->cs_mapWallet)
1131     {
1132         // Firs: get all CWalletTx and CAccountingEntry into a sorted-by-time multimap:
1133         typedef pair<CWalletTx*, CAccountingEntry*> TxPair;
1134         typedef multimap<int64, TxPair > TxItems;
1135         TxItems txByTime;
1136
1137         for (map<uint256, CWalletTx>::iterator it = pwalletMain->mapWallet.begin(); it != pwalletMain->mapWallet.end(); ++it)
1138         {
1139             CWalletTx* wtx = &((*it).second);
1140             txByTime.insert(make_pair(wtx->GetTxTime(), TxPair(wtx, (CAccountingEntry*)0)));
1141         }
1142         list<CAccountingEntry> acentries;
1143         walletdb.ListAccountCreditDebit(strAccount, acentries);
1144         BOOST_FOREACH(CAccountingEntry& entry, acentries)
1145         {
1146             txByTime.insert(make_pair(entry.nTime, TxPair((CWalletTx*)0, &entry)));
1147         }
1148
1149         // Now: iterate backwards until we have nCount items to return:
1150         TxItems::reverse_iterator it = txByTime.rbegin();
1151         for (std::advance(it, nFrom); it != txByTime.rend(); ++it)
1152         {
1153             CWalletTx *const pwtx = (*it).second.first;
1154             if (pwtx != 0)
1155                 ListTransactions(*pwtx, strAccount, 0, true, ret);
1156             CAccountingEntry *const pacentry = (*it).second.second;
1157             if (pacentry != 0)
1158                 AcentryToJSON(*pacentry, strAccount, ret);
1159
1160             if (ret.size() >= nCount) break;
1161         }
1162         // ret is now newest to oldest
1163     }
1164     
1165     // Make sure we return only last nCount items (sends-to-self might give us an extra):
1166     if (ret.size() > nCount)
1167     {
1168         Array::iterator last = ret.begin();
1169         std::advance(last, nCount);
1170         ret.erase(last, ret.end());
1171     }
1172     std::reverse(ret.begin(), ret.end()); // oldest to newest
1173
1174     return ret;
1175 }
1176
1177 Value listaccounts(const Array& params, bool fHelp)
1178 {
1179     if (fHelp || params.size() > 1)
1180         throw runtime_error(
1181             "listaccounts [minconf=1]\n"
1182             "Returns Object that has account names as keys, account balances as values.");
1183
1184     int nMinDepth = 1;
1185     if (params.size() > 0)
1186         nMinDepth = params[0].get_int();
1187
1188     map<string, int64> mapAccountBalances;
1189     CRITICAL_BLOCK(pwalletMain->cs_mapWallet)
1190     CRITICAL_BLOCK(pwalletMain->cs_mapAddressBook)
1191     {
1192         BOOST_FOREACH(const PAIRTYPE(string, string)& entry, pwalletMain->mapAddressBook) {
1193             uint160 hash160;
1194             if(AddressToHash160(entry.first, hash160) && mapPubKeys.count(hash160)) // This address belongs to me
1195                 mapAccountBalances[entry.second] = 0;
1196         }
1197
1198         for (map<uint256, CWalletTx>::iterator it = pwalletMain->mapWallet.begin(); it != pwalletMain->mapWallet.end(); ++it)
1199         {
1200             const CWalletTx& wtx = (*it).second;
1201             int64 nGeneratedImmature, nGeneratedMature, nFee;
1202             string strSentAccount;
1203             list<pair<string, int64> > listReceived;
1204             list<pair<string, int64> > listSent;
1205             wtx.GetAmounts(nGeneratedImmature, nGeneratedMature, listReceived, listSent, nFee, strSentAccount);
1206             mapAccountBalances[strSentAccount] -= nFee;
1207             BOOST_FOREACH(const PAIRTYPE(string, int64)& s, listSent)
1208                 mapAccountBalances[strSentAccount] -= s.second;
1209             if (wtx.GetDepthInMainChain() >= nMinDepth)
1210             {
1211                 mapAccountBalances[""] += nGeneratedMature;
1212                 BOOST_FOREACH(const PAIRTYPE(string, int64)& r, listReceived)
1213                     if (pwalletMain->mapAddressBook.count(r.first))
1214                         mapAccountBalances[pwalletMain->mapAddressBook[r.first]] += r.second;
1215                     else
1216                         mapAccountBalances[""] += r.second;
1217             }
1218         }
1219     }
1220
1221     list<CAccountingEntry> acentries;
1222     CWalletDB(pwalletMain->strWalletFile).ListAccountCreditDebit("*", acentries);
1223     BOOST_FOREACH(const CAccountingEntry& entry, acentries)
1224         mapAccountBalances[entry.strAccount] += entry.nCreditDebit;
1225
1226     Object ret;
1227     BOOST_FOREACH(const PAIRTYPE(string, int64)& accountBalance, mapAccountBalances) {
1228         ret.push_back(Pair(accountBalance.first, ValueFromAmount(accountBalance.second)));
1229     }
1230     return ret;
1231 }
1232
1233 Value gettransaction(const Array& params, bool fHelp)
1234 {
1235     if (fHelp || params.size() != 1)
1236         throw runtime_error(
1237             "gettransaction <txid>\n"
1238             "Get detailed information about <txid>");
1239
1240     uint256 hash;
1241     hash.SetHex(params[0].get_str());
1242
1243     Object entry;
1244     CRITICAL_BLOCK(pwalletMain->cs_mapWallet)
1245     {
1246         if (!pwalletMain->mapWallet.count(hash))
1247             throw JSONRPCError(-5, "Invalid or non-wallet transaction id");
1248         const CWalletTx& wtx = pwalletMain->mapWallet[hash];
1249
1250         int64 nCredit = wtx.GetCredit();
1251         int64 nDebit = wtx.GetDebit();
1252         int64 nNet = nCredit - nDebit;
1253         int64 nFee = (wtx.IsFromMe() ? wtx.GetValueOut() - nDebit : 0);
1254
1255         entry.push_back(Pair("amount", ValueFromAmount(nNet - nFee)));
1256         if (wtx.IsFromMe())
1257             entry.push_back(Pair("fee", ValueFromAmount(nFee)));
1258
1259         WalletTxToJSON(pwalletMain->mapWallet[hash], entry);
1260
1261         Array details;
1262         ListTransactions(pwalletMain->mapWallet[hash], "*", 0, false, details);
1263         entry.push_back(Pair("details", details));
1264     }
1265
1266     return entry;
1267 }
1268
1269
1270 Value backupwallet(const Array& params, bool fHelp)
1271 {
1272     if (fHelp || params.size() != 1)
1273         throw runtime_error(
1274             "backupwallet <destination>\n"
1275             "Safely copies wallet.dat to destination, which can be a directory or a path with filename.");
1276
1277     string strDest = params[0].get_str();
1278     BackupWallet(*pwalletMain, strDest);
1279
1280     return Value::null;
1281 }
1282
1283
1284 Value validateaddress(const Array& params, bool fHelp)
1285 {
1286     if (fHelp || params.size() != 1)
1287         throw runtime_error(
1288             "validateaddress <bitcoinaddress>\n"
1289             "Return information about <bitcoinaddress>.");
1290
1291     string strAddress = params[0].get_str();
1292     uint160 hash160;
1293     bool isValid = AddressToHash160(strAddress, hash160);
1294
1295     Object ret;
1296     ret.push_back(Pair("isvalid", isValid));
1297     if (isValid)
1298     {
1299         // Call Hash160ToAddress() so we always return current ADDRESSVERSION
1300         // version of the address:
1301         string currentAddress = Hash160ToAddress(hash160);
1302         ret.push_back(Pair("address", currentAddress));
1303         ret.push_back(Pair("ismine", (mapPubKeys.count(hash160) > 0)));
1304         CRITICAL_BLOCK(pwalletMain->cs_mapAddressBook)
1305         {
1306             if (pwalletMain->mapAddressBook.count(currentAddress))
1307                 ret.push_back(Pair("account", pwalletMain->mapAddressBook[currentAddress]));
1308         }
1309     }
1310     return ret;
1311 }
1312
1313
1314 Value getwork(const Array& params, bool fHelp)
1315 {
1316     if (fHelp || params.size() > 1)
1317         throw runtime_error(
1318             "getwork [data]\n"
1319             "If [data] is not specified, returns formatted hash data to work on:\n"
1320             "  \"midstate\" : precomputed hash state after hashing the first half of the data\n"
1321             "  \"data\" : block data\n"
1322             "  \"hash1\" : formatted hash buffer for second hash\n"
1323             "  \"target\" : little endian hash target\n"
1324             "If [data] is specified, tries to solve the block and returns true if it was successful.");
1325
1326     if (vNodes.empty())
1327         throw JSONRPCError(-9, "Bitcoin is not connected!");
1328
1329     if (IsInitialBlockDownload())
1330         throw JSONRPCError(-10, "Bitcoin is downloading blocks...");
1331
1332     static map<uint256, pair<CBlock*, unsigned int> > mapNewBlock;
1333     static vector<CBlock*> vNewBlock;
1334     static CReserveKey reservekey(pwalletMain);
1335
1336     if (params.size() == 0)
1337     {
1338         // Update block
1339         static unsigned int nTransactionsUpdatedLast;
1340         static CBlockIndex* pindexPrev;
1341         static int64 nStart;
1342         static CBlock* pblock;
1343         if (pindexPrev != pindexBest ||
1344             (nTransactionsUpdated != nTransactionsUpdatedLast && GetTime() - nStart > 60))
1345         {
1346             if (pindexPrev != pindexBest)
1347             {
1348                 // Deallocate old blocks since they're obsolete now
1349                 mapNewBlock.clear();
1350                 BOOST_FOREACH(CBlock* pblock, vNewBlock)
1351                     delete pblock;
1352                 vNewBlock.clear();
1353             }
1354             nTransactionsUpdatedLast = nTransactionsUpdated;
1355             pindexPrev = pindexBest;
1356             nStart = GetTime();
1357
1358             // Create new block
1359             pblock = CreateNewBlock(reservekey);
1360             if (!pblock)
1361                 throw JSONRPCError(-7, "Out of memory");
1362             vNewBlock.push_back(pblock);
1363         }
1364
1365         // Update nTime
1366         pblock->nTime = max(pindexPrev->GetMedianTimePast()+1, GetAdjustedTime());
1367         pblock->nNonce = 0;
1368
1369         // Update nExtraNonce
1370         static unsigned int nExtraNonce = 0;
1371         static int64 nPrevTime = 0;
1372         IncrementExtraNonce(pblock, pindexPrev, nExtraNonce, nPrevTime);
1373
1374         // Save
1375         mapNewBlock[pblock->hashMerkleRoot] = make_pair(pblock, nExtraNonce);
1376
1377         // Prebuild hash buffers
1378         char pmidstate[32];
1379         char pdata[128];
1380         char phash1[64];
1381         FormatHashBuffers(pblock, pmidstate, pdata, phash1);
1382
1383         uint256 hashTarget = CBigNum().SetCompact(pblock->nBits).getuint256();
1384
1385         Object result;
1386         result.push_back(Pair("midstate", HexStr(BEGIN(pmidstate), END(pmidstate))));
1387         result.push_back(Pair("data",     HexStr(BEGIN(pdata), END(pdata))));
1388         result.push_back(Pair("hash1",    HexStr(BEGIN(phash1), END(phash1))));
1389         result.push_back(Pair("target",   HexStr(BEGIN(hashTarget), END(hashTarget))));
1390         return result;
1391     }
1392     else
1393     {
1394         // Parse parameters
1395         vector<unsigned char> vchData = ParseHex(params[0].get_str());
1396         if (vchData.size() != 128)
1397             throw JSONRPCError(-8, "Invalid parameter");
1398         CBlock* pdata = (CBlock*)&vchData[0];
1399
1400         // Byte reverse
1401         for (int i = 0; i < 128/4; i++)
1402             ((unsigned int*)pdata)[i] = CryptoPP::ByteReverse(((unsigned int*)pdata)[i]);
1403
1404         // Get saved block
1405         if (!mapNewBlock.count(pdata->hashMerkleRoot))
1406             return false;
1407         CBlock* pblock = mapNewBlock[pdata->hashMerkleRoot].first;
1408         unsigned int nExtraNonce = mapNewBlock[pdata->hashMerkleRoot].second;
1409
1410         pblock->nTime = pdata->nTime;
1411         pblock->nNonce = pdata->nNonce;
1412         pblock->vtx[0].vin[0].scriptSig = CScript() << pblock->nBits << CBigNum(nExtraNonce);
1413         pblock->hashMerkleRoot = pblock->BuildMerkleTree();
1414
1415         return CheckWork(pblock, *pwalletMain, reservekey);
1416     }
1417 }
1418
1419
1420
1421
1422
1423
1424
1425
1426
1427
1428
1429 //
1430 // Call Table
1431 //
1432
1433 pair<string, rpcfn_type> pCallTable[] =
1434 {
1435     make_pair("help",                  &help),
1436     make_pair("stop",                  &stop),
1437     make_pair("getblockcount",         &getblockcount),
1438     make_pair("getblocknumber",        &getblocknumber),
1439     make_pair("getconnectioncount",    &getconnectioncount),
1440     make_pair("getdifficulty",         &getdifficulty),
1441     make_pair("getgenerate",           &getgenerate),
1442     make_pair("setgenerate",           &setgenerate),
1443     make_pair("gethashespersec",       &gethashespersec),
1444     make_pair("getinfo",               &getinfo),
1445     make_pair("getnewaddress",         &getnewaddress),
1446     make_pair("getaccountaddress",     &getaccountaddress),
1447     make_pair("setaccount",            &setaccount),
1448     make_pair("setlabel",              &setaccount), // deprecated
1449     make_pair("getaccount",            &getaccount),
1450     make_pair("getlabel",              &getaccount), // deprecated
1451     make_pair("getaddressesbyaccount", &getaddressesbyaccount),
1452     make_pair("getaddressesbylabel",   &getaddressesbyaccount), // deprecated
1453     make_pair("sendtoaddress",         &sendtoaddress),
1454     make_pair("getamountreceived",     &getreceivedbyaddress), // deprecated, renamed to getreceivedbyaddress
1455     make_pair("getallreceived",        &listreceivedbyaddress), // deprecated, renamed to listreceivedbyaddress
1456     make_pair("getreceivedbyaddress",  &getreceivedbyaddress),
1457     make_pair("getreceivedbyaccount",  &getreceivedbyaccount),
1458     make_pair("getreceivedbylabel",    &getreceivedbyaccount), // deprecated
1459     make_pair("listreceivedbyaddress", &listreceivedbyaddress),
1460     make_pair("listreceivedbyaccount", &listreceivedbyaccount),
1461     make_pair("listreceivedbylabel",   &listreceivedbyaccount), // deprecated
1462     make_pair("backupwallet",          &backupwallet),
1463     make_pair("validateaddress",       &validateaddress),
1464     make_pair("getbalance",            &getbalance),
1465     make_pair("move",                  &movecmd),
1466     make_pair("sendfrom",              &sendfrom),
1467     make_pair("sendmany",              &sendmany),
1468     make_pair("gettransaction",        &gettransaction),
1469     make_pair("listtransactions",      &listtransactions),
1470     make_pair("getwork",               &getwork),
1471     make_pair("listaccounts",          &listaccounts),
1472     make_pair("settxfee",              &settxfee),
1473 };
1474 map<string, rpcfn_type> mapCallTable(pCallTable, pCallTable + sizeof(pCallTable)/sizeof(pCallTable[0]));
1475
1476 string pAllowInSafeMode[] =
1477 {
1478     "help",
1479     "stop",
1480     "getblockcount",
1481     "getblocknumber",
1482     "getconnectioncount",
1483     "getdifficulty",
1484     "getgenerate",
1485     "setgenerate",
1486     "gethashespersec",
1487     "getinfo",
1488     "getnewaddress",
1489     "getaccountaddress",
1490     "setlabel",
1491     "getaccount",
1492     "getlabel", // deprecated
1493     "getaddressesbyaccount",
1494     "getaddressesbylabel", // deprecated
1495     "backupwallet",
1496     "validateaddress",
1497     "getwork",
1498 };
1499 set<string> setAllowInSafeMode(pAllowInSafeMode, pAllowInSafeMode + sizeof(pAllowInSafeMode)/sizeof(pAllowInSafeMode[0]));
1500
1501
1502
1503
1504 //
1505 // HTTP protocol
1506 //
1507 // This ain't Apache.  We're just using HTTP header for the length field
1508 // and to be compatible with other JSON-RPC implementations.
1509 //
1510
1511 string HTTPPost(const string& strMsg, const map<string,string>& mapRequestHeaders)
1512 {
1513     ostringstream s;
1514     s << "POST / HTTP/1.1\r\n"
1515       << "User-Agent: bitcoin-json-rpc/" << FormatFullVersion() << "\r\n"
1516       << "Host: 127.0.0.1\r\n"
1517       << "Content-Type: application/json\r\n"
1518       << "Content-Length: " << strMsg.size() << "\r\n"
1519       << "Accept: application/json\r\n";
1520     BOOST_FOREACH(const PAIRTYPE(string, string)& item, mapRequestHeaders)
1521         s << item.first << ": " << item.second << "\r\n";
1522     s << "\r\n" << strMsg;
1523
1524     return s.str();
1525 }
1526
1527 string rfc1123Time()
1528 {
1529     char buffer[64];
1530     time_t now;
1531     time(&now);
1532     struct tm* now_gmt = gmtime(&now);
1533     string locale(setlocale(LC_TIME, NULL));
1534     setlocale(LC_TIME, "C"); // we want posix (aka "C") weekday/month strings
1535     strftime(buffer, sizeof(buffer), "%a, %d %b %Y %H:%M:%S +0000", now_gmt);
1536     setlocale(LC_TIME, locale.c_str());
1537     return string(buffer);
1538 }
1539
1540 static string HTTPReply(int nStatus, const string& strMsg)
1541 {
1542     if (nStatus == 401)
1543         return strprintf("HTTP/1.0 401 Authorization Required\r\n"
1544             "Date: %s\r\n"
1545             "Server: bitcoin-json-rpc/%s\r\n"
1546             "WWW-Authenticate: Basic realm=\"jsonrpc\"\r\n"
1547             "Content-Type: text/html\r\n"
1548             "Content-Length: 296\r\n"
1549             "\r\n"
1550             "<!DOCTYPE HTML PUBLIC \"-//W3C//DTD HTML 4.01 Transitional//EN\"\r\n"
1551             "\"http://www.w3.org/TR/1999/REC-html401-19991224/loose.dtd\">\r\n"
1552             "<HTML>\r\n"
1553             "<HEAD>\r\n"
1554             "<TITLE>Error</TITLE>\r\n"
1555             "<META HTTP-EQUIV='Content-Type' CONTENT='text/html; charset=ISO-8859-1'>\r\n"
1556             "</HEAD>\r\n"
1557             "<BODY><H1>401 Unauthorized.</H1></BODY>\r\n"
1558             "</HTML>\r\n", rfc1123Time().c_str(), FormatFullVersion().c_str());
1559     string strStatus;
1560          if (nStatus == 200) strStatus = "OK";
1561     else if (nStatus == 400) strStatus = "Bad Request";
1562     else if (nStatus == 403) strStatus = "Forbidden";
1563     else if (nStatus == 404) strStatus = "Not Found";
1564     else if (nStatus == 500) strStatus = "Internal Server Error";
1565     return strprintf(
1566             "HTTP/1.1 %d %s\r\n"
1567             "Date: %s\r\n"
1568             "Connection: close\r\n"
1569             "Content-Length: %d\r\n"
1570             "Content-Type: application/json\r\n"
1571             "Server: bitcoin-json-rpc/%s\r\n"
1572             "\r\n"
1573             "%s",
1574         nStatus,
1575         strStatus.c_str(),
1576         rfc1123Time().c_str(),
1577         strMsg.size(),
1578         FormatFullVersion().c_str(),
1579         strMsg.c_str());
1580 }
1581
1582 int ReadHTTPStatus(std::basic_istream<char>& stream)
1583 {
1584     string str;
1585     getline(stream, str);
1586     vector<string> vWords;
1587     boost::split(vWords, str, boost::is_any_of(" "));
1588     if (vWords.size() < 2)
1589         return 500;
1590     return atoi(vWords[1].c_str());
1591 }
1592
1593 int ReadHTTPHeader(std::basic_istream<char>& stream, map<string, string>& mapHeadersRet)
1594 {
1595     int nLen = 0;
1596     loop
1597     {
1598         string str;
1599         std::getline(stream, str);
1600         if (str.empty() || str == "\r")
1601             break;
1602         string::size_type nColon = str.find(":");
1603         if (nColon != string::npos)
1604         {
1605             string strHeader = str.substr(0, nColon);
1606             boost::trim(strHeader);
1607             boost::to_lower(strHeader);
1608             string strValue = str.substr(nColon+1);
1609             boost::trim(strValue);
1610             mapHeadersRet[strHeader] = strValue;
1611             if (strHeader == "content-length")
1612                 nLen = atoi(strValue.c_str());
1613         }
1614     }
1615     return nLen;
1616 }
1617
1618 int ReadHTTP(std::basic_istream<char>& stream, map<string, string>& mapHeadersRet, string& strMessageRet)
1619 {
1620     mapHeadersRet.clear();
1621     strMessageRet = "";
1622
1623     // Read status
1624     int nStatus = ReadHTTPStatus(stream);
1625
1626     // Read header
1627     int nLen = ReadHTTPHeader(stream, mapHeadersRet);
1628     if (nLen < 0 || nLen > MAX_SIZE)
1629         return 500;
1630
1631     // Read message
1632     if (nLen > 0)
1633     {
1634         vector<char> vch(nLen);
1635         stream.read(&vch[0], nLen);
1636         strMessageRet = string(vch.begin(), vch.end());
1637     }
1638
1639     return nStatus;
1640 }
1641
1642 string EncodeBase64(string s)
1643 {
1644     BIO *b64, *bmem;
1645     BUF_MEM *bptr;
1646
1647     b64 = BIO_new(BIO_f_base64());
1648     BIO_set_flags(b64, BIO_FLAGS_BASE64_NO_NL);
1649     bmem = BIO_new(BIO_s_mem());
1650     b64 = BIO_push(b64, bmem);
1651     BIO_write(b64, s.c_str(), s.size());
1652     BIO_flush(b64);
1653     BIO_get_mem_ptr(b64, &bptr);
1654
1655     string result(bptr->data, bptr->length);
1656     BIO_free_all(b64);
1657
1658     return result;
1659 }
1660
1661 string DecodeBase64(string s)
1662 {
1663     BIO *b64, *bmem;
1664
1665     char* buffer = static_cast<char*>(calloc(s.size(), sizeof(char)));
1666
1667     b64 = BIO_new(BIO_f_base64());
1668     BIO_set_flags(b64, BIO_FLAGS_BASE64_NO_NL);
1669     bmem = BIO_new_mem_buf(const_cast<char*>(s.c_str()), s.size());
1670     bmem = BIO_push(b64, bmem);
1671     BIO_read(bmem, buffer, s.size());
1672     BIO_free_all(bmem);
1673
1674     string result(buffer);
1675     free(buffer);
1676     return result;
1677 }
1678
1679 bool HTTPAuthorized(map<string, string>& mapHeaders)
1680 {
1681     string strAuth = mapHeaders["authorization"];
1682     if (strAuth.substr(0,6) != "Basic ")
1683         return false;
1684     string strUserPass64 = strAuth.substr(6); boost::trim(strUserPass64);
1685     string strUserPass = DecodeBase64(strUserPass64);
1686     string::size_type nColon = strUserPass.find(":");
1687     if (nColon == string::npos)
1688         return false;
1689     string strUser = strUserPass.substr(0, nColon);
1690     string strPassword = strUserPass.substr(nColon+1);
1691     return (strUser == mapArgs["-rpcuser"] && strPassword == mapArgs["-rpcpassword"]);
1692 }
1693
1694 //
1695 // JSON-RPC protocol.  Bitcoin speaks version 1.0 for maximum compatibility,
1696 // but uses JSON-RPC 1.1/2.0 standards for parts of the 1.0 standard that were
1697 // unspecified (HTTP errors and contents of 'error').
1698 //
1699 // 1.0 spec: http://json-rpc.org/wiki/specification
1700 // 1.2 spec: http://groups.google.com/group/json-rpc/web/json-rpc-over-http
1701 // http://www.codeproject.com/KB/recipes/JSON_Spirit.aspx
1702 //
1703
1704 string JSONRPCRequest(const string& strMethod, const Array& params, const Value& id)
1705 {
1706     Object request;
1707     request.push_back(Pair("method", strMethod));
1708     request.push_back(Pair("params", params));
1709     request.push_back(Pair("id", id));
1710     return write_string(Value(request), false) + "\n";
1711 }
1712
1713 string JSONRPCReply(const Value& result, const Value& error, const Value& id)
1714 {
1715     Object reply;
1716     if (error.type() != null_type)
1717         reply.push_back(Pair("result", Value::null));
1718     else
1719         reply.push_back(Pair("result", result));
1720     reply.push_back(Pair("error", error));
1721     reply.push_back(Pair("id", id));
1722     return write_string(Value(reply), false) + "\n";
1723 }
1724
1725 void ErrorReply(std::ostream& stream, const Object& objError, const Value& id)
1726 {
1727     // Send error reply from json-rpc error object
1728     int nStatus = 500;
1729     int code = find_value(objError, "code").get_int();
1730     if (code == -32600) nStatus = 400;
1731     else if (code == -32601) nStatus = 404;
1732     string strReply = JSONRPCReply(Value::null, objError, id);
1733     stream << HTTPReply(nStatus, strReply) << std::flush;
1734 }
1735
1736 bool ClientAllowed(const string& strAddress)
1737 {
1738     if (strAddress == asio::ip::address_v4::loopback().to_string())
1739         return true;
1740     const vector<string>& vAllow = mapMultiArgs["-rpcallowip"];
1741     BOOST_FOREACH(string strAllow, vAllow)
1742         if (WildcardMatch(strAddress, strAllow))
1743             return true;
1744     return false;
1745 }
1746
1747 #ifdef USE_SSL
1748 //
1749 // IOStream device that speaks SSL but can also speak non-SSL
1750 //
1751 class SSLIOStreamDevice : public iostreams::device<iostreams::bidirectional> {
1752 public:
1753     SSLIOStreamDevice(SSLStream &streamIn, bool fUseSSLIn) : stream(streamIn)
1754     {
1755         fUseSSL = fUseSSLIn;
1756         fNeedHandshake = fUseSSLIn;
1757     }
1758
1759     void handshake(ssl::stream_base::handshake_type role)
1760     {
1761         if (!fNeedHandshake) return;
1762         fNeedHandshake = false;
1763         stream.handshake(role);
1764     }
1765     std::streamsize read(char* s, std::streamsize n)
1766     {
1767         handshake(ssl::stream_base::server); // HTTPS servers read first
1768         if (fUseSSL) return stream.read_some(asio::buffer(s, n));
1769         return stream.next_layer().read_some(asio::buffer(s, n));
1770     }
1771     std::streamsize write(const char* s, std::streamsize n)
1772     {
1773         handshake(ssl::stream_base::client); // HTTPS clients write first
1774         if (fUseSSL) return asio::write(stream, asio::buffer(s, n));
1775         return asio::write(stream.next_layer(), asio::buffer(s, n));
1776     }
1777     bool connect(const std::string& server, const std::string& port)
1778     {
1779         ip::tcp::resolver resolver(stream.get_io_service());
1780         ip::tcp::resolver::query query(server.c_str(), port.c_str());
1781         ip::tcp::resolver::iterator endpoint_iterator = resolver.resolve(query);
1782         ip::tcp::resolver::iterator end;
1783         boost::system::error_code error = asio::error::host_not_found;
1784         while (error && endpoint_iterator != end)
1785         {
1786             stream.lowest_layer().close();
1787             stream.lowest_layer().connect(*endpoint_iterator++, error);
1788         }
1789         if (error)
1790             return false;
1791         return true;
1792     }
1793
1794 private:
1795     bool fNeedHandshake;
1796     bool fUseSSL;
1797     SSLStream& stream;
1798 };
1799 #endif
1800
1801 void ThreadRPCServer(void* parg)
1802 {
1803     IMPLEMENT_RANDOMIZE_STACK(ThreadRPCServer(parg));
1804     try
1805     {
1806         vnThreadsRunning[4]++;
1807         ThreadRPCServer2(parg);
1808         vnThreadsRunning[4]--;
1809     }
1810     catch (std::exception& e) {
1811         vnThreadsRunning[4]--;
1812         PrintException(&e, "ThreadRPCServer()");
1813     } catch (...) {
1814         vnThreadsRunning[4]--;
1815         PrintException(NULL, "ThreadRPCServer()");
1816     }
1817     printf("ThreadRPCServer exiting\n");
1818 }
1819
1820 void ThreadRPCServer2(void* parg)
1821 {
1822     printf("ThreadRPCServer started\n");
1823
1824     if (mapArgs["-rpcuser"] == "" && mapArgs["-rpcpassword"] == "")
1825     {
1826         string strWhatAmI = "To use bitcoind";
1827         if (mapArgs.count("-server"))
1828             strWhatAmI = strprintf(_("To use the %s option"), "\"-server\"");
1829         else if (mapArgs.count("-daemon"))
1830             strWhatAmI = strprintf(_("To use the %s option"), "\"-daemon\"");
1831         PrintConsole(
1832             _("Warning: %s, you must set rpcpassword=<password>\nin the configuration file: %s\n"
1833               "If the file does not exist, create it with owner-readable-only file permissions.\n"),
1834                 strWhatAmI.c_str(),
1835                 GetConfigFile().c_str());
1836         CreateThread(Shutdown, NULL);
1837         return;
1838     }
1839
1840     bool fUseSSL = GetBoolArg("-rpcssl");
1841     asio::ip::address bindAddress = mapArgs.count("-rpcallowip") ? asio::ip::address_v4::any() : asio::ip::address_v4::loopback();
1842
1843     asio::io_service io_service;
1844     ip::tcp::endpoint endpoint(bindAddress, GetArg("-rpcport", 8332));
1845     ip::tcp::acceptor acceptor(io_service, endpoint);
1846
1847     acceptor.set_option(boost::asio::ip::tcp::acceptor::reuse_address(true));
1848
1849 #ifdef USE_SSL
1850     ssl::context context(io_service, ssl::context::sslv23);
1851     if (fUseSSL)
1852     {
1853         context.set_options(ssl::context::no_sslv2);
1854         filesystem::path certfile = GetArg("-rpcsslcertificatechainfile", "server.cert");
1855         if (!certfile.is_complete()) certfile = filesystem::path(GetDataDir()) / certfile;
1856         if (filesystem::exists(certfile)) context.use_certificate_chain_file(certfile.string().c_str());
1857         else printf("ThreadRPCServer ERROR: missing server certificate file %s\n", certfile.string().c_str());
1858         filesystem::path pkfile = GetArg("-rpcsslprivatekeyfile", "server.pem");
1859         if (!pkfile.is_complete()) pkfile = filesystem::path(GetDataDir()) / pkfile;
1860         if (filesystem::exists(pkfile)) context.use_private_key_file(pkfile.string().c_str(), ssl::context::pem);
1861         else printf("ThreadRPCServer ERROR: missing server private key file %s\n", pkfile.string().c_str());
1862
1863         string ciphers = GetArg("-rpcsslciphers",
1864                                          "TLSv1+HIGH:!SSLv2:!aNULL:!eNULL:!AH:!3DES:@STRENGTH");
1865         SSL_CTX_set_cipher_list(context.impl(), ciphers.c_str());
1866     }
1867 #else
1868     if (fUseSSL)
1869         throw runtime_error("-rpcssl=1, but bitcoin compiled without full openssl libraries.");
1870 #endif
1871
1872     loop
1873     {
1874         // Accept connection
1875 #ifdef USE_SSL
1876         SSLStream sslStream(io_service, context);
1877         SSLIOStreamDevice d(sslStream, fUseSSL);
1878         iostreams::stream<SSLIOStreamDevice> stream(d);
1879 #else
1880         ip::tcp::iostream stream;
1881 #endif
1882
1883         ip::tcp::endpoint peer;
1884         vnThreadsRunning[4]--;
1885 #ifdef USE_SSL
1886         acceptor.accept(sslStream.lowest_layer(), peer);
1887 #else
1888         acceptor.accept(*stream.rdbuf(), peer);
1889 #endif
1890         vnThreadsRunning[4]++;
1891         if (fShutdown)
1892             return;
1893
1894         // Restrict callers by IP
1895         if (!ClientAllowed(peer.address().to_string()))
1896         {
1897             // Only send a 403 if we're not using SSL to prevent a DoS during the SSL handshake.
1898             if (!fUseSSL)
1899                 stream << HTTPReply(403, "") << std::flush;
1900             continue;
1901         }
1902
1903         map<string, string> mapHeaders;
1904         string strRequest;
1905
1906         boost::thread api_caller(ReadHTTP, boost::ref(stream), boost::ref(mapHeaders), boost::ref(strRequest));
1907         if (!api_caller.timed_join(boost::posix_time::seconds(GetArg("-rpctimeout", 30))))
1908         {   // Timed out:
1909             acceptor.cancel();
1910             printf("ThreadRPCServer ReadHTTP timeout\n");
1911             continue;
1912         }
1913
1914         // Check authorization
1915         if (mapHeaders.count("authorization") == 0)
1916         {
1917             stream << HTTPReply(401, "") << std::flush;
1918             continue;
1919         }
1920         if (!HTTPAuthorized(mapHeaders))
1921         {
1922             // Deter brute-forcing short passwords
1923             if (mapArgs["-rpcpassword"].size() < 15)
1924                 Sleep(50);
1925
1926             stream << HTTPReply(401, "") << std::flush;
1927             printf("ThreadRPCServer incorrect password attempt\n");
1928             continue;
1929         }
1930
1931         Value id = Value::null;
1932         try
1933         {
1934             // Parse request
1935             Value valRequest;
1936             if (!read_string(strRequest, valRequest) || valRequest.type() != obj_type)
1937                 throw JSONRPCError(-32700, "Parse error");
1938             const Object& request = valRequest.get_obj();
1939
1940             // Parse id now so errors from here on will have the id
1941             id = find_value(request, "id");
1942
1943             // Parse method
1944             Value valMethod = find_value(request, "method");
1945             if (valMethod.type() == null_type)
1946                 throw JSONRPCError(-32600, "Missing method");
1947             if (valMethod.type() != str_type)
1948                 throw JSONRPCError(-32600, "Method must be a string");
1949             string strMethod = valMethod.get_str();
1950             if (strMethod != "getwork")
1951                 printf("ThreadRPCServer method=%s\n", strMethod.c_str());
1952
1953             // Parse params
1954             Value valParams = find_value(request, "params");
1955             Array params;
1956             if (valParams.type() == array_type)
1957                 params = valParams.get_array();
1958             else if (valParams.type() == null_type)
1959                 params = Array();
1960             else
1961                 throw JSONRPCError(-32600, "Params must be an array");
1962
1963             // Find method
1964             map<string, rpcfn_type>::iterator mi = mapCallTable.find(strMethod);
1965             if (mi == mapCallTable.end())
1966                 throw JSONRPCError(-32601, "Method not found");
1967
1968             // Observe safe mode
1969             string strWarning = GetWarnings("rpc");
1970             if (strWarning != "" && !GetBoolArg("-disablesafemode") && !setAllowInSafeMode.count(strMethod))
1971                 throw JSONRPCError(-2, string("Safe mode: ") + strWarning);
1972
1973             try
1974             {
1975                 // Execute
1976                 Value result = (*(*mi).second)(params, false);
1977
1978                 // Send reply
1979                 string strReply = JSONRPCReply(result, Value::null, id);
1980                 stream << HTTPReply(200, strReply) << std::flush;
1981             }
1982             catch (std::exception& e)
1983             {
1984                 ErrorReply(stream, JSONRPCError(-1, e.what()), id);
1985             }
1986         }
1987         catch (Object& objError)
1988         {
1989             ErrorReply(stream, objError, id);
1990         }
1991         catch (std::exception& e)
1992         {
1993             ErrorReply(stream, JSONRPCError(-32700, e.what()), id);
1994         }
1995     }
1996 }
1997
1998
1999
2000
2001 Object CallRPC(const string& strMethod, const Array& params)
2002 {
2003     if (mapArgs["-rpcuser"] == "" && mapArgs["-rpcpassword"] == "")
2004         throw runtime_error(strprintf(
2005             _("You must set rpcpassword=<password> in the configuration file:\n%s\n"
2006               "If the file does not exist, create it with owner-readable-only file permissions."),
2007                 GetConfigFile().c_str()));
2008
2009     // Connect to localhost
2010     bool fUseSSL = GetBoolArg("-rpcssl");
2011 #ifdef USE_SSL
2012     asio::io_service io_service;
2013     ssl::context context(io_service, ssl::context::sslv23);
2014     context.set_options(ssl::context::no_sslv2);
2015     SSLStream sslStream(io_service, context);
2016     SSLIOStreamDevice d(sslStream, fUseSSL);
2017     iostreams::stream<SSLIOStreamDevice> stream(d);
2018     if (!d.connect(GetArg("-rpcconnect", "127.0.0.1"), GetArg("-rpcport", "8332")))
2019         throw runtime_error("couldn't connect to server");
2020 #else
2021     if (fUseSSL)
2022         throw runtime_error("-rpcssl=1, but bitcoin compiled without full openssl libraries.");
2023
2024     ip::tcp::iostream stream(GetArg("-rpcconnect", "127.0.0.1"), GetArg("-rpcport", "8332"));
2025     if (stream.fail())
2026         throw runtime_error("couldn't connect to server");
2027 #endif
2028
2029
2030     // HTTP basic authentication
2031     string strUserPass64 = EncodeBase64(mapArgs["-rpcuser"] + ":" + mapArgs["-rpcpassword"]);
2032     map<string, string> mapRequestHeaders;
2033     mapRequestHeaders["Authorization"] = string("Basic ") + strUserPass64;
2034
2035     // Send request
2036     string strRequest = JSONRPCRequest(strMethod, params, 1);
2037     string strPost = HTTPPost(strRequest, mapRequestHeaders);
2038     stream << strPost << std::flush;
2039
2040     // Receive reply
2041     map<string, string> mapHeaders;
2042     string strReply;
2043     int nStatus = ReadHTTP(stream, mapHeaders, strReply);
2044     if (nStatus == 401)
2045         throw runtime_error("incorrect rpcuser or rpcpassword (authorization failed)");
2046     else if (nStatus >= 400 && nStatus != 400 && nStatus != 404 && nStatus != 500)
2047         throw runtime_error(strprintf("server returned HTTP error %d", nStatus));
2048     else if (strReply.empty())
2049         throw runtime_error("no response from server");
2050
2051     // Parse reply
2052     Value valReply;
2053     if (!read_string(strReply, valReply))
2054         throw runtime_error("couldn't parse reply from server");
2055     const Object& reply = valReply.get_obj();
2056     if (reply.empty())
2057         throw runtime_error("expected reply to have result, error and id properties");
2058
2059     return reply;
2060 }
2061
2062
2063
2064
2065 template<typename T>
2066 void ConvertTo(Value& value)
2067 {
2068     if (value.type() == str_type)
2069     {
2070         // reinterpret string as unquoted json value
2071         Value value2;
2072         if (!read_string(value.get_str(), value2))
2073             throw runtime_error("type mismatch");
2074         value = value2.get_value<T>();
2075     }
2076     else
2077     {
2078         value = value.get_value<T>();
2079     }
2080 }
2081
2082 int CommandLineRPC(int argc, char *argv[])
2083 {
2084     string strPrint;
2085     int nRet = 0;
2086     try
2087     {
2088         // Skip switches
2089         while (argc > 1 && IsSwitchChar(argv[1][0]))
2090         {
2091             argc--;
2092             argv++;
2093         }
2094
2095         // Method
2096         if (argc < 2)
2097             throw runtime_error("too few parameters");
2098         string strMethod = argv[1];
2099
2100         // Parameters default to strings
2101         Array params;
2102         for (int i = 2; i < argc; i++)
2103             params.push_back(argv[i]);
2104         int n = params.size();
2105
2106         //
2107         // Special case non-string parameter types
2108         //
2109         if (strMethod == "setgenerate"            && n > 0) ConvertTo<bool>(params[0]);
2110         if (strMethod == "setgenerate"            && n > 1) ConvertTo<boost::int64_t>(params[1]);
2111         if (strMethod == "sendtoaddress"          && n > 1) ConvertTo<double>(params[1]);
2112         if (strMethod == "settxfee"               && n > 0) ConvertTo<double>(params[0]);
2113         if (strMethod == "getamountreceived"      && n > 1) ConvertTo<boost::int64_t>(params[1]); // deprecated
2114         if (strMethod == "getreceivedbyaddress"   && n > 1) ConvertTo<boost::int64_t>(params[1]);
2115         if (strMethod == "getreceivedbyaccount"   && n > 1) ConvertTo<boost::int64_t>(params[1]);
2116         if (strMethod == "getreceivedbylabel"     && n > 1) ConvertTo<boost::int64_t>(params[1]); // deprecated
2117         if (strMethod == "getallreceived"         && n > 0) ConvertTo<boost::int64_t>(params[0]); // deprecated
2118         if (strMethod == "getallreceived"         && n > 1) ConvertTo<bool>(params[1]);
2119         if (strMethod == "listreceivedbyaddress"  && n > 0) ConvertTo<boost::int64_t>(params[0]);
2120         if (strMethod == "listreceivedbyaddress"  && n > 1) ConvertTo<bool>(params[1]);
2121         if (strMethod == "listreceivedbyaccount"  && n > 0) ConvertTo<boost::int64_t>(params[0]);
2122         if (strMethod == "listreceivedbyaccount"  && n > 1) ConvertTo<bool>(params[1]);
2123         if (strMethod == "listreceivedbylabel"    && n > 0) ConvertTo<boost::int64_t>(params[0]); // deprecated
2124         if (strMethod == "listreceivedbylabel"    && n > 1) ConvertTo<bool>(params[1]); // deprecated
2125         if (strMethod == "getbalance"             && n > 1) ConvertTo<boost::int64_t>(params[1]);
2126         if (strMethod == "move"                   && n > 2) ConvertTo<double>(params[2]);
2127         if (strMethod == "move"                   && n > 3) ConvertTo<boost::int64_t>(params[3]);
2128         if (strMethod == "sendfrom"               && n > 2) ConvertTo<double>(params[2]);
2129         if (strMethod == "sendfrom"               && n > 3) ConvertTo<boost::int64_t>(params[3]);
2130         if (strMethod == "listtransactions"       && n > 1) ConvertTo<boost::int64_t>(params[1]);
2131         if (strMethod == "listtransactions"       && n > 2) ConvertTo<boost::int64_t>(params[2]);
2132         if (strMethod == "listaccounts"           && n > 0) ConvertTo<boost::int64_t>(params[0]);
2133         if (strMethod == "sendmany"               && n > 1)
2134         {
2135             string s = params[1].get_str();
2136             Value v;
2137             if (!read_string(s, v) || v.type() != obj_type)
2138                 throw runtime_error("type mismatch");
2139             params[1] = v.get_obj();
2140         }
2141         if (strMethod == "sendmany"                && n > 2) ConvertTo<boost::int64_t>(params[2]);
2142
2143         // Execute
2144         Object reply = CallRPC(strMethod, params);
2145
2146         // Parse reply
2147         const Value& result = find_value(reply, "result");
2148         const Value& error  = find_value(reply, "error");
2149         const Value& id     = find_value(reply, "id");
2150
2151         if (error.type() != null_type)
2152         {
2153             // Error
2154             strPrint = "error: " + write_string(error, false);
2155             int code = find_value(error.get_obj(), "code").get_int();
2156             nRet = abs(code);
2157         }
2158         else
2159         {
2160             // Result
2161             if (result.type() == null_type)
2162                 strPrint = "";
2163             else if (result.type() == str_type)
2164                 strPrint = result.get_str();
2165             else
2166                 strPrint = write_string(result, true);
2167         }
2168     }
2169     catch (std::exception& e)
2170     {
2171         strPrint = string("error: ") + e.what();
2172         nRet = 87;
2173     }
2174     catch (...)
2175     {
2176         PrintException(NULL, "CommandLineRPC()");
2177     }
2178
2179     if (strPrint != "")
2180     {
2181 #if defined(__WXMSW__) && defined(GUI)
2182         // Windows GUI apps can't print to command line,
2183         // so settle for a message box yuck
2184         MyMessageBox(strPrint, "Bitcoin", wxOK);
2185 #else
2186         fprintf((nRet == 0 ? stdout : stderr), "%s\n", strPrint.c_str());
2187 #endif
2188     }
2189     return nRet;
2190 }
2191
2192
2193
2194
2195 #ifdef TEST
2196 int main(int argc, char *argv[])
2197 {
2198 #ifdef _MSC_VER
2199     // Turn off microsoft heap dump noise
2200     _CrtSetReportMode(_CRT_WARN, _CRTDBG_MODE_FILE);
2201     _CrtSetReportFile(_CRT_WARN, CreateFile("NUL", GENERIC_WRITE, 0, NULL, OPEN_EXISTING, 0, 0));
2202 #endif
2203     setbuf(stdin, NULL);
2204     setbuf(stdout, NULL);
2205     setbuf(stderr, NULL);
2206
2207     try
2208     {
2209         if (argc >= 2 && string(argv[1]) == "-server")
2210         {
2211             printf("server ready\n");
2212             ThreadRPCServer(NULL);
2213         }
2214         else
2215         {
2216             return CommandLineRPC(argc, argv);
2217         }
2218     }
2219     catch (std::exception& e) {
2220         PrintException(&e, "main()");
2221     } catch (...) {
2222         PrintException(NULL, "main()");
2223     }
2224     return 0;
2225 }
2226 #endif