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