main.cpp 133 KB
Newer Older
s_nakamoto's avatar
s_nakamoto committed
1
// Copyright (c) 2009-2010 Satoshi Nakamoto
Gavin Andresen's avatar
Gavin Andresen committed
2
// Copyright (c) 2009-2012 The Bitcoin developers
s_nakamoto's avatar
s_nakamoto committed
3
// Distributed under the MIT/X11 software license, see the accompanying
Fordy's avatar
Fordy committed
4
5
// file COPYING or http://www.opensource.org/licenses/mit-license.php.

6
#include "checkpoints.h"
7
#include "db.h"
8
#include "net.h"
9
#include "init.h"
Pieter Wuille's avatar
Pieter Wuille committed
10
#include "ui_interface.h"
11
#include <boost/algorithm/string/replace.hpp>
12
#include <boost/filesystem.hpp>
13
#include <boost/filesystem/fstream.hpp>
s_nakamoto's avatar
s_nakamoto committed
14

15
16
using namespace std;
using namespace boost;
s_nakamoto's avatar
s_nakamoto committed
17
18
19
20
21

//
// Global state
//

Pieter Wuille's avatar
Pieter Wuille committed
22
23
24
CCriticalSection cs_setpwalletRegistered;
set<CWallet*> setpwalletRegistered;

s_nakamoto's avatar
s_nakamoto committed
25
26
CCriticalSection cs_main;

27
CTxMemPool mempool;
s_nakamoto's avatar
s_nakamoto committed
28
29
30
unsigned int nTransactionsUpdated = 0;

map<uint256, CBlockIndex*> mapBlockIndex;
31
uint256 hashGenesisBlock("0x000000000019d6689c085ae165831e934ff763ae46a2a6c172b3f1b60a8ce26f");
32
static CBigNum bnProofOfWorkLimit(~uint256(0) >> 32);
s_nakamoto's avatar
s_nakamoto committed
33
34
35
36
37
38
CBlockIndex* pindexGenesisBlock = NULL;
int nBestHeight = -1;
CBigNum bnBestChainWork = 0;
CBigNum bnBestInvalidWork = 0;
uint256 hashBestChain = 0;
CBlockIndex* pindexBest = NULL;
39
int64 nTimeBestReceived = 0;
s_nakamoto's avatar
s_nakamoto committed
40

41
42
CMedianFilter<int> cPeerBlockCounts(5, 0); // Amount of blocks that other nodes claim to have

s_nakamoto's avatar
s_nakamoto committed
43
44
45
46
map<uint256, CBlock*> mapOrphanBlocks;
multimap<uint256, CBlock*> mapOrphanBlocksByPrev;

map<uint256, CDataStream*> mapOrphanTransactions;
47
map<uint256, map<uint256, CDataStream*> > mapOrphanTransactionsByPrev;
s_nakamoto's avatar
s_nakamoto committed
48

49
50
// Constant stuff for coinbase transactions we create:
CScript COINBASE_FLAGS;
s_nakamoto's avatar
s_nakamoto committed
51

52
53
const string strMessageMagic = "Bitcoin Signed Message:\n";

s_nakamoto's avatar
s_nakamoto committed
54
double dHashesPerSec;
55
int64 nHPSTimerStart;
s_nakamoto's avatar
s_nakamoto committed
56
57

// Settings
58
int64 nTransactionFee = 0;
59

60

s_nakamoto's avatar
s_nakamoto committed
61

Pieter Wuille's avatar
Pieter Wuille committed
62
63
64
65
66
//////////////////////////////////////////////////////////////////////////////
//
// dispatching functions
//

Pieter Wuille's avatar
Pieter Wuille committed
67
68
69
// These functions dispatch to one or all registered wallets


Pieter Wuille's avatar
Pieter Wuille committed
70
71
72
void RegisterWallet(CWallet* pwalletIn)
{
    {
73
        LOCK(cs_setpwalletRegistered);
Pieter Wuille's avatar
Pieter Wuille committed
74
75
76
77
78
79
80
        setpwalletRegistered.insert(pwalletIn);
    }
}

void UnregisterWallet(CWallet* pwalletIn)
{
    {
81
        LOCK(cs_setpwalletRegistered);
Pieter Wuille's avatar
Pieter Wuille committed
82
83
84
85
        setpwalletRegistered.erase(pwalletIn);
    }
}

Pieter Wuille's avatar
Pieter Wuille committed
86
// check whether the passed transaction is from us
Pieter Wuille's avatar
Pieter Wuille committed
87
88
89
90
91
92
93
94
bool static IsFromMe(CTransaction& tx)
{
    BOOST_FOREACH(CWallet* pwallet, setpwalletRegistered)
        if (pwallet->IsFromMe(tx))
            return true;
    return false;
}

Pieter Wuille's avatar
Pieter Wuille committed
95
// get the wallet transaction with the given hash (if it exists)
Pieter Wuille's avatar
Pieter Wuille committed
96
97
98
99
100
101
102
103
bool static GetTransaction(const uint256& hashTx, CWalletTx& wtx)
{
    BOOST_FOREACH(CWallet* pwallet, setpwalletRegistered)
        if (pwallet->GetTransaction(hashTx,wtx))
            return true;
    return false;
}

Pieter Wuille's avatar
Pieter Wuille committed
104
// erases transaction with the given hash from all wallets
Pieter Wuille's avatar
Pieter Wuille committed
105
106
107
108
109
110
void static EraseFromWallets(uint256 hash)
{
    BOOST_FOREACH(CWallet* pwallet, setpwalletRegistered)
        pwallet->EraseFromWallet(hash);
}

Pieter Wuille's avatar
Pieter Wuille committed
111
// make sure all wallets know about the given transaction, in the given block
112
void SyncWithWallets(const CTransaction& tx, const CBlock* pblock, bool fUpdate)
Pieter Wuille's avatar
Pieter Wuille committed
113
114
115
116
117
{
    BOOST_FOREACH(CWallet* pwallet, setpwalletRegistered)
        pwallet->AddToWalletIfInvolvingMe(tx, pblock, fUpdate);
}

Pieter Wuille's avatar
Pieter Wuille committed
118
// notify wallets about a new best chain
Pieter Wuille's avatar
Pieter Wuille committed
119
120
121
122
123
124
void static SetBestChain(const CBlockLocator& loc)
{
    BOOST_FOREACH(CWallet* pwallet, setpwalletRegistered)
        pwallet->SetBestChain(loc);
}

Pieter Wuille's avatar
Pieter Wuille committed
125
// notify wallets about an updated transaction
Pieter Wuille's avatar
Pieter Wuille committed
126
127
128
129
130
131
void static UpdatedTransaction(const uint256& hashTx)
{
    BOOST_FOREACH(CWallet* pwallet, setpwalletRegistered)
        pwallet->UpdatedTransaction(hashTx);
}

Pieter Wuille's avatar
Pieter Wuille committed
132
// dump all wallets
Pieter Wuille's avatar
Pieter Wuille committed
133
134
135
136
137
138
void static PrintWallets(const CBlock& block)
{
    BOOST_FOREACH(CWallet* pwallet, setpwalletRegistered)
        pwallet->PrintWallet(block);
}

Pieter Wuille's avatar
Pieter Wuille committed
139
// notify wallets about an incoming inventory (for request counts)
Pieter Wuille's avatar
Pieter Wuille committed
140
141
142
143
144
145
void static Inventory(const uint256& hash)
{
    BOOST_FOREACH(CWallet* pwallet, setpwalletRegistered)
        pwallet->Inventory(hash);
}

Pieter Wuille's avatar
Pieter Wuille committed
146
// ask wallets to resend their transactions
Pieter Wuille's avatar
Pieter Wuille committed
147
148
149
150
151
152
153
154
155
156
157
158
void static ResendWalletTransactions()
{
    BOOST_FOREACH(CWallet* pwallet, setpwalletRegistered)
        pwallet->ResendWalletTransactions();
}







s_nakamoto's avatar
s_nakamoto committed
159
160
161
162
163
//////////////////////////////////////////////////////////////////////////////
//
// mapOrphanTransactions
//

164
bool AddOrphanTx(const CDataStream& vMsg)
s_nakamoto's avatar
s_nakamoto committed
165
166
167
168
169
{
    CTransaction tx;
    CDataStream(vMsg) >> tx;
    uint256 hash = tx.GetHash();
    if (mapOrphanTransactions.count(hash))
170
171
172
        return false;

    CDataStream* pvMsg = new CDataStream(vMsg);
173

174
175
176
177
178
179
180
181
182
183
    // Ignore big transactions, to avoid a
    // send-big-orphans memory exhaustion attack. If a peer has a legitimate
    // large transaction with a missing parent then we assume
    // it will rebroadcast it later, after the parent transaction(s)
    // have been mined or received.
    // 10,000 orphans, each of which is at most 5,000 bytes big is
    // at most 500 megabytes of orphans:
    if (pvMsg->size() > 5000)
    {
        printf("ignoring large orphan tx (size: %u, hash: %s)\n", pvMsg->size(), hash.ToString().substr(0,10).c_str());
184
        delete pvMsg;
185
186
        return false;
    }
187

188
    mapOrphanTransactions[hash] = pvMsg;
189
    BOOST_FOREACH(const CTxIn& txin, tx.vin)
190
191
192
193
194
        mapOrphanTransactionsByPrev[txin.prevout.hash].insert(make_pair(hash, pvMsg));

    printf("stored orphan tx %s (mapsz %u)\n", hash.ToString().substr(0,10).c_str(),
        mapOrphanTransactions.size());
    return true;
s_nakamoto's avatar
s_nakamoto committed
195
196
}

Pieter Wuille's avatar
Pieter Wuille committed
197
void static EraseOrphanTx(uint256 hash)
s_nakamoto's avatar
s_nakamoto committed
198
199
200
201
202
203
{
    if (!mapOrphanTransactions.count(hash))
        return;
    const CDataStream* pvMsg = mapOrphanTransactions[hash];
    CTransaction tx;
    CDataStream(*pvMsg) >> tx;
204
    BOOST_FOREACH(const CTxIn& txin, tx.vin)
s_nakamoto's avatar
s_nakamoto committed
205
    {
206
207
208
        mapOrphanTransactionsByPrev[txin.prevout.hash].erase(hash);
        if (mapOrphanTransactionsByPrev[txin.prevout.hash].empty())
            mapOrphanTransactionsByPrev.erase(txin.prevout.hash);
s_nakamoto's avatar
s_nakamoto committed
209
210
211
212
213
    }
    delete pvMsg;
    mapOrphanTransactions.erase(hash);
}

214
unsigned int LimitOrphanTxSize(unsigned int nMaxOrphans)
215
{
216
    unsigned int nEvicted = 0;
217
218
219
    while (mapOrphanTransactions.size() > nMaxOrphans)
    {
        // Evict a random orphan:
220
        uint256 randomhash = GetRandHash();
221
222
223
224
225
226
227
228
        map<uint256, CDataStream*>::iterator it = mapOrphanTransactions.lower_bound(randomhash);
        if (it == mapOrphanTransactions.end())
            it = mapOrphanTransactions.begin();
        EraseOrphanTx(it->first);
        ++nEvicted;
    }
    return nEvicted;
}
s_nakamoto's avatar
s_nakamoto committed
229
230
231
232
233
234
235
236
237







//////////////////////////////////////////////////////////////////////////////
//
238
// CTransaction and CTxIndex
s_nakamoto's avatar
s_nakamoto committed
239
240
//

s_nakamoto's avatar
s_nakamoto committed
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
bool CTransaction::ReadFromDisk(CTxDB& txdb, COutPoint prevout, CTxIndex& txindexRet)
{
    SetNull();
    if (!txdb.ReadTxIndex(prevout.hash, txindexRet))
        return false;
    if (!ReadFromDisk(txindexRet.pos))
        return false;
    if (prevout.n >= vout.size())
    {
        SetNull();
        return false;
    }
    return true;
}

bool CTransaction::ReadFromDisk(CTxDB& txdb, COutPoint prevout)
{
    CTxIndex txindex;
    return ReadFromDisk(txdb, prevout, txindex);
}

bool CTransaction::ReadFromDisk(COutPoint prevout)
{
    CTxDB txdb("r");
    CTxIndex txindex;
    return ReadFromDisk(txdb, prevout, txindex);
}

Gavin Andresen's avatar
Gavin Andresen committed
269
270
bool CTransaction::IsStandard() const
{
271
272
273
    if (nVersion > CTransaction::CURRENT_VERSION)
        return false;

Gavin Andresen's avatar
Gavin Andresen committed
274
275
    BOOST_FOREACH(const CTxIn& txin, vin)
    {
276
        // Biggest 'standard' txin is a 3-signature 3-of-3 CHECKMULTISIG
277
        // pay-to-script-hash, which is 3 ~80-byte signatures, 3
Gavin Andresen's avatar
Gavin Andresen committed
278
        // ~65-byte public keys, plus a few script ops.
279
        if (txin.scriptSig.size() > 500)
280
            return false;
Gavin Andresen's avatar
Gavin Andresen committed
281
        if (!txin.scriptSig.IsPushOnly())
282
            return false;
Gavin Andresen's avatar
Gavin Andresen committed
283
    }
284
    BOOST_FOREACH(const CTxOut& txout, vout) {
Gavin Andresen's avatar
Gavin Andresen committed
285
        if (!::IsStandard(txout.scriptPubKey))
286
            return false;
287
288
289
        if (txout.nValue == 0)
            return false;
    }
Gavin Andresen's avatar
Gavin Andresen committed
290
291
292
293
294
    return true;
}

//
// Check transaction inputs, and make sure any
295
// pay-to-script-hash transactions are evaluating IsStandard scripts
Gavin Andresen's avatar
Gavin Andresen committed
296
297
//
// Why bother? To avoid denial-of-service attacks; an attacker
298
299
300
// can submit a standard HASH... OP_EQUAL transaction,
// which will get accepted into blocks. The redemption
// script can be anything; an attacker could use a very
Gavin Andresen's avatar
Gavin Andresen committed
301
302
303
// expensive-to-check-upon-redemption script like:
//   DUP CHECKSIG DROP ... repeated 100 times... OP_1
//
304
bool CTransaction::AreInputsStandard(const MapPrevTx& mapInputs) const
Gavin Andresen's avatar
Gavin Andresen committed
305
{
306
    if (IsCoinBase())
307
        return true; // Coinbases don't use vin normally
308

309
    for (unsigned int i = 0; i < vin.size(); i++)
Gavin Andresen's avatar
Gavin Andresen committed
310
    {
311
        const CTxOut& prev = GetOutputFor(vin[i], mapInputs);
Gavin Andresen's avatar
Gavin Andresen committed
312
313

        vector<vector<unsigned char> > vSolutions;
314
315
        txnouttype whichType;
        // get the scriptPubKey corresponding to this input:
316
        const CScript& prevScript = prev.scriptPubKey;
317
        if (!Solver(prevScript, whichType, vSolutions))
318
            return false;
319
        int nArgsExpected = ScriptSigArgsExpected(whichType, vSolutions);
320
321
        if (nArgsExpected < 0)
            return false;
322
323
324
325
326
327
328
329
330
331

        // Transactions with extra stuff in their scriptSigs are
        // non-standard. Note that this EvalScript() call will
        // be quick, because if there are any operations
        // beside "push data" in the scriptSig the
        // IsStandard() call returns false
        vector<vector<unsigned char> > stack;
        if (!EvalScript(stack, vin[i].scriptSig, *this, i, 0))
            return false;

Gavin Andresen's avatar
Gavin Andresen committed
332
333
        if (whichType == TX_SCRIPTHASH)
        {
334
            if (stack.empty())
Gavin Andresen's avatar
Gavin Andresen committed
335
                return false;
336
            CScript subscript(stack.back().begin(), stack.back().end());
337
338
339
            vector<vector<unsigned char> > vSolutions2;
            txnouttype whichType2;
            if (!Solver(subscript, whichType2, vSolutions2))
340
                return false;
341
342
            if (whichType2 == TX_SCRIPTHASH)
                return false;
343
344
345
346
347
348

            int tmpExpected;
            tmpExpected = ScriptSigArgsExpected(whichType2, vSolutions2);
            if (tmpExpected < 0)
                return false;
            nArgsExpected += tmpExpected;
Gavin Andresen's avatar
Gavin Andresen committed
349
        }
350

351
        if (stack.size() != (unsigned int)nArgsExpected)
352
            return false;
Gavin Andresen's avatar
Gavin Andresen committed
353
354
355
356
357
    }

    return true;
}

358
unsigned int
359
360
CTransaction::GetLegacySigOpCount() const
{
361
    unsigned int nSigOps = 0;
362
363
364
365
366
367
368
369
370
371
    BOOST_FOREACH(const CTxIn& txin, vin)
    {
        nSigOps += txin.scriptSig.GetSigOpCount(false);
    }
    BOOST_FOREACH(const CTxOut& txout, vout)
    {
        nSigOps += txout.scriptPubKey.GetSigOpCount(false);
    }
    return nSigOps;
}
s_nakamoto's avatar
s_nakamoto committed
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398


int CMerkleTx::SetMerkleBranch(const CBlock* pblock)
{
    if (fClient)
    {
        if (hashBlock == 0)
            return 0;
    }
    else
    {
        CBlock blockTmp;
        if (pblock == NULL)
        {
            // Load the block this tx is in
            CTxIndex txindex;
            if (!CTxDB("r").ReadTxIndex(GetHash(), txindex))
                return 0;
            if (!blockTmp.ReadFromDisk(txindex.pos.nFile, txindex.pos.nBlockPos))
                return 0;
            pblock = &blockTmp;
        }

        // Update the tx's hashBlock
        hashBlock = pblock->GetHash();

        // Locate the transaction
399
        for (nIndex = 0; nIndex < (int)pblock->vtx.size(); nIndex++)
s_nakamoto's avatar
s_nakamoto committed
400
401
            if (pblock->vtx[nIndex] == *(CTransaction*)this)
                break;
402
        if (nIndex == (int)pblock->vtx.size())
s_nakamoto's avatar
s_nakamoto committed
403
404
405
406
407
408
409
410
411
412
413
414
415
416
417
418
419
420
421
422
423
424
425
426
427
428
429
430
        {
            vMerkleBranch.clear();
            nIndex = -1;
            printf("ERROR: SetMerkleBranch() : couldn't find tx in block\n");
            return 0;
        }

        // Fill in merkle branch
        vMerkleBranch = pblock->GetMerkleBranch(nIndex);
    }

    // Is the tx in a block that's in the main chain
    map<uint256, CBlockIndex*>::iterator mi = mapBlockIndex.find(hashBlock);
    if (mi == mapBlockIndex.end())
        return 0;
    CBlockIndex* pindex = (*mi).second;
    if (!pindex || !pindex->IsInMainChain())
        return 0;

    return pindexBest->nHeight - pindex->nHeight + 1;
}







431
432
433
bool CTransaction::CheckTransaction() const
{
    // Basic checks that don't depend on any context
434
    if (vin.empty())
435
        return DoS(10, error("CTransaction::CheckTransaction() : vin empty"));
436
    if (vout.empty())
437
        return DoS(10, error("CTransaction::CheckTransaction() : vout empty"));
438
    // Size limits
439
    if (::GetSerializeSize(*this, SER_NETWORK, PROTOCOL_VERSION) > MAX_BLOCK_SIZE)
440
        return DoS(100, error("CTransaction::CheckTransaction() : size limits failed"));
441
442

    // Check for negative or overflow output values
443
    int64 nValueOut = 0;
444
    BOOST_FOREACH(const CTxOut& txout, vout)
445
446
    {
        if (txout.nValue < 0)
447
            return DoS(100, error("CTransaction::CheckTransaction() : txout.nValue negative"));
448
        if (txout.nValue > MAX_MONEY)
449
            return DoS(100, error("CTransaction::CheckTransaction() : txout.nValue too high"));
450
451
        nValueOut += txout.nValue;
        if (!MoneyRange(nValueOut))
452
            return DoS(100, error("CTransaction::CheckTransaction() : txout total out of range"));
453
454
    }

455
456
457
458
459
460
461
462
463
    // Check for duplicate inputs
    set<COutPoint> vInOutPoints;
    BOOST_FOREACH(const CTxIn& txin, vin)
    {
        if (vInOutPoints.count(txin.prevout))
            return false;
        vInOutPoints.insert(txin.prevout);
    }

464
465
466
    if (IsCoinBase())
    {
        if (vin[0].scriptSig.size() < 2 || vin[0].scriptSig.size() > 100)
467
            return DoS(100, error("CTransaction::CheckTransaction() : coinbase script size"));
468
469
470
    }
    else
    {
471
        BOOST_FOREACH(const CTxIn& txin, vin)
472
            if (txin.prevout.IsNull())
473
                return DoS(10, error("CTransaction::CheckTransaction() : prevout is null"));
474
475
476
477
478
    }

    return true;
}

479
480
bool CTxMemPool::accept(CTxDB& txdb, CTransaction &tx, bool fCheckInputs,
                        bool* pfMissingInputs)
s_nakamoto's avatar
s_nakamoto committed
481
482
483
484
{
    if (pfMissingInputs)
        *pfMissingInputs = false;

485
486
    if (!tx.CheckTransaction())
        return error("CTxMemPool::accept() : CheckTransaction failed");
487

s_nakamoto's avatar
s_nakamoto committed
488
    // Coinbase is only valid in a block, not as a loose transaction
489
490
    if (tx.IsCoinBase())
        return tx.DoS(100, error("CTxMemPool::accept() : coinbase as individual tx"));
s_nakamoto's avatar
s_nakamoto committed
491
492

    // To help v0.1.5 clients who would see it as a negative number
493
494
    if ((int64)tx.nLockTime > std::numeric_limits<int>::max())
        return error("CTxMemPool::accept() : not accepting nLockTime beyond 2038 yet");
s_nakamoto's avatar
s_nakamoto committed
495

496
    // Rather not work on nonstandard transactions (unless -testnet)
497
498
    if (!fTestNet && !tx.IsStandard())
        return error("CTxMemPool::accept() : nonstandard transaction type");
499

s_nakamoto's avatar
s_nakamoto committed
500
    // Do we already have it?
501
    uint256 hash = tx.GetHash();
502
    {
503
504
        LOCK(cs);
        if (mapTx.count(hash))
s_nakamoto's avatar
s_nakamoto committed
505
            return false;
506
    }
s_nakamoto's avatar
s_nakamoto committed
507
508
509
510
511
512
    if (fCheckInputs)
        if (txdb.ContainsTx(hash))
            return false;

    // Check for conflicts with in-memory transactions
    CTransaction* ptxOld = NULL;
513
    for (unsigned int i = 0; i < tx.vin.size(); i++)
s_nakamoto's avatar
s_nakamoto committed
514
    {
515
        COutPoint outpoint = tx.vin[i].prevout;
s_nakamoto's avatar
s_nakamoto committed
516
517
518
519
520
521
522
523
524
        if (mapNextTx.count(outpoint))
        {
            // Disable replacement feature for now
            return false;

            // Allow replacing with a newer version of the same transaction
            if (i != 0)
                return false;
            ptxOld = mapNextTx[outpoint].ptx;
525
526
            if (ptxOld->IsFinal())
                return false;
527
            if (!tx.IsNewerThan(*ptxOld))
s_nakamoto's avatar
s_nakamoto committed
528
                return false;
529
            for (unsigned int i = 0; i < tx.vin.size(); i++)
s_nakamoto's avatar
s_nakamoto committed
530
            {
531
                COutPoint outpoint = tx.vin[i].prevout;
s_nakamoto's avatar
s_nakamoto committed
532
533
534
535
536
537
538
                if (!mapNextTx.count(outpoint) || mapNextTx[outpoint].ptx != ptxOld)
                    return false;
            }
            break;
        }
    }

539
    if (fCheckInputs)
s_nakamoto's avatar
s_nakamoto committed
540
    {
541
        MapPrevTx mapInputs;
542
        map<uint256, CTxIndex> mapUnused;
543
        bool fInvalid = false;
544
        if (!tx.FetchInputs(txdb, mapUnused, false, false, mapInputs, fInvalid))
Gavin Andresen's avatar
Gavin Andresen committed
545
        {
546
            if (fInvalid)
547
                return error("CTxMemPool::accept() : FetchInputs found invalid tx %s", hash.ToString().substr(0,10).c_str());
Gavin Andresen's avatar
Gavin Andresen committed
548
549
            if (pfMissingInputs)
                *pfMissingInputs = true;
550
            return false;
Gavin Andresen's avatar
Gavin Andresen committed
551
552
        }

553
        // Check for non-standard pay-to-script-hash in inputs
554
555
        if (!tx.AreInputsStandard(mapInputs) && !fTestNet)
            return error("CTxMemPool::accept() : nonstandard transaction input");
Gavin Andresen's avatar
Gavin Andresen committed
556

557
558
559
560
        // Note: if you modify this code to accept non-standard transactions, then
        // you should add code here to check that the transaction does a
        // reasonable number of ECDSA signature verifications.

561
        int64 nFees = tx.GetValueIn(mapInputs)-tx.GetValueOut();
562
        unsigned int nSize = ::GetSerializeSize(tx, SER_NETWORK, PROTOCOL_VERSION);
563
564

        // Don't accept it if it can't get into a block
565
566
        if (nFees < tx.GetMinFee(1000, true, GMF_RELAY))
            return error("CTxMemPool::accept() : not enough fees");
567

568
        // Continuously rate-limit free transactions
569
        // This mitigates 'penny-flooding' -- sending thousands of free transactions just to
570
        // be annoying or make others' transactions take longer to confirm.
571
        if (nFees < MIN_RELAY_TX_FEE)
572
        {
573
            static CCriticalSection cs;
574
            static double dFreeCount;
575
576
            static int64 nLastTime;
            int64 nNow = GetTime();
577

578
            {
579
                LOCK(cs);
580
581
582
583
584
                // Use an exponentially decaying ~10-minute window:
                dFreeCount *= pow(1.0 - 1.0/600.0, (double)(nNow - nLastTime));
                nLastTime = nNow;
                // -limitfreerelay unit is thousand-bytes-per-minute
                // At default rate it would take over a month to fill 1GB
585
586
                if (dFreeCount > GetArg("-limitfreerelay", 15)*10*1000 && !IsFromMe(tx))
                    return error("CTxMemPool::accept() : free transaction rejected by rate limiter");
587
588
589
                if (fDebug)
                    printf("Rate limit dFreeCount: %g => %g\n", dFreeCount, dFreeCount+nSize);
                dFreeCount += nSize;
590
591
            }
        }
592
593
594

        // Check against previous transactions
        // This is done last to help prevent CPU exhaustion denial-of-service attacks.
595
        if (!tx.ConnectInputs(mapInputs, mapUnused, CDiskTxPos(1,1,1), pindexBest, false, false))
596
        {
597
            return error("CTxMemPool::accept() : ConnectInputs failed %s", hash.ToString().substr(0,10).c_str());
598
        }
s_nakamoto's avatar
s_nakamoto committed
599
600
601
602
    }

    // Store transaction in memory
    {
603
        LOCK(cs);
s_nakamoto's avatar
s_nakamoto committed
604
605
        if (ptxOld)
        {
606
607
            printf("CTxMemPool::accept() : replacing tx %s with new version\n", ptxOld->GetHash().ToString().c_str());
            remove(*ptxOld);
s_nakamoto's avatar
s_nakamoto committed
608
        }
609
        addUnchecked(hash, tx);
s_nakamoto's avatar
s_nakamoto committed
610
611
612
613
614
    }

    ///// are we sure this is ok when loading transactions or restoring block txes
    // If updated, erase old tx from wallet
    if (ptxOld)
Pieter Wuille's avatar
Pieter Wuille committed
615
        EraseFromWallets(ptxOld->GetHash());
s_nakamoto's avatar
s_nakamoto committed
616

617
618
619
    printf("CTxMemPool::accept() : accepted %s (poolsz %u)\n",
           hash.ToString().substr(0,10).c_str(),
           mapTx.size());
s_nakamoto's avatar
s_nakamoto committed
620
621
622
    return true;
}

623
624
625
626
bool CTransaction::AcceptToMemoryPool(CTxDB& txdb, bool fCheckInputs, bool* pfMissingInputs)
{
    return mempool.accept(txdb, *this, fCheckInputs, pfMissingInputs);
}
627

628
bool CTxMemPool::addUnchecked(const uint256& hash, CTransaction &tx)
s_nakamoto's avatar
s_nakamoto committed
629
630
{
    // Add to memory pool without checking anything.  Don't call this directly,
631
    // call CTxMemPool::accept to properly check the transaction first.
s_nakamoto's avatar
s_nakamoto committed
632
    {
633
        mapTx[hash] = tx;
634
        for (unsigned int i = 0; i < tx.vin.size(); i++)
635
            mapNextTx[tx.vin[i].prevout] = CInPoint(&mapTx[hash], i);
s_nakamoto's avatar
s_nakamoto committed
636
637
638
639
640
641
        nTransactionsUpdated++;
    }
    return true;
}


642
bool CTxMemPool::remove(CTransaction &tx)
s_nakamoto's avatar
s_nakamoto committed
643
644
645
{
    // Remove transaction from memory pool
    {
646
647
648
        LOCK(cs);
        uint256 hash = tx.GetHash();
        if (mapTx.count(hash))
649
        {
650
            BOOST_FOREACH(const CTxIn& txin, tx.vin)
651
                mapNextTx.erase(txin.prevout);
652
            mapTx.erase(hash);
653
654
            nTransactionsUpdated++;
        }
s_nakamoto's avatar
s_nakamoto committed
655
656
657
658
    }
    return true;
}

659
void CTxMemPool::clear()
Luke Dashjr's avatar
Luke Dashjr committed
660
661
662
663
664
665
666
{
    LOCK(cs);
    mapTx.clear();
    mapNextTx.clear();
    ++nTransactionsUpdated;
}

667
668
669
void CTxMemPool::queryHashes(std::vector<uint256>& vtxid)
{
    vtxid.clear();
s_nakamoto's avatar
s_nakamoto committed
670

671
672
673
674
675
    LOCK(cs);
    vtxid.reserve(mapTx.size());
    for (map<uint256, CTransaction>::iterator mi = mapTx.begin(); mi != mapTx.end(); ++mi)
        vtxid.push_back((*mi).first);
}
s_nakamoto's avatar
s_nakamoto committed
676
677
678
679




680
int CMerkleTx::GetDepthInMainChain(CBlockIndex* &pindexRet) const
s_nakamoto's avatar
s_nakamoto committed
681
682
683
684
685
686
687
688
689
690
691
692
693
694
695
696
697
698
699
700
{
    if (hashBlock == 0 || nIndex == -1)
        return 0;

    // Find the block it claims to be in
    map<uint256, CBlockIndex*>::iterator mi = mapBlockIndex.find(hashBlock);
    if (mi == mapBlockIndex.end())
        return 0;
    CBlockIndex* pindex = (*mi).second;
    if (!pindex || !pindex->IsInMainChain())
        return 0;

    // Make sure the merkle branch connects to this block
    if (!fMerkleVerified)
    {
        if (CBlock::CheckMerkleBranch(GetHash(), vMerkleBranch, nIndex) != pindex->hashMerkleRoot)
            return 0;
        fMerkleVerified = true;
    }

701
    pindexRet = pindex;
s_nakamoto's avatar
s_nakamoto committed
702
703
704
705
706
707
708
709
710
711
712
713
    return pindexBest->nHeight - pindex->nHeight + 1;
}


int CMerkleTx::GetBlocksToMaturity() const
{
    if (!IsCoinBase())
        return 0;
    return max(0, (COINBASE_MATURITY+20) - GetDepthInMainChain());
}


s_nakamoto's avatar
s_nakamoto committed
714
bool CMerkleTx::AcceptToMemoryPool(CTxDB& txdb, bool fCheckInputs)
s_nakamoto's avatar
s_nakamoto committed
715
716
717
718
719
{
    if (fClient)
    {
        if (!IsInMainChain() && !ClientConnectInputs())
            return false;
s_nakamoto's avatar
s_nakamoto committed
720
        return CTransaction::AcceptToMemoryPool(txdb, false);
s_nakamoto's avatar
s_nakamoto committed
721
722
723
    }
    else
    {
s_nakamoto's avatar
s_nakamoto committed
724
        return CTransaction::AcceptToMemoryPool(txdb, fCheckInputs);
s_nakamoto's avatar
s_nakamoto committed
725
726
727
    }
}

728
729
730
731
732
733
bool CMerkleTx::AcceptToMemoryPool()
{
    CTxDB txdb("r");
    return AcceptToMemoryPool(txdb);
}

s_nakamoto's avatar
s_nakamoto committed
734
735
736
737


bool CWalletTx::AcceptWalletTransaction(CTxDB& txdb, bool fCheckInputs)
{
738

s_nakamoto's avatar
s_nakamoto committed
739
    {
740
        LOCK(mempool.cs);
s_nakamoto's avatar
s_nakamoto committed
741
        // Add previous supporting transactions first
742
        BOOST_FOREACH(CMerkleTx& tx, vtxPrev)
s_nakamoto's avatar
s_nakamoto committed
743
744
745
746
        {
            if (!tx.IsCoinBase())
            {
                uint256 hash = tx.GetHash();
747
                if (!mempool.exists(hash) && !txdb.ContainsTx(hash))
s_nakamoto's avatar
s_nakamoto committed
748
                    tx.AcceptToMemoryPool(txdb, fCheckInputs);
s_nakamoto's avatar
s_nakamoto committed
749
750
            }
        }
s_nakamoto's avatar
s_nakamoto committed
751
        return AcceptToMemoryPool(txdb, fCheckInputs);
s_nakamoto's avatar
s_nakamoto committed
752
    }
s_nakamoto's avatar
s_nakamoto committed
753
    return false;
s_nakamoto's avatar
s_nakamoto committed
754
755
}

756
bool CWalletTx::AcceptWalletTransaction()
s_nakamoto's avatar
s_nakamoto committed
757
758
{
    CTxDB txdb("r");
759
    return AcceptWalletTransaction(txdb);
s_nakamoto's avatar
s_nakamoto committed
760
761
}

762
763
764
765
766
767
768
769
770
771
772
773
774
775
776
777
int CTxIndex::GetDepthInMainChain() const
{
    // Read block header
    CBlock block;
    if (!block.ReadFromDisk(pos.nFile, pos.nBlockPos, false))
        return 0;
    // Find the block in the index
    map<uint256, CBlockIndex*>::iterator mi = mapBlockIndex.find(block.GetHash());
    if (mi == mapBlockIndex.end())
        return 0;
    CBlockIndex* pindex = (*mi).second;
    if (!pindex || !pindex->IsInMainChain())
        return 0;
    return 1 + nBestHeight - pindex->nHeight;
}

778
779
780
781
782
783
784
785
786
787
788
789
790
791
792
793
794
795
796
797
798
799
800
801
802
// Return transaction in tx, and if it was found inside a block, its hash is placed in hashBlock
bool GetTransaction(const uint256 &hash, CTransaction &tx, uint256 &hashBlock)
{
    {
        LOCK(cs_main);
        {
            LOCK(mempool.cs);
            if (mempool.exists(hash))
            {
                tx = mempool.lookup(hash);
                return true;
            }
        }
        CTxDB txdb("r");
        CTxIndex txindex;
        if (tx.ReadFromDisk(txdb, COutPoint(hash, 0), txindex))
        {
            CBlock block;
            if (block.ReadFromDisk(txindex.pos.nFile, txindex.pos.nBlockPos, false))
                hashBlock = block.GetHash();
            return true;
        }
    }
    return false;
}
s_nakamoto's avatar
s_nakamoto committed
803
804
805
806
807
808
809
810
811
812
813
814
815








//////////////////////////////////////////////////////////////////////////////
//
// CBlock and CBlockIndex
//

Luke Dashjr's avatar
Luke Dashjr committed
816
817
818
819
820
821
822
823
824
825
826
827
828
829
830
831
832
833
static CBlockIndex* pblockindexFBBHLast;
CBlockIndex* FindBlockByHeight(int nHeight)
{
    CBlockIndex *pblockindex;
    if (nHeight < nBestHeight / 2)
        pblockindex = pindexGenesisBlock;
    else
        pblockindex = pindexBest;
    if (pblockindexFBBHLast && abs(nHeight - pblockindex->nHeight) > abs(nHeight - pblockindexFBBHLast->nHeight))
        pblockindex = pblockindexFBBHLast;
    while (pblockindex->nHeight > nHeight)
        pblockindex = pblockindex->pprev;
    while (pblockindex->nHeight < nHeight)
        pblockindex = pblockindex->pnext;
    pblockindexFBBHLast = pblockindex;
    return pblockindex;
}

s_nakamoto's avatar
s_nakamoto committed
834
835
bool CBlock::ReadFromDisk(const CBlockIndex* pindex, bool fReadTransactions)
{
836
837
838
839
840
    if (!fReadTransactions)
    {
        *this = pindex->GetBlockHeader();
        return true;
    }
s_nakamoto's avatar
s_nakamoto committed
841
842
843
844
845
846
847
    if (!ReadFromDisk(pindex->nFile, pindex->nBlockPos, fReadTransactions))
        return false;
    if (GetHash() != pindex->GetBlockHash())
        return error("CBlock::ReadFromDisk() : GetHash() doesn't match index");
    return true;
}

Pieter Wuille's avatar
Pieter Wuille committed
848
uint256 static GetOrphanRoot(const CBlock* pblock)
s_nakamoto's avatar
s_nakamoto committed
849
850
851
852
853
854
855
{
    // Work back to the first block in the orphan chain
    while (mapOrphanBlocks.count(pblock->hashPrevBlock))
        pblock = mapOrphanBlocks[pblock->hashPrevBlock];
    return pblock->GetHash();
}

856
int64 static GetBlockValue(int nHeight, int64 nFees)
s_nakamoto's avatar
s_nakamoto committed
857
{
858
    int64 nSubsidy = 50 * COIN;
s_nakamoto's avatar
s_nakamoto committed
859

860
    // Subsidy is cut in half every 210000 blocks, which will occur approximately every 4 years
s_nakamoto's avatar
s_nakamoto committed
861
862
863
864
865
    nSubsidy >>= (nHeight / 210000);

    return nSubsidy + nFees;
}

866
867
868
static const int64 nTargetTimespan = 14 * 24 * 60 * 60; // two weeks
static const int64 nTargetSpacing = 10 * 60;
static const int64 nInterval = nTargetTimespan / nTargetSpacing;
869
870
871
872
873

//
// minimum amount of work that could possibly be required nTime after
// minimum work required was nBase
//
874
unsigned int ComputeMinWork(unsigned int nBase, int64 nTime)
875
{
876
877
878
879
880
    // Testnet has min-difficulty blocks
    // after nTargetSpacing*2 time between blocks:
    if (fTestNet && nTime > nTargetSpacing*2)
        return bnProofOfWorkLimit.GetCompact();

881
882
883
884
885
886
887
888
889
890
891
892
893
894
    CBigNum bnResult;
    bnResult.SetCompact(nBase);
    while (nTime > 0 && bnResult < bnProofOfWorkLimit)
    {
        // Maximum 400% adjustment...
        bnResult *= 4;
        // ... in best-case exactly 4-times-normal target time
        nTime -= nTargetTimespan*4;
    }
    if (bnResult > bnProofOfWorkLimit)
        bnResult = bnProofOfWorkLimit;
    return bnResult.GetCompact();
}

895
unsigned int static GetNextWorkRequired(const CBlockIndex* pindexLast, const CBlock *pblock)
s_nakamoto's avatar
s_nakamoto committed
896
{
897
    unsigned int nProofOfWorkLimit = bnProofOfWorkLimit.GetCompact();
s_nakamoto's avatar
s_nakamoto committed
898
899
900

    // Genesis block
    if (pindexLast == NULL)
901
        return nProofOfWorkLimit;
s_nakamoto's avatar
s_nakamoto committed
902
903
904

    // Only change once per interval
    if ((pindexLast->nHeight+1) % nInterval != 0)
905
    {
906
907
        // Special difficulty rule for testnet:
        if (fTestNet)
908
909
910
        {
            // If the new block's timestamp is more than 2* 10 minutes
            // then allow mining of a min-difficulty block.
911
            if (pblock->nTime > pindexLast->nTime + nTargetSpacing*2)
912
913
914
915
916
917
918
919
920
921
922
                return nProofOfWorkLimit;
            else
            {
                // Return the last non-special-min-difficulty-rules-block
                const CBlockIndex* pindex = pindexLast;
                while (pindex->pprev && pindex->nHeight % nInterval != 0 && pindex->nBits == nProofOfWorkLimit)
                    pindex = pindex->pprev;
                return pindex->nBits;
            }
        }

s_nakamoto's avatar
s_nakamoto committed
923
        return pindexLast->nBits;
924
    }
s_nakamoto's avatar
s_nakamoto committed
925
926
927
928
929
930
931
932

    // Go back by what we want to be 14 days worth of blocks
    const CBlockIndex* pindexFirst = pindexLast;
    for (int i = 0; pindexFirst && i < nInterval-1; i++)
        pindexFirst = pindexFirst->pprev;
    assert(pindexFirst);

    // Limit adjustment step
933
    int64 nActualTimespan = pindexLast->GetBlockTime() - pindexFirst->GetBlockTime();
s_nakamoto's avatar
s_nakamoto committed
934
935
936
937
938
939
940
941
942
943
944
945
946
947
948
949
950
951
952
953
954
955
956
957
958
959
960
961
962
963
964
965
966
967
968
969
970
971
972
973
    printf("  nActualTimespan = %"PRI64d"  before bounds\n", nActualTimespan);
    if (nActualTimespan < nTargetTimespan/4)
        nActualTimespan = nTargetTimespan/4;
    if (nActualTimespan > nTargetTimespan*4)
        nActualTimespan = nTargetTimespan*4;

    // Retarget
    CBigNum bnNew;
    bnNew.SetCompact(pindexLast->nBits);
    bnNew *= nActualTimespan;
    bnNew /= nTargetTimespan;

    if (bnNew > bnProofOfWorkLimit)
        bnNew = bnProofOfWorkLimit;

    /// debug print
    printf("GetNextWorkRequired RETARGET\n");
    printf("nTargetTimespan = %"PRI64d"    nActualTimespan = %"PRI64d"\n", nTargetTimespan, nActualTimespan);
    printf("Before: %08x  %s\n", pindexLast->nBits, CBigNum().SetCompact(pindexLast->nBits).getuint256().ToString().c_str());
    printf("After:  %08x  %s\n", bnNew.GetCompact(), bnNew.getuint256().ToString().c_str());

    return bnNew.GetCompact();
}

bool CheckProofOfWork(uint256 hash, unsigned int nBits)
{
    CBigNum bnTarget;
    bnTarget.SetCompact(nBits);

    // Check range
    if (bnTarget <= 0 || bnTarget > bnProofOfWorkLimit)
        return error("CheckProofOfWork() : nBits below minimum work");

    // Check proof of work matches claimed amount
    if (hash > bnTarget.getuint256())
        return error("CheckProofOfWork() : hash doesn't match nBits");

    return true;
}

974
// Return maximum amount of blocks that other nodes claim to have
975
int GetNumBlocksOfPeers()
976
{
977
    return std::max(cPeerBlockCounts.median(), Checkpoints::GetTotalBlocksEstimate());
978
979
}

s_nakamoto's avatar
s_nakamoto committed
980
981
bool IsInitialBlockDownload()
{
982
    if (pindexBest == NULL || nBestHeight < Checkpoints::GetTotalBlocksEstimate())
s_nakamoto's avatar
s_nakamoto committed
983
        return true;
984
    static int64 nLastUpdate;
s_nakamoto's avatar
s_nakamoto committed
985
986
987
988
989
990
991
992
993
994
    static CBlockIndex* pindexLastBest;
    if (pindexBest != pindexLastBest)
    {
        pindexLastBest = pindexBest;
        nLastUpdate = GetTime();
    }
    return (GetTime() - nLastUpdate < 10 &&
            pindexBest->GetBlockTime() < GetTime() - 24 * 60 * 60);
}

Pieter Wuille's avatar
Pieter Wuille committed
995
void static InvalidChainFound(CBlockIndex* pindexNew)
s_nakamoto's avatar
s_nakamoto committed
996
997
998
999
1000
{
    if (pindexNew->bnChainWork > bnBestInvalidWork)
    {
        bnBestInvalidWork = pindexNew->bnChainWork;
        CTxDB().WriteBestInvalidWork(bnBestInvalidWork);
1001
        uiInterface.NotifyBlocksChanged();
s_nakamoto's avatar
s_nakamoto committed
1002
    }
1003
1004
1005
1006
1007
1008
1009
    printf("InvalidChainFound: invalid block=%s  height=%d  work=%s  date=%s\n",
      pindexNew->GetBlockHash().ToString().substr(0,20).c_str(), pindexNew->nHeight,
      pindexNew->bnChainWork.ToString().c_str(), DateTimeStrFormat("%x %H:%M:%S",
      pindexNew->GetBlockTime()).c_str());
    printf("InvalidChainFound:  current best=%s  height=%d  work=%s  date=%s\n",
      hashBestChain.ToString().substr(0,20).c_str(), nBestHeight, bnBestChainWork.ToString().c_str(),
      DateTimeStrFormat("%x %H:%M:%S", pindexBest->GetBlockTime()).c_str());
s_nakamoto's avatar
s_nakamoto committed
1010
    if (pindexBest && bnBestInvalidWork > bnBestChainWork + pindexBest->GetBlockWork() * 6)
1011
        printf("InvalidChainFound: Warning: Displayed transactions may not be correct! You may need to upgrade, or other nodes may need to upgrade.\n");
s_nakamoto's avatar
s_nakamoto committed
1012
1013
}

1014
1015
1016
1017
1018
1019
1020
1021
1022
void CBlock::UpdateTime(const CBlockIndex* pindexPrev)
{
    nTime = max(pindexPrev->GetMedianTimePast()+1, GetAdjustedTime());

    // Updating time can change work required on testnet:
    if (fTestNet)
        nBits = GetNextWorkRequired(pindexPrev, this);
}

s_nakamoto's avatar
s_nakamoto committed
1023
1024
1025
1026
1027
1028
1029
1030
1031
1032
1033
1034
1035
1036
1037










bool CTransaction::DisconnectInputs(CTxDB& txdb)
{
    // Relinquish previous transactions' spent pointers
    if (!IsCoinBase())
    {
1038
        BOOST_FOREACH(const CTxIn& txin, vin)
s_nakamoto's avatar
s_nakamoto committed
1039
1040
1041
1042
1043
1044
1045
1046
1047
1048
1049
1050
1051
1052
1053
        {
            COutPoint prevout = txin.prevout;

            // Get prev txindex from disk
            CTxIndex txindex;
            if (!txdb.ReadTxIndex(prevout.hash, txindex))
                return error("DisconnectInputs() : ReadTxIndex failed");

            if (prevout.n >= txindex.vSpent.size())
                return error("DisconnectInputs() : prevout.n out of range");

            // Mark outpoint as not spent
            txindex.vSpent[prevout.n].SetNull();

            // Write back
1054
1055
            if (!txdb.UpdateTxIndex(prevout.hash, txindex))
                return error("DisconnectInputs() : UpdateTxIndex failed");
s_nakamoto's avatar
s_nakamoto committed
1056
1057
1058
1059
        }
    }

    // Remove transaction from index
1060
1061
    // This can fail if a duplicate of this transaction was in a chain that got
    // reorganized away. This is only possible if this transaction was completely
1062
    // spent, so erasing it would be a no-op anyway.
1063
    txdb.EraseTxIndex(*this);
s_nakamoto's avatar
s_nakamoto committed
1064
1065
1066
1067
1068

    return true;
}


Gavin Andresen's avatar
Gavin Andresen committed
1069
bool CTransaction::FetchInputs(CTxDB& txdb, const map<uint256, CTxIndex>& mapTestPool,
1070
                               bool fBlock, bool fMiner, MapPrevTx& inputsRet, bool& fInvalid)
Gavin Andresen's avatar
Gavin Andresen committed
1071
{
1072
1073
1074
1075
1076
1077
    // FetchInputs can return false either because we just haven't seen some inputs
    // (in which case the transaction should be stored as an orphan)
    // or because the transaction is malformed (in which case the transaction should
    // be dropped).  If tx is definitely invalid, fInvalid will be set to true.
    fInvalid = false;

Gavin Andresen's avatar
Gavin Andresen committed
1078
1079
    if (IsCoinBase())
        return true; // Coinbase transactions have no inputs to fetch.
1080

1081
    for (unsigned int i = 0; i < vin.size(); i++)
Gavin Andresen's avatar
Gavin Andresen committed
1082
1083
1084
1085
1086
1087
1088
1089
1090
1091
1092
1093
1094
1095
1096
1097
1098
1099
1100
1101
1102
1103
1104
1105
1106
1107
1108
    {
        COutPoint prevout = vin[i].prevout;
        if (inputsRet.count(prevout.hash))
            continue; // Got it already

        // Read txindex
        CTxIndex& txindex = inputsRet[prevout.hash].first;
        bool fFound = true;
        if ((fBlock || fMiner) && mapTestPool.count(prevout.hash))
        {
            // Get txindex from current proposed changes
            txindex = mapTestPool.find(prevout.hash)->second;
        }
        else
        {
            // Read txindex from txdb
            fFound = txdb.ReadTxIndex(prevout.hash, txindex);
        }
        if (!fFound && (fBlock || fMiner))
            return fMiner ? false : error("FetchInputs() : %s prev tx %s index entry not found", GetHash().ToString().substr(0,10).c_str(),  prevout.hash.ToString().substr(0,10).c_str());

        // Read txPrev
        CTransaction& txPrev = inputsRet[prevout.hash].second;
        if (!fFound || txindex.pos == CDiskTxPos(1,1,1))
        {
            // Get prev tx from single transactions in memory
            {
1109
                LOCK(mempool.cs);
1110
1111
1112
                if (!mempool.exists(prevout.hash))
                    return error("FetchInputs() : %s mempool Tx prev not found %s", GetHash().ToString().substr(0,10).c_str(),  prevout.hash.ToString().substr(0,10).c_str());
                txPrev = mempool.lookup(prevout.hash);
Gavin Andresen's avatar
Gavin Andresen committed
1113
1114
1115
1116
1117
1118
1119
1120
1121
1122
            }
            if (!fFound)
                txindex.vSpent.resize(txPrev.vout.size());
        }
        else
        {
            // Get prev tx from disk
            if (!txPrev.ReadFromDisk(txindex.pos))
                return error("FetchInputs() : %s ReadFromDisk prev tx %s failed", GetHash().ToString().substr(0,10).c_str(),  prevout.hash.ToString().substr(0,10).c_str());
        }
1123
1124
    }

1125
    // Make sure all prevout.n indexes are valid:
1126
    for (unsigned int i = 0; i < vin.size(); i++)
1127
1128
    {
        const COutPoint prevout = vin[i].prevout;
1129
        assert(inputsRet.count(prevout.hash) != 0);
1130
1131
        const CTxIndex& txindex = inputsRet[prevout.hash].first;
        const CTransaction& txPrev = inputsRet[prevout.hash].second;
1132
        if (prevout.n >= txPrev.vout.size() || prevout.n >= txindex.vSpent.size())
1133
1134
1135
1136
        {
            // Revisit this if/when transaction replacement is implemented and allows
            // adding inputs:
            fInvalid = true;
1137
            return DoS(100, error("FetchInputs() : %s prevout.n out of range %d %d %d prev tx %s\n%s", GetHash().ToString().substr(0,10).c_str(), prevout.n, txPrev.vout.size(), txindex.vSpent.size(), prevout.hash.ToString().substr(0,10).c_str(), txPrev.ToString().c_str()));
1138
        }
Gavin Andresen's avatar
Gavin Andresen committed
1139
    }
1140

Gavin Andresen's avatar
Gavin Andresen committed
1141
1142
1143
    return true;
}

1144
1145
1146
1147
1148
1149
1150
1151
1152
1153
1154
1155
1156
1157
1158
1159
1160
1161
1162
const CTxOut& CTransaction::GetOutputFor(const CTxIn& input, const MapPrevTx& inputs) const
{
    MapPrevTx::const_iterator mi = inputs.find(input.prevout.hash);
    if (mi == inputs.end())
        throw std::runtime_error("CTransaction::GetOutputFor() : prevout.hash not found");

    const CTransaction& txPrev = (mi->second).second;
    if (input.prevout.n >= txPrev.vout.size())
        throw std::runtime_error("CTransaction::GetOutputFor() : prevout.n out of range");

    return txPrev.vout[input.prevout.n];
}

int64 CTransaction::GetValueIn(const MapPrevTx& inputs) const
{
    if (IsCoinBase())
        return 0;

    int64 nResult = 0;
1163
    for (unsigned int i = 0; i < vin.size(); i++)
1164
1165
1166
1167
1168
1169
1170
    {
        nResult += GetOutputFor(vin[i], inputs).nValue;
    }
    return nResult;

}

1171
unsigned int CTransaction::GetP2SHSigOpCount(const MapPrevTx& inputs) const
1172
1173
1174
1175
{
    if (IsCoinBase())
        return 0;

1176
    unsigned int nSigOps = 0;
1177
    for (unsigned int i = 0; i < vin.size(); i++)
1178
    {
1179
1180
1181
        const CTxOut& prevout = GetOutputFor(vin[i], inputs);
        if (prevout.scriptPubKey.IsPayToScriptHash())
            nSigOps += prevout.scriptPubKey.GetSigOpCount(vin[i].scriptSig);
1182
1183
1184
1185
1186
    }
    return nSigOps;
}

bool CTransaction::ConnectInputs(MapPrevTx inputs,
1187
                                 map<uint256, CTxIndex>& mapTestPool, const CDiskTxPos& posThisTx,
1188
                                 const CBlockIndex* pindexBlock, bool fBlock, bool fMiner, bool fStrictPayToScriptHash)
s_nakamoto's avatar
s_nakamoto committed
1189
1190
{
    // Take over previous transactions' spent pointers
1191
1192
1193
    // fBlock is true when this is called from AcceptBlock when a new best-block is added to the blockchain
    // fMiner is true when called from the internal bitcoin miner
    // ... both are false when called from CTransaction::AcceptToMemoryPool
s_nakamoto's avatar
s_nakamoto committed
1194
1195
    if (!IsCoinBase())
    {
1196
        int64 nValueIn = 0;
1197
        int64 nFees = 0;
1198
        for (unsigned int i = 0; i < vin.size(); i++)
s_nakamoto's avatar
s_nakamoto committed
1199
1200
        {
            COutPoint prevout = vin[i].prevout;
Gavin Andresen's avatar
Gavin Andresen committed
1201
1202
1203
            assert(inputs.count(prevout.hash) > 0);
            CTxIndex& txindex = inputs[prevout.hash].first;
            CTransaction& txPrev = inputs[prevout.hash].second;
s_nakamoto's avatar
s_nakamoto committed
1204
1205

            if (prevout.n >= txPrev.vout.size() || prevout.n >= txindex.vSpent.size())
1206
                return DoS(100, error("ConnectInputs() : %s prevout.n out of range %d %d %d prev tx %s\n%s", GetHash().ToString().substr(0,10).c_str(), prevout.n, txPrev.vout.size(), txindex.vSpent.size(), prevout.hash.ToString().substr(0,10).c_str(), txPrev.ToString().c_str()));
s_nakamoto's avatar
s_nakamoto committed
1207
1208
1209

            // If prev is coinbase, check that it's matured
            if (txPrev.IsCoinBase())
1210
                for (const CBlockIndex* pindex = pindexBlock; pindex && pindexBlock->nHeight - pindex->nHeight < COINBASE_MATURITY; pindex = pindex->pprev)
s_nakamoto's avatar
s_nakamoto committed
1211
1212
1213
                    if (pindex->nBlockPos == txindex.pos.nBlockPos && pindex->nFile == txindex.pos.nFile)
                        return error("ConnectInputs() : tried to spend coinbase at depth %d", pindexBlock->nHeight - pindex->nHeight);

1214
1215
1216
1217
1218
1219
1220
1221
1222
1223
1224
1225
1226
1227
1228
1229
            // Check for negative or overflow input values
            nValueIn += txPrev.vout[prevout.n].nValue;
            if (!MoneyRange(txPrev.vout[prevout.n].nValue) || !MoneyRange(nValueIn))
                return DoS(100, error("ConnectInputs() : txin values out of range"));

        }
        // The first loop above does all the inexpensive checks.
        // Only if ALL inputs pass do we perform expensive ECDSA signature checks.
        // Helps prevent CPU exhaustion attacks.
        for (unsigned int i = 0; i < vin.size(); i++)
        {
            COutPoint prevout = vin[i].prevout;
            assert(inputs.count(prevout.hash) > 0);
            CTxIndex& txindex = inputs[prevout.hash].first;
            CTransaction& txPrev = inputs[prevout.hash].second;

1230
1231
1232
1233
1234
1235
            // Check for conflicts (double-spend)
            // This doesn't trigger the DoS code on purpose; if it did, it would make it easier
            // for an attacker to attempt to split the network.
            if (!txindex.vSpent[prevout.n].IsNull())
                return fMiner ? false : error("ConnectInputs() : %s prev tx already used at %s", GetHash().ToString().substr(0,10).c_str(), txindex.vSpent[prevout.n].ToString().c_str());

1236
1237
            // Skip ECDSA signature verification when connecting blocks (fBlock=true)
            // before the last blockchain checkpoint. This is safe because block merkle hashes are
1238
            // still computed and checked, and any change will be caught at the next checkpoint.
1239
            if (!(fBlock && (nBestHeight < Checkpoints::GetTotalBlocksEstimate())))
1240
            {
1241
                // Verify signature
1242
                if (!VerifySignature(txPrev, *this, i, fStrictPayToScriptHash, 0))
1243
1244
1245
1246
1247
1248
                {
                    // only during transition phase for P2SH: do not invoke anti-DoS code for
                    // potentially old clients relaying bad P2SH transactions
                    if (fStrictPayToScriptHash && VerifySignature(txPrev, *this, i, false, 0))
                        return error("ConnectInputs() : %s P2SH VerifySignature failed", GetHash().ToString().substr(0,10).c_str());

1249
                    return DoS(100,error("ConnectInputs() : %s VerifySignature failed", GetHash().ToString().substr(0,10).c_str()));
1250
                }
1251
            }
s_nakamoto's avatar
s_nakamoto committed
1252
1253
1254
1255
1256

            // Mark outpoints as spent
            txindex.vSpent[prevout.n] = posThisTx;

            // Write back
1257
            if (fBlock || fMiner)
1258
            {
s_nakamoto's avatar
s_nakamoto committed
1259
                mapTestPool[prevout.hash] = txindex;
1260
            }
s_nakamoto's avatar
s_nakamoto committed
1261
1262
1263
        }

        if (nValueIn < GetValueOut())
1264
            return DoS(100, error("ConnectInputs() : %s value in < value out", GetHash().ToString().substr(0,10).c_str()));
s_nakamoto's avatar
s_nakamoto committed
1265
1266

        // Tally transaction fees
1267
        int64 nTxFee = nValueIn - GetValueOut();
s_nakamoto's avatar
s_nakamoto committed
1268
        if (nTxFee < 0)
1269
            return DoS(100, error("ConnectInputs() : %s nTxFee < 0", GetHash().ToString().substr(0,10).c_str()));
s_nakamoto's avatar
s_nakamoto committed
1270
        nFees += nTxFee;
s_nakamoto's avatar
s_nakamoto committed
1271
        if (!MoneyRange(nFees))
1272
            return DoS(100, error("ConnectInputs() : nFees out of range"));
s_nakamoto's avatar
s_nakamoto committed
1273
1274
1275
1276
1277
1278
1279
1280
1281
1282
1283
1284
1285
    }

    return true;
}


bool CTransaction::ClientConnectInputs()
{
    if (IsCoinBase())
        return false;

    // Take over previous transactions' spent pointers
    {
1286
        LOCK(mempool.cs);
1287
        int64 nValueIn = 0;
1288
        for (unsigned int i = 0; i < vin.size(); i++)
s_nakamoto's avatar
s_nakamoto committed
1289
1290
1291
        {
            // Get prev tx from single transactions in memory
            COutPoint prevout = vin[i].prevout;
1292
            if (!mempool.exists(prevout.hash))
s_nakamoto's avatar
s_nakamoto committed
1293
                return false;
1294
            CTransaction& txPrev = mempool.lookup(prevout.hash);
s_nakamoto's avatar
s_nakamoto committed
1295
1296
1297
1298
1299

            if (prevout.n >= txPrev.vout.size())
                return false;

            // Verify signature
1300
            if (!VerifySignature(txPrev, *this, i, true, 0))
s_nakamoto's avatar
s_nakamoto committed
1301
1302
                return error("ConnectInputs() : VerifySignature failed");

1303
1304
            ///// this is redundant with the mempool.mapNextTx stuff,
            ///// not sure which I want to get rid of
s_nakamoto's avatar
s_nakamoto committed
1305
1306
1307
1308
1309
1310
1311
1312
1313
            ///// this has to go away now that posNext is gone
            // // Check for conflicts
            // if (!txPrev.vout[prevout.n].posNext.IsNull())
            //     return error("ConnectInputs() : prev tx already used");
            //
            // // Flag outpoints as used
            // txPrev.vout[prevout.n].posNext = posThisTx;

            nValueIn += txPrev.vout[prevout.n].nValue;
s_nakamoto's avatar
s_nakamoto committed
1314
1315
1316

            if (!MoneyRange(txPrev.vout[prevout.n].nValue) || !MoneyRange(nValueIn))
                return error("ClientConnectInputs() : txin values out of range");
s_nakamoto's avatar
s_nakamoto committed
1317
1318
1319
1320
1321
1322
1323
1324
1325
1326
1327
1328
1329
1330
1331
1332
1333
1334
1335
1336
1337
1338
1339
1340
        }
        if (GetValueOut() > nValueIn)
            return false;
    }

    return true;
}




bool CBlock::DisconnectBlock(CTxDB& txdb, CBlockIndex* pindex)
{
    // Disconnect in reverse order
    for (int i = vtx.size()-1; i >= 0; i--)
        if (!vtx[i].DisconnectInputs(txdb))
            return false;

    // Update block index on disk without changing it in memory.
    // The memory index structure will be changed after the db commits.
    if (pindex->pprev)
    {
        CDiskBlockIndex blockindexPrev(pindex->pprev);
        blockindexPrev.hashNext = 0;
1341
1342
        if (!txdb.WriteBlockIndex(blockindexPrev))
            return error("DisconnectBlock() : WriteBlockIndex failed");
s_nakamoto's avatar
s_nakamoto committed
1343
1344
1345
1346
1347
    }

    return true;
}

1348
bool CBlock::ConnectBlock(CTxDB& txdb, CBlockIndex* pindex, bool fJustCheck)
s_nakamoto's avatar
s_nakamoto committed
1349
1350
{
    // Check it again in case a previous version let a bad block in
1351
    if (!CheckBlock(!fJustCheck, !fJustCheck))
s_nakamoto's avatar
s_nakamoto committed
1352
1353
        return false;

1354
1355
1356
1357
1358
1359
1360
    // Do not allow blocks that contain transactions which 'overwrite' older transactions,
    // unless those are already completely spent.
    // If such overwrites are allowed, coinbases and transactions depending upon those
    // can be duplicated to remove the ability to spend the first instance -- even after
    // being sent to another address.
    // See BIP30 and http://r6.ca/blog/20120206T005236Z.html for more information.
    // This logic is not necessary for memory pool transactions, as AcceptToMemoryPool
1361
    // already refuses previously-known transaction ids entirely.
1362
    // This rule applies to all blocks whose timestamp is after March 15, 2012, 0:00 UTC.
1363
1364
    int64 nBIP30SwitchTime = 1331769600;
    bool fEnforceBIP30 = (pindex->nTime > nBIP30SwitchTime);
1365

1366
1367
    // BIP16 didn't become active until Apr 1 2012
    int64 nBIP16SwitchTime = 1333238400;
1368
    bool fStrictPayToScriptHash = (pindex->nTime >= nBIP16SwitchTime);
1369

s_nakamoto's avatar
s_nakamoto committed
1370
    //// issue here: it doesn't know the version
1371
1372
1373
1374
1375
1376
    unsigned int nTxPos;
    if (fJustCheck)
        // FetchInputs treats CDiskTxPos(1,1,1) as a special "refer to memorypool" indicator
        // Since we're just checking the block and not actually connecting it, it might not (and probably shouldn't) be on the disk to get the transaction from
        nTxPos = 1;
    else
1377
        nTxPos = pindex->nBlockPos + ::GetSerializeSize(CBlock(), SER_DISK, CLIENT_VERSION) - 1 + GetSizeOfCompactSize(vtx.size());
s_nakamoto's avatar
s_nakamoto committed
1378

1379
    map<uint256, CTxIndex> mapQueuedChanges;
1380
    int64 nFees = 0;
1381
    unsigned int nSigOps = 0;
1382
    BOOST_FOREACH(CTransaction& tx, vtx)
s_nakamoto's avatar
s_nakamoto committed
1383
    {
1384
1385
1386
1387
1388
1389
1390
1391
1392
1393
1394
        uint256 hashTx = tx.GetHash();

        if (fEnforceBIP30) {
            CTxIndex txindexOld;
            if (txdb.ReadTxIndex(hashTx, txindexOld)) {
                BOOST_FOREACH(CDiskTxPos &pos, txindexOld.vSpent)
                    if (pos.IsNull())
                        return false;
            }
        }

1395
1396
1397
1398
        nSigOps += tx.GetLegacySigOpCount();
        if (nSigOps > MAX_BLOCK_SIGOPS)
            return DoS(100, error("ConnectBlock() : too many sigops"));

s_nakamoto's avatar
s_nakamoto committed
1399
        CDiskTxPos posThisTx(pindex->nFile, pindex->nBlockPos, nTxPos);
1400
        if (!fJustCheck)
1401
            nTxPos += ::GetSerializeSize(tx, SER_DISK, CLIENT_VERSION);
s_nakamoto's avatar
s_nakamoto committed
1402

1403
1404
1405
        MapPrevTx mapInputs;
        if (!tx.IsCoinBase())
        {
1406
1407
            bool fInvalid;
            if (!tx.FetchInputs(txdb, mapQueuedChanges, true, false, mapInputs, fInvalid))
1408
                return false;
1409

1410
1411
1412
1413
1414
1415
1416
1417
1418
            if (fStrictPayToScriptHash)
            {
                // Add in sigops done by pay-to-script-hash inputs;
                // this is to prevent a "rogue miner" from creating
                // an incredibly-expensive-to-validate block.
                nSigOps += tx.GetP2SHSigOpCount(mapInputs);
                if (nSigOps > MAX_BLOCK_SIGOPS)
                    return DoS(100, error("ConnectBlock() : too many sigops"));
            }
1419

1420
            nFees += tx.GetValueIn(mapInputs)-tx.GetValueOut();
1421

1422
            if (!tx.ConnectInputs(mapInputs, mapQueuedChanges, posThisTx, pindex, true, false, fStrictPayToScriptHash))
1423
                return false;
1424
1425
        }

1426
        mapQueuedChanges[hashTx] = CTxIndex(posThisTx, tx.vout.size());
s_nakamoto's avatar
s_nakamoto committed
1427
    }
Gavin Andresen's avatar
Gavin Andresen committed
1428

1429
1430
1431
1432
1433
1434
    if (vtx[0].GetValueOut() > GetBlockValue(pindex->nHeight, nFees))
        return false;

    if (fJustCheck)
        return true;

1435
1436
1437
1438
1439
1440
    // Write queued txindex changes
    for (map<uint256, CTxIndex>::iterator mi = mapQueuedChanges.begin(); mi != mapQueuedChanges.end(); ++mi)
    {
        if (!txdb.UpdateTxIndex((*mi).first, (*mi).second))
            return error("ConnectBlock() : UpdateTxIndex failed");
    }
s_nakamoto's avatar
s_nakamoto committed
1441
1442
1443
1444
1445
1446
1447

    // Update block index on disk without changing it in memory.
    // The memory index structure will be changed after the db commits.
    if (pindex->pprev)
    {
        CDiskBlockIndex blockindexPrev(pindex->pprev);
        blockindexPrev.hashNext = pindex->GetBlockHash();
1448
1449
        if (!txdb.WriteBlockIndex(blockindexPrev))
            return error("ConnectBlock() : WriteBlockIndex failed");
s_nakamoto's avatar
s_nakamoto committed
1450
1451
1452
    }

    // Watch for transactions paying to me
1453
    BOOST_FOREACH(CTransaction& tx, vtx)
Pieter Wuille's avatar
Pieter Wuille committed
1454
        SyncWithWallets(tx, this, true);
s_nakamoto's avatar
s_nakamoto committed
1455
1456
1457
1458

    return true;
}

Pieter Wuille's avatar
Pieter Wuille committed
1459
bool static Reorganize(CTxDB& txdb, CBlockIndex* pindexNew)
s_nakamoto's avatar
s_nakamoto committed
1460
1461
1462
1463
1464
1465
1466
1467
1468
1469
1470
1471
1472
1473
1474
1475
1476
1477
1478
1479
1480
1481
1482
1483
1484
1485
1486
1487
{
    printf("REORGANIZE\n");

    // Find the fork
    CBlockIndex* pfork = pindexBest;
    CBlockIndex* plonger = pindexNew;
    while (pfork != plonger)
    {
        while (plonger->nHeight > pfork->nHeight)
            if (!(plonger = plonger->pprev))
                return error("Reorganize() : plonger->pprev is null");
        if (pfork == plonger)
            break;
        if (!(pfork = pfork->pprev))
            return error("Reorganize() : pfork->pprev is null");
    }

    // List of what to disconnect
    vector<CBlockIndex*> vDisconnect;
    for (CBlockIndex* pindex = pindexBest; pindex != pfork; pindex = pindex->pprev)
        vDisconnect.push_back(pindex);

    // List of what to connect
    vector<CBlockIndex*> vConnect;
    for (CBlockIndex* pindex = pindexNew; pindex != pfork; pindex = pindex->pprev)
        vConnect.push_back(pindex);
    reverse(vConnect.begin(), vConnect.end());

1488
1489
1490
    printf("REORGANIZE: Disconnect %i blocks; %s..%s\n", vDisconnect.size(), pfork->GetBlockHash().ToString().substr(0,20).c_str(), pindexBest->GetBlockHash().ToString().substr(0,20).c_str());
    printf("REORGANIZE: Connect %i blocks; %s..%s\n", vConnect.size(), pfork->GetBlockHash().ToString().substr(0,20).c_str(), pindexNew->GetBlockHash().ToString().substr(0,20).c_str());

s_nakamoto's avatar
s_nakamoto committed
1491
1492
    // Disconnect shorter branch
    vector<CTransaction> vResurrect;
1493
    BOOST_FOREACH(CBlockIndex* pindex, vDisconnect)
s_nakamoto's avatar
s_nakamoto committed
1494
1495
1496
1497
1498
    {
        CBlock block;
        if (!block.ReadFromDisk(pindex))
            return error("Reorganize() : ReadFromDisk for disconnect failed");
        if (!block.DisconnectBlock(txdb, pindex))
1499
            return error("Reorganize() : DisconnectBlock %s failed", pindex->GetBlockHash().ToString().substr(0,20).c_str());
s_nakamoto's avatar
s_nakamoto committed
1500
1501

        // Queue memory transactions to resurrect
1502
        BOOST_FOREACH(const CTransaction& tx, block.vtx)
s_nakamoto's avatar
s_nakamoto committed
1503
1504
1505
1506
1507
1508
            if (!tx.IsCoinBase())
                vResurrect.push_back(tx);
    }

    // Connect longer branch
    vector<CTransaction> vDelete;
1509
    for (unsigned int i = 0; i < vConnect.size(); i++)
s_nakamoto's avatar
s_nakamoto committed
1510
1511
1512
1513
1514
1515
1516
1517
    {
        CBlockIndex* pindex = vConnect[i];
        CBlock block;
        if (!block.ReadFromDisk(pindex))
            return error("Reorganize() : ReadFromDisk for connect failed");
        if (!block.ConnectBlock(txdb, pindex))
        {
            // Invalid block
1518
            return error("Reorganize() : ConnectBlock %s failed", pindex->GetBlockHash().ToString().substr(0,20).c_str());
s_nakamoto's avatar
s_nakamoto committed
1519
1520
1521
        }

        // Queue memory transactions to delete
1522
        BOOST_FOREACH(const CTransaction& tx, block.vtx)
s_nakamoto's avatar
s_nakamoto committed
1523
1524
1525
1526
1527
            vDelete.push_back(tx);
    }
    if (!txdb.WriteHashBestChain(pindexNew->GetBlockHash()))
        return error("Reorganize() : WriteHashBestChain failed");

1528
1529
1530
    // Make sure it's successfully written to disk before changing memory structure
    if (!txdb.TxnCommit())
        return error("Reorganize() : TxnCommit failed");
s_nakamoto's avatar
s_nakamoto committed
1531
1532

    // Disconnect shorter branch
1533
    BOOST_FOREACH(CBlockIndex* pindex, vDisconnect)
s_nakamoto's avatar
s_nakamoto committed
1534
1535
1536
1537
        if (pindex->pprev)
            pindex->pprev->pnext = NULL;

    // Connect longer branch
1538
    BOOST_FOREACH(CBlockIndex* pindex, vConnect)
s_nakamoto's avatar
s_nakamoto committed
1539
1540
1541
1542
        if (pindex->pprev)
            pindex->pprev->pnext = pindex;

    // Resurrect memory transactions that were in the disconnected branch
1543
    BOOST_FOREACH(CTransaction& tx, vResurrect)
s_nakamoto's avatar
s_nakamoto committed
1544
        tx.AcceptToMemoryPool(txdb, false);
s_nakamoto's avatar
s_nakamoto committed
1545
1546

    // Delete redundant memory transactions that are in the connected branch
1547
    BOOST_FOREACH(CTransaction& tx, vDelete)
1548
        mempool.remove(tx);
s_nakamoto's avatar
s_nakamoto committed
1549

1550
    printf("REORGANIZE: done\n");
1551

s_nakamoto's avatar
s_nakamoto committed
1552
1553
1554
1555
    return true;
}


1556
// Called from inside SetBestChain: attaches a block to the new best chain being built
1557
1558
1559
1560
1561
1562
1563
1564
1565
1566
1567
1568
1569
1570
1571
1572
1573
1574
1575
bool CBlock::SetBestChainInner(CTxDB& txdb, CBlockIndex *pindexNew)
{
    uint256 hash = GetHash();

    // Adding to current best branch
    if (!ConnectBlock(txdb, pindexNew) || !txdb.WriteHashBestChain(hash))
    {
        txdb.TxnAbort();
        InvalidChainFound(pindexNew);
        return false;
    }
    if (!txdb.TxnCommit())
        return error("SetBestChain() : TxnCommit failed");

    // Add to current best branch
    pindexNew->pprev->pnext = pindexNew;

    // Delete redundant memory transactions
    BOOST_FOREACH(CTransaction& tx, vtx)
1576
        mempool.remove(tx);
1577
1578
1579
1580

    return true;
}

s_nakamoto's avatar
s_nakamoto committed
1581
1582
1583
1584
bool CBlock::SetBestChain(CTxDB& txdb, CBlockIndex* pindexNew)
{
    uint256 hash = GetHash();

1585
1586
1587
    if (!txdb.TxnBegin())
        return error("SetBestChain() : TxnBegin failed");

s_nakamoto's avatar
s_nakamoto committed
1588
1589
1590
    if (pindexGenesisBlock == NULL && hash == hashGenesisBlock)
    {
        txdb.WriteHashBestChain(hash);
1591
1592
1593
        if (!txdb.TxnCommit())
            return error("SetBestChain() : TxnCommit failed");
        pindexGenesisBlock = pindexNew;
s_nakamoto's avatar
s_nakamoto committed
1594
1595
1596
    }
    else if (hashPrevBlock == hashBestChain)
    {
1597
1598
1599
1600
1601
1602
1603
1604
1605
1606
1607
1608
1609
1610
        if (!SetBestChainInner(txdb, pindexNew))
            return error("SetBestChain() : SetBestChainInner failed");
    }
    else
    {
        // the first block in the new chain that will cause it to become the new best chain
        CBlockIndex *pindexIntermediate = pindexNew;

        // list of blocks that need to be connected afterwards
        std::vector<CBlockIndex*> vpindexSecondary;

        // Reorganize is costly in terms of db load, as it works in a single db transaction.
        // Try to limit how much needs to be done inside
        while (pindexIntermediate->pprev && pindexIntermediate->pprev->bnChainWork > pindexBest->bnChainWork)
s_nakamoto's avatar
s_nakamoto committed
1611
        {
1612
1613
            vpindexSecondary.push_back(pindexIntermediate);
            pindexIntermediate = pindexIntermediate->pprev;
s_nakamoto's avatar
s_nakamoto committed
1614
        }
1615

1616
1617
        if (!vpindexSecondary.empty())
            printf("Postponing %i reconnects\n", vpindexSecondary.size());
s_nakamoto's avatar
s_nakamoto committed
1618

1619
1620
        // Switch to new best branch
        if (!Reorganize(txdb, pindexIntermediate))
s_nakamoto's avatar
s_nakamoto committed
1621
1622
1623
1624
1625
        {
            txdb.TxnAbort();
            InvalidChainFound(pindexNew);
            return error("SetBestChain() : Reorganize failed");
        }
1626

1627
        // Connect further blocks
1628
1629
1630
1631
1632
1633
1634
1635
        BOOST_REVERSE_FOREACH(CBlockIndex *pindex, vpindexSecondary)
        {
            CBlock block;
            if (!block.ReadFromDisk(pindex))
            {
                printf("SetBestChain() : ReadFromDisk failed\n");
                break;
            }
1636
1637
1638
1639
            if (!txdb.TxnBegin()) {
                printf("SetBestChain() : TxnBegin 2 failed\n");
                break;
            }
1640
1641
1642
1643
            // errors now are not fatal, we still did a reorganisation to a new chain in a valid way
            if (!block.SetBestChainInner(txdb, pindex))
                break;
        }
s_nakamoto's avatar
s_nakamoto committed
1644
1645
    }

1646
    // Update best block in wallet (so we can detect restored wallets)
1647
1648
    bool fIsInitialDownload = IsInitialBlockDownload();
    if (!fIsInitialDownload)
1649
1650
    {
        const CBlockLocator locator(pindexNew);
Pieter Wuille's avatar
Pieter Wuille committed
1651
        ::SetBestChain(locator);
1652
1653
    }

s_nakamoto's avatar
s_nakamoto committed
1654
1655
1656
    // New best block
    hashBestChain = hash;
    pindexBest = pindexNew;
Luke Dashjr's avatar
Luke Dashjr committed
1657
    pblockindexFBBHLast = NULL;
s_nakamoto's avatar
s_nakamoto committed
1658
1659
1660
1661
    nBestHeight = pindexBest->nHeight;
    bnBestChainWork = pindexNew->bnChainWork;
    nTimeBestReceived = GetTime();
    nTransactionsUpdated++;
1662
1663
1664
    printf("SetBestChain: new best=%s  height=%d  work=%s  date=%s\n",
      hashBestChain.ToString().substr(0,20).c_str(), nBestHeight, bnBestChainWork.ToString().c_str(),
      DateTimeStrFormat("%x %H:%M:%S", pindexBest->GetBlockTime()).c_str());
s_nakamoto's avatar
s_nakamoto committed
1665

1666
1667
1668
1669
1670
1671
1672
1673
1674
1675
1676
1677
1678
1679
1680
    // Check the version of the last 100 blocks to see if we need to upgrade:
    if (!fIsInitialDownload)
    {
        int nUpgraded = 0;
        const CBlockIndex* pindex = pindexBest;
        for (int i = 0; i < 100 && pindex != NULL; i++)
        {
            if (pindex->nVersion > CBlock::CURRENT_VERSION)
                ++nUpgraded;
            pindex = pindex->pprev;
        }
        if (nUpgraded > 0)
            printf("SetBestChain: %d of last 100 blocks above version %d\n", nUpgraded, CBlock::CURRENT_VERSION);
        if (nUpgraded > 100/2)
            // strMiscWarning is read by GetWarnings(), called by Qt and the JSON-RPC code to warn the user:
1681
            strMiscWarning = _("Warning: This version is obsolete, upgrade required!");
1682
1683
    }

1684
1685
1686
1687
1688
1689
1690
1691
    std::string strCmd = GetArg("-blocknotify", "");

    if (!fIsInitialDownload && !strCmd.empty())
    {
        boost::replace_all(strCmd, "%s", hashBestChain.GetHex());
        boost::thread t(runCommand, strCmd); // thread runs free
    }

s_nakamoto's avatar
s_nakamoto committed
1692
1693
1694
1695
1696
1697
1698
1699
1700
1701
1702
1703
1704
1705
1706
1707
1708
1709
1710
1711
1712
1713
1714
1715
1716
1717
    return true;
}


bool CBlock::AddToBlockIndex(unsigned int nFile, unsigned int nBlockPos)
{
    // Check for duplicate
    uint256 hash = GetHash();
    if (mapBlockIndex.count(hash))
        return error("AddToBlockIndex() : %s already exists", hash.ToString().substr(0,20).c_str());

    // Construct new block index object
    CBlockIndex* pindexNew = new CBlockIndex(nFile, nBlockPos, *this);
    if (!pindexNew)
        return error("AddToBlockIndex() : new CBlockIndex failed");
    map<uint256, CBlockIndex*>::iterator mi = mapBlockIndex.insert(make_pair(hash, pindexNew)).first;
    pindexNew->phashBlock = &((*mi).first);
    map<uint256, CBlockIndex*>::iterator miPrev = mapBlockIndex.find(hashPrevBlock);
    if (miPrev != mapBlockIndex.end())
    {
        pindexNew->pprev = (*miPrev).second;
        pindexNew->nHeight = pindexNew->pprev->nHeight + 1;
    }
    pindexNew->bnChainWork = (pindexNew->pprev ? pindexNew->pprev->bnChainWork : 0) + pindexNew->GetBlockWork();

    CTxDB txdb;
1718
1719
    if (!txdb.TxnBegin())
        return false;
s_nakamoto's avatar
s_nakamoto committed
1720
    txdb.WriteBlockIndex(CDiskBlockIndex(pindexNew));
1721
1722
    if (!txdb.TxnCommit())
        return false;
s_nakamoto's avatar
s_nakamoto committed
1723
1724
1725
1726
1727
1728
1729
1730
1731
1732
1733
1734

    // New best
    if (pindexNew->bnChainWork > bnBestChainWork)
        if (!SetBestChain(txdb, pindexNew))
            return false;

    txdb.Close();

    if (pindexNew == pindexBest)
    {
        // Notify UI to display prev block's coinbase if it was ours
        static uint256 hashPrevBestCoinBase;
Pieter Wuille's avatar
Pieter Wuille committed
1735
        UpdatedTransaction(hashPrevBestCoinBase);
s_nakamoto's avatar
s_nakamoto committed
1736
1737
1738
        hashPrevBestCoinBase = vtx[0].GetHash();
    }

1739
    uiInterface.NotifyBlocksChanged();
s_nakamoto's avatar
s_nakamoto committed
1740
1741
1742
1743
1744
1745
    return true;
}




1746
bool CBlock::CheckBlock(bool fCheckPOW, bool fCheckMerkleRoot) const
s_nakamoto's avatar
s_nakamoto committed
1747
1748
1749
1750
1751
{
    // These are checks that are independent of context
    // that can be verified before saving an orphan block.

    // Size limits
1752
    if (vtx.empty() || vtx.size() > MAX_BLOCK_SIZE || ::GetSerializeSize(*this, SER_NETWORK, PROTOCOL_VERSION) > MAX_BLOCK_SIZE)
1753
        return DoS(100, error("CheckBlock() : size limits failed"));
s_nakamoto's avatar
s_nakamoto committed
1754

1755
    // Check proof of work matches claimed amount
1756
    if (fCheckPOW && !CheckProofOfWork(GetHash(), nBits))
1757
        return DoS(50, error("CheckBlock() : proof of work failed"));
1758

s_nakamoto's avatar
s_nakamoto committed
1759
1760
1761
1762
1763
1764
    // Check timestamp
    if (GetBlockTime() > GetAdjustedTime() + 2 * 60 * 60)
        return error("CheckBlock() : block timestamp too far in the future");

    // First transaction must be coinbase, the rest must not be
    if (vtx.empty() || !vtx[0].IsCoinBase())
1765
        return DoS(100, error("CheckBlock() : first tx is not coinbase"));
1766
    for (unsigned int i = 1; i < vtx.size(); i++)
s_nakamoto's avatar
s_nakamoto committed
1767
        if (vtx[i].IsCoinBase())
1768
            return DoS(100, error("CheckBlock() : more than one coinbase"));
s_nakamoto's avatar
s_nakamoto committed
1769
1770

    // Check transactions
1771
    BOOST_FOREACH(const CTransaction& tx, vtx)
s_nakamoto's avatar
s_nakamoto committed
1772
        if (!tx.CheckTransaction())
1773
            return DoS(tx.nDoS, error("CheckBlock() : CheckTransaction failed"));
s_nakamoto's avatar
s_nakamoto committed
1774

1775
1776
1777
1778
1779
1780
1781
1782
1783
1784
    // Check for duplicate txids. This is caught by ConnectInputs(),
    // but catching it earlier avoids a potential DoS attack:
    set<uint256> uniqueTx;
    BOOST_FOREACH(const CTransaction& tx, vtx)
    {
        uniqueTx.insert(tx.GetHash());
    }
    if (uniqueTx.size() != vtx.size())
        return DoS(100, error("CheckBlock() : duplicate transaction"));

1785
    unsigned int nSigOps = 0;
Gavin Andresen's avatar
Gavin Andresen committed
1786
1787
    BOOST_FOREACH(const CTransaction& tx, vtx)
    {
1788
        nSigOps += tx.GetLegacySigOpCount();
Gavin Andresen's avatar
Gavin Andresen committed
1789
1790
    }
    if (nSigOps > MAX_BLOCK_SIGOPS)
1791
        return DoS(100, error("CheckBlock() : out-of-bounds SigOpCount"));
s_nakamoto's avatar
s_nakamoto committed
1792

1793
    // Check merkle root
1794
    if (fCheckMerkleRoot && hashMerkleRoot != BuildMerkleTree())
1795
        return DoS(100, error("CheckBlock() : hashMerkleRoot mismatch"));
s_nakamoto's avatar
s_nakamoto committed
1796
1797
1798
1799
1800
1801
1802
1803
1804
1805
1806
1807
1808
1809

    return true;
}

bool CBlock::AcceptBlock()
{
    // Check for duplicate
    uint256 hash = GetHash();
    if (mapBlockIndex.count(hash))
        return error("AcceptBlock() : block already in mapBlockIndex");

    // Get prev block index
    map<uint256, CBlockIndex*>::iterator mi = mapBlockIndex.find(hashPrevBlock);
    if (mi == mapBlockIndex.end())
1810
        return DoS(10, error("AcceptBlock() : prev block not found"));
s_nakamoto's avatar
s_nakamoto committed
1811
    CBlockIndex* pindexPrev = (*mi).second;
s_nakamoto's avatar
s_nakamoto committed
1812
1813
    int nHeight = pindexPrev->nHeight+1;

1814
    // Check proof of work
1815
    if (nBits != GetNextWorkRequired(pindexPrev, this))
1816
        return DoS(100, error("AcceptBlock() : incorrect proof of work"));
s_nakamoto's avatar
s_nakamoto committed
1817
1818
1819
1820
1821
1822

    // Check timestamp against prev
    if (GetBlockTime() <= pindexPrev->GetMedianTimePast())
        return error("AcceptBlock() : block's timestamp is too early");

    // Check that all transactions are finalized
1823
    BOOST_FOREACH(const CTransaction& tx, vtx)
s_nakamoto's avatar
s_nakamoto committed
1824
        if (!tx.IsFinal(nHeight, GetBlockTime()))
1825
            return DoS(10, error("AcceptBlock() : contains a non-final transaction"));
s_nakamoto's avatar
s_nakamoto committed
1826
1827

    // Check that the block chain matches the known block chain up to a checkpoint
1828
    if (!Checkpoints::CheckBlock(nHeight, hash))
1829
        return DoS(100, error("AcceptBlock() : rejected by checkpoint lock-in at %d", nHeight));
s_nakamoto's avatar
s_nakamoto committed
1830

1831
1832
1833
1834
1835
1836
1837
1838
1839
    // Reject block.nVersion=1 blocks when 95% (75% on testnet) of the network has upgraded:
    if (nVersion < 2)
    {
        if ((!fTestNet && CBlockIndex::IsSuperMajority(2, pindexPrev, 950, 1000)) ||
            (fTestNet && CBlockIndex::IsSuperMajority(2, pindexPrev, 75, 100)))
        {
            return error("AcceptBlock() : rejected nVersion=1 block");
        }
    }
1840
    // Enforce block.nVersion=2 rule that the coinbase starts with serialized block height
1841
    if (nVersion >= 2)
1842
1843
1844
1845
1846
1847
1848
1849
1850
1851
1852
    {
        // if 750 of the last 1,000 blocks are version 2 or greater (51/100 if testnet):
        if ((!fTestNet && CBlockIndex::IsSuperMajority(2, pindexPrev, 750, 1000)) ||
            (fTestNet && CBlockIndex::IsSuperMajority(2, pindexPrev, 51, 100)))
        {
            CScript expect = CScript() << nHeight;
            if (!std::equal(expect.begin(), expect.end(), vtx[0].vin[0].scriptSig.begin()))
                return DoS(100, error("AcceptBlock() : block height mismatch in coinbase"));
        }
    }

s_nakamoto's avatar
s_nakamoto committed
1853
    // Write block to history file
1854
    if (!CheckDiskSpace(::GetSerializeSize(*this, SER_DISK, CLIENT_VERSION)))
s_nakamoto's avatar
s_nakamoto committed
1855
        return error("AcceptBlock() : out of disk space");
1856
1857
1858
    unsigned int nFile = -1;
    unsigned int nBlockPos = 0;
    if (!WriteToDisk(nFile, nBlockPos))
s_nakamoto's avatar
s_nakamoto committed
1859
1860
1861
1862
1863
        return error("AcceptBlock() : WriteToDisk failed");
    if (!AddToBlockIndex(nFile, nBlockPos))
        return error("AcceptBlock() : AddToBlockIndex failed");

    // Relay inventory, but don't relay old inventory during initial block download
1864
    int nBlockEstimate = Checkpoints::GetTotalBlocksEstimate();
s_nakamoto's avatar
s_nakamoto committed
1865
    if (hashBestChain == hash)
1866
1867
1868
1869
1870
1871
    {
        LOCK(cs_vNodes);
        BOOST_FOREACH(CNode* pnode, vNodes)
            if (nBestHeight > (pnode->nStartingHeight != -1 ? pnode->nStartingHeight - 2000 : nBlockEstimate))
                pnode->PushInventory(CInv(MSG_BLOCK, hash));
    }
s_nakamoto's avatar
s_nakamoto committed
1872
1873
1874
1875

    return true;
}

1876
1877
1878
1879
1880
1881
1882
1883
1884
1885
1886
1887
bool CBlockIndex::IsSuperMajority(int minVersion, const CBlockIndex* pstart, unsigned int nRequired, unsigned int nToCheck)
{
    unsigned int nFound = 0;
    for (unsigned int i = 0; i < nToCheck && nFound < nRequired && pstart != NULL; i++)
    {
        if (pstart->nVersion >= minVersion)
            ++nFound;
        pstart = pstart->pprev;
    }
    return (nFound >= nRequired);
}

1888
bool ProcessBlock(CNode* pfrom, CBlock* pblock)
s_nakamoto's avatar
s_nakamoto committed
1889
1890
1891
1892
1893
1894
1895
1896
1897
1898
1899
1900
{
    // Check for duplicate
    uint256 hash = pblock->GetHash();
    if (mapBlockIndex.count(hash))
        return error("ProcessBlock() : already have block %d %s", mapBlockIndex[hash]->nHeight, hash.ToString().substr(0,20).c_str());
    if (mapOrphanBlocks.count(hash))
        return error("ProcessBlock() : already have block (orphan) %s", hash.ToString().substr(0,20).c_str());

    // Preliminary checks
    if (!pblock->CheckBlock())
        return error("ProcessBlock() : CheckBlock FAILED");

1901
1902
1903
1904
    CBlockIndex* pcheckpoint = Checkpoints::GetLastCheckpoint(mapBlockIndex);
    if (pcheckpoint && pblock->hashPrevBlock != hashBestChain)
    {
        // Extra checks to prevent "fill up memory by spamming with bogus blocks"
1905
        int64 deltaTime = pblock->GetBlockTime() - pcheckpoint->nTime;
1906
1907
        if (deltaTime < 0)
        {
1908
1909
            if (pfrom)
                pfrom->Misbehaving(100);
1910
1911
1912
1913
1914
1915
1916
1917
            return error("ProcessBlock() : block with timestamp before last checkpoint");
        }
        CBigNum bnNewBlock;
        bnNewBlock.SetCompact(pblock->nBits);
        CBigNum bnRequired;
        bnRequired.SetCompact(ComputeMinWork(pcheckpoint->nBits, deltaTime));
        if (bnNewBlock > bnRequired)
        {
1918
1919
            if (pfrom)
                pfrom->Misbehaving(100);
1920
1921
1922
1923
1924
            return error("ProcessBlock() : block with too little proof-of-work");
        }
    }


1925
    // If we don't already have its previous block, shunt it off to holding area until we get it
s_nakamoto's avatar
s_nakamoto committed
1926
1927
1928
1929
    if (!mapBlockIndex.count(pblock->hashPrevBlock))
    {
        printf("ProcessBlock: ORPHAN BLOCK, prev=%s\n", pblock->hashPrevBlock.ToString().substr(0,20).c_str());

1930
1931
1932
1933
1934
1935
1936
        // Accept orphans as long as there is a node to request its parents from
        if (pfrom) {
            CBlock* pblock2 = new CBlock(*pblock);
            mapOrphanBlocks.insert(make_pair(hash, pblock2));
            mapOrphanBlocksByPrev.insert(make_pair(pblock2->hashPrevBlock, pblock2));

            // Ask this guy to fill in what we're missing
s_nakamoto's avatar
s_nakamoto committed
1937
            pfrom->PushGetBlocks(pindexBest, GetOrphanRoot(pblock2));
1938
        }
s_nakamoto's avatar
s_nakamoto committed
1939
1940
1941
1942
1943
1944
1945
1946
1947
1948
        return true;
    }

    // Store to disk
    if (!pblock->AcceptBlock())
        return error("ProcessBlock() : AcceptBlock FAILED");

    // Recursively process any orphan blocks that depended on this one
    vector<uint256> vWorkQueue;
    vWorkQueue.push_back(hash);
1949
    for (unsigned int i = 0; i < vWorkQueue.size(); i++)
s_nakamoto's avatar
s_nakamoto committed
1950
1951
1952
1953
1954
1955
1956
1957
1958
1959
1960
1961
1962
1963
1964
1965
1966
1967
1968
1969
1970
1971
1972
1973
1974
1975
    {
        uint256 hashPrev = vWorkQueue[i];
        for (multimap<uint256, CBlock*>::iterator mi = mapOrphanBlocksByPrev.lower_bound(hashPrev);
             mi != mapOrphanBlocksByPrev.upper_bound(hashPrev);
             ++mi)
        {
            CBlock* pblockOrphan = (*mi).second;
            if (pblockOrphan->AcceptBlock())
                vWorkQueue.push_back(pblockOrphan->GetHash());
            mapOrphanBlocks.erase(pblockOrphan->GetHash());
            delete pblockOrphan;
        }
        mapOrphanBlocksByPrev.erase(hashPrev);
    }

    printf("ProcessBlock: ACCEPTED\n");
    return true;
}








1976
bool CheckDiskSpace(uint64 nAdditionalBytes)
s_nakamoto's avatar
s_nakamoto committed
1977
{
1978
    uint64 nFreeBytesAvailable = filesystem::space(GetDataDir()).available;
s_nakamoto's avatar
s_nakamoto committed
1979

1980
1981
    // Check for nMinDiskSpace bytes (currently 50MB)
    if (nFreeBytesAvailable < nMinDiskSpace + nAdditionalBytes)
s_nakamoto's avatar
s_nakamoto committed
1982
1983
    {
        fShutdown = true;
1984
        string strMessage = _("Warning: Disk space is low!");
s_nakamoto's avatar
s_nakamoto committed
1985
1986
        strMiscWarning = strMessage;
        printf("*** %s\n", strMessage.c_str());
1987
        uiInterface.ThreadSafeMessageBox(strMessage, "Bitcoin", CClientUIInterface::OK | CClientUIInterface::ICON_EXCLAMATION | CClientUIInterface::MODAL);
1988
        StartShutdown();
s_nakamoto's avatar
s_nakamoto committed
1989
1990
1991
1992
1993
1994
1995
        return false;
    }
    return true;
}

FILE* OpenBlockFile(unsigned int nFile, unsigned int nBlockPos, const char* pszMode)
{
1996
    if ((nFile < 1) || (nFile == (unsigned int) -1))
s_nakamoto's avatar
s_nakamoto committed
1997
        return NULL;
1998
    FILE* file = fopen((GetDataDir() / strprintf("blk%04d.dat", nFile)).string().c_str(), pszMode);
s_nakamoto's avatar
s_nakamoto committed
1999
2000
2001
2002
2003
2004
2005
2006
2007
2008
2009
2010
2011
2012
2013
2014
2015
2016
2017
2018
2019
2020
2021
2022
2023
    if (!file)
        return NULL;
    if (nBlockPos != 0 && !strchr(pszMode, 'a') && !strchr(pszMode, 'w'))
    {
        if (fseek(file, nBlockPos, SEEK_SET) != 0)
        {
            fclose(file);
            return NULL;
        }
    }
    return file;
}

static unsigned int nCurrentBlockFile = 1;

FILE* AppendBlockFile(unsigned int& nFileRet)
{
    nFileRet = 0;
    loop
    {
        FILE* file = OpenBlockFile(nCurrentBlockFile, 0, "ab");
        if (!file)
            return NULL;
        if (fseek(file, 0, SEEK_END) != 0)
            return NULL;
2024
        // FAT32 file size max 4GB, fseek and ftell max 2GB, so we must stay under 2GB
2025
        if (ftell(file) < (long)(0x7F000000 - MAX_SIZE))
s_nakamoto's avatar
s_nakamoto committed
2026
2027
2028
2029
2030
2031
2032
2033
2034
2035
2036
        {
            nFileRet = nCurrentBlockFile;
            return file;
        }
        fclose(file);
        nCurrentBlockFile++;
    }
}

bool LoadBlockIndex(bool fAllowNew)
{
2037
2038
    if (fTestNet)
    {
2039
2040
2041
2042
        pchMessageStart[0] = 0x0b;
        pchMessageStart[1] = 0x11;
        pchMessageStart[2] = 0x09;
        pchMessageStart[3] = 0x07;
Gavin Andresen's avatar
Gavin Andresen committed
2043
        hashGenesisBlock = uint256("000000000933ea01ad0ee984209779baaec3ced90fa3f408719526f8d77f4943");
2044
2045
    }

s_nakamoto's avatar
s_nakamoto committed
2046
2047
2048
2049
2050
2051
2052
2053
2054
2055
2056
2057
2058
2059
2060
2061
2062
2063
2064
2065
2066
2067
2068
2069
2070
2071
2072
2073
2074
2075
2076
2077
2078
2079
2080
2081
2082
2083
2084
2085
    //
    // Load block index
    //
    CTxDB txdb("cr");
    if (!txdb.LoadBlockIndex())
        return false;
    txdb.Close();

    //
    // Init with genesis block
    //
    if (mapBlockIndex.empty())
    {
        if (!fAllowNew)
            return false;

        // Genesis Block:
        // CBlock(hash=000000000019d6, ver=1, hashPrevBlock=00000000000000, hashMerkleRoot=4a5e1e, nTime=1231006505, nBits=1d00ffff, nNonce=2083236893, vtx=1)
        //   CTransaction(hash=4a5e1e, ver=1, vin.size=1, vout.size=1, nLockTime=0)
        //     CTxIn(COutPoint(000000, -1), coinbase 04ffff001d0104455468652054696d65732030332f4a616e2f32303039204368616e63656c6c6f72206f6e206272696e6b206f66207365636f6e64206261696c6f757420666f722062616e6b73)
        //     CTxOut(nValue=50.00000000, scriptPubKey=0x5F1DF16B2B704C8A578D0B)
        //   vMerkleTree: 4a5e1e

        // Genesis block
        const char* pszTimestamp = "The Times 03/Jan/2009 Chancellor on brink of second bailout for banks";
        CTransaction txNew;
        txNew.vin.resize(1);
        txNew.vout.resize(1);
        txNew.vin[0].scriptSig = CScript() << 486604799 << CBigNum(4) << vector<unsigned char>((const unsigned char*)pszTimestamp, (const unsigned char*)pszTimestamp + strlen(pszTimestamp));
        txNew.vout[0].nValue = 50 * COIN;
        txNew.vout[0].scriptPubKey = CScript() << ParseHex("04678afdb0fe5548271967f1a67130b7105cd6a828e03909a67962e0ea1f61deb649f6bc3f4cef38c4f35504e51ec112de5c384df7ba0b8d578a4c702b6bf11d5f") << OP_CHECKSIG;
        CBlock block;
        block.vtx.push_back(txNew);
        block.hashPrevBlock = 0;
        block.hashMerkleRoot = block.BuildMerkleTree();
        block.nVersion = 1;
        block.nTime    = 1231006505;
        block.nBits    = 0x1d00ffff;
        block.nNonce   = 2083236893;

2086
2087
        if (fTestNet)
        {
2088
            block.nTime    = 1296688602;
Gavin Andresen's avatar
Gavin Andresen committed
2089
            block.nNonce   = 414098458;
2090
        }
s_nakamoto's avatar
s_nakamoto committed
2091

2092
2093
2094
2095
2096
2097
        //// debug print
        printf("%s\n", block.GetHash().ToString().c_str());
        printf("%s\n", hashGenesisBlock.ToString().c_str());
        printf("%s\n", block.hashMerkleRoot.ToString().c_str());
        assert(block.hashMerkleRoot == uint256("0x4a5e1e4baab89f3a32518a88c31bc87f618f76673e2cc77ab2127b7afdeda33b"));
        block.print();
s_nakamoto's avatar
s_nakamoto committed
2098
2099
2100
2101
2102
        assert(block.GetHash() == hashGenesisBlock);

        // Start new block file
        unsigned int nFile;
        unsigned int nBlockPos;
2103
        if (!block.WriteToDisk(nFile, nBlockPos))
s_nakamoto's avatar
s_nakamoto committed
2104
2105
2106
2107
2108
2109
2110
2111
2112
2113
2114
2115
            return error("LoadBlockIndex() : writing genesis block to disk failed");
        if (!block.AddToBlockIndex(nFile, nBlockPos))
            return error("LoadBlockIndex() : genesis block not accepted");
    }

    return true;
}



void PrintBlockTree()
{
2116
    // pre-compute tree structure
s_nakamoto's avatar
s_nakamoto committed
2117
2118
2119
2120
2121
2122
2123
2124
2125
2126
2127
2128
2129
2130
2131
2132
2133
2134
2135
2136
2137
2138
2139
2140
2141
2142
2143
2144
2145
2146
2147
2148
    map<CBlockIndex*, vector<CBlockIndex*> > mapNext;
    for (map<uint256, CBlockIndex*>::iterator mi = mapBlockIndex.begin(); mi != mapBlockIndex.end(); ++mi)
    {
        CBlockIndex* pindex = (*mi).second;
        mapNext[pindex->pprev].push_back(pindex);
        // test
        //while (rand() % 3 == 0)
        //    mapNext[pindex->pprev].push_back(pindex);
    }

    vector<pair<int, CBlockIndex*> > vStack;
    vStack.push_back(make_pair(0, pindexGenesisBlock));

    int nPrevCol = 0;
    while (!vStack.empty())
    {
        int nCol = vStack.back().first;
        CBlockIndex* pindex = vStack.back().second;
        vStack.pop_back();

        // print split or gap
        if (nCol > nPrevCol)
        {
            for (int i = 0; i < nCol-1; i++)
                printf("| ");
            printf("|\\\n");
        }
        else if (nCol < nPrevCol)
        {
            for (int i = 0; i < nCol; i++)
                printf("| ");
            printf("|\n");
Pieter Wuille's avatar
Pieter Wuille committed
2149
       }
s_nakamoto's avatar
s_nakamoto committed
2150
2151
2152
2153
2154
2155
2156
2157
2158
2159
2160
2161
2162
2163
2164
2165
2166
        nPrevCol = nCol;

        // print columns
        for (int i = 0; i < nCol; i++)
            printf("| ");

        // print item
        CBlock block;
        block.ReadFromDisk(pindex);
        printf("%d (%u,%u) %s  %s  tx %d",
            pindex->nHeight,
            pindex->nFile,
            pindex->nBlockPos,
            block.GetHash().ToString().substr(0,20).c_str(),
            DateTimeStrFormat("%x %H:%M:%S", block.GetBlockTime()).c_str(),
            block.vtx.size());

Pieter Wuille's avatar
Pieter Wuille committed
2167
        PrintWallets(block);
s_nakamoto's avatar
s_nakamoto committed
2168

2169
        // put the main time-chain first
s_nakamoto's avatar
s_nakamoto committed
2170
        vector<CBlockIndex*>& vNext = mapNext[pindex];
2171
        for (unsigned int i = 0; i < vNext.size(); i++)
s_nakamoto's avatar
s_nakamoto committed
2172
2173
2174
2175
2176
2177
2178
2179
2180
        {
            if (vNext[i]->pnext)
            {
                swap(vNext[0], vNext[i]);
                break;
            }
        }

        // iterate children
2181
        for (unsigned int i = 0; i < vNext.size(); i++)
s_nakamoto's avatar
s_nakamoto committed
2182
2183
2184
2185
            vStack.push_back(make_pair(nCol+i, vNext[i]));
    }
}

2186
2187
bool LoadExternalBlockFile(FILE* fileIn)
{
2188
2189
    int64 nStart = GetTimeMillis();

2190
2191
2192
2193
2194
2195
    int nLoaded = 0;
    {
        LOCK(cs_main);
        try {
            CAutoFile blkdat(fileIn, SER_DISK, CLIENT_VERSION);
            unsigned int nPos = 0;
Pieter Wuille's avatar
Pieter Wuille committed
2196
            while (nPos != (unsigned int)-1 && blkdat.good() && !fRequestShutdown)
2197
2198
2199
2200
2201
2202
2203
            {
                unsigned char pchData[65536];
                do {
                    fseek(blkdat, nPos, SEEK_SET);
                    int nRead = fread(pchData, 1, sizeof(pchData), blkdat);
                    if (nRead <= 8)
                    {
Pieter Wuille's avatar
Pieter Wuille committed
2204
                        nPos = (unsigned int)-1;
2205
2206
2207
2208
2209
2210
2211
2212
2213
2214
2215
2216
2217
2218
2219
                        break;
                    }
                    void* nFind = memchr(pchData, pchMessageStart[0], nRead+1-sizeof(pchMessageStart));
                    if (nFind)
                    {
                        if (memcmp(nFind, pchMessageStart, sizeof(pchMessageStart))==0)
                        {
                            nPos += ((unsigned char*)nFind - pchData) + sizeof(pchMessageStart);
                            break;
                        }
                        nPos += ((unsigned char*)nFind - pchData) + 1;
                    }
                    else
                        nPos += sizeof(pchData) - sizeof(pchMessageStart) + 1;
                } while(!fRequestShutdown);
Pieter Wuille's avatar
Pieter Wuille committed
2220
                if (nPos == (unsigned int)-1)
2221
2222
2223
2224
2225
2226
2227
2228
2229
2230
2231
2232
2233
2234
2235
2236
                    break;
                fseek(blkdat, nPos, SEEK_SET);
                unsigned int nSize;
                blkdat >> nSize;
                if (nSize > 0 && nSize <= MAX_BLOCK_SIZE)
                {
                    CBlock block;
                    blkdat >> block;
                    if (ProcessBlock(NULL,&block))
                    {
                        nLoaded++;
                        nPos += 4 + nSize;
                    }
                }
            }
        }
2237
2238
2239
        catch (std::exception &e) {
            printf("%s() : Deserialize or I/O error caught during load\n",
                   __PRETTY_FUNCTION__);
2240
2241
        }
    }
2242
    printf("Loaded %i blocks from external file in %"PRI64d"ms\n", nLoaded, GetTimeMillis() - nStart);
2243
2244
    return nLoaded > 0;
}
s_nakamoto's avatar
s_nakamoto committed
2245
2246
2247
2248
2249
2250
2251
2252
2253
2254
2255
2256
2257
2258
2259
2260
2261
2262
2263
2264
2265
2266









//////////////////////////////////////////////////////////////////////////////
//
// CAlert
//

map<uint256, CAlert> mapAlerts;
CCriticalSection cs_mapAlerts;

string GetWarnings(string strFor)
{
    int nPriority = 0;
    string strStatusBar;
    string strRPC;
2267
    if (GetBoolArg("-testsafemode"))
s_nakamoto's avatar
s_nakamoto committed
2268
2269
2270
2271
2272
2273
2274
2275
2276
2277
2278
2279
2280
        strRPC = "test";

    // Misc warnings like out of disk space and clock is wrong
    if (strMiscWarning != "")
    {
        nPriority = 1000;
        strStatusBar = strMiscWarning;
    }

    // Longer invalid proof-of-work chain
    if (pindexBest && bnBestInvalidWork > bnBestChainWork + pindexBest->GetBlockWork() * 6)
    {
        nPriority = 2000;
2281
        strStatusBar = strRPC = _("Warning: Displayed transactions may not be correct! You may need to upgrade, or other nodes may need to upgrade.");
s_nakamoto's avatar
s_nakamoto committed
2282
2283
2284
2285
    }

    // Alerts
    {
2286
        LOCK(cs_mapAlerts);
2287
        BOOST_FOREACH(PAIRTYPE(const uint256, CAlert)& item, mapAlerts)
s_nakamoto's avatar
s_nakamoto committed
2288
2289
2290
2291
2292
2293
2294
2295
2296
2297
2298
2299
2300
2301
        {
            const CAlert& alert = item.second;
            if (alert.AppliesToMe() && alert.nPriority > nPriority)
            {
                nPriority = alert.nPriority;
                strStatusBar = alert.strStatusBar;
            }
        }
    }

    if (strFor == "statusbar")
        return strStatusBar;
    else if (strFor == "rpc")
        return strRPC;
2302
    assert(!"GetWarnings() : invalid parameter");
s_nakamoto's avatar
s_nakamoto committed
2303
2304
2305
    return "error";
}

2306
2307
2308
2309
2310
2311
2312
2313
2314
2315
2316
2317
CAlert CAlert::getAlertByHash(const uint256 &hash)
{
    CAlert retval;
    {
        LOCK(cs_mapAlerts);
        map<uint256, CAlert>::iterator mi = mapAlerts.find(hash);
        if(mi != mapAlerts.end())
            retval = mi->second;
    }
    return retval;
}

s_nakamoto's avatar
s_nakamoto committed
2318
2319
2320
2321
2322
2323
2324
bool CAlert::ProcessAlert()
{
    if (!CheckSignature())
        return false;
    if (!IsInEffect())
        return false;

2325
2326
2327
2328
2329
2330
2331
2332
2333
2334
2335
2336
2337
2338
2339
2340
2341
2342
2343
2344
2345
2346
    // alert.nID=max is reserved for if the alert key is
    // compromised. It must have a pre-defined message,
    // must never expire, must apply to all versions,
    // and must cancel all previous
    // alerts or it will be ignored (so an attacker can't
    // send an "everything is OK, don't panic" version that
    // cannot be overridden):
    int maxInt = std::numeric_limits<int>::max();
    if (nID == maxInt)
    {
        if (!(
                nExpiration == maxInt &&
                nCancel == (maxInt-1) &&
                nMinVer == 0 &&
                nMaxVer == maxInt &&
                setSubVer.empty() &&
                nPriority == maxInt &&
                strStatusBar == "URGENT: Alert key compromised, upgrade required"
                ))
            return false;
    }

s_nakamoto's avatar
s_nakamoto committed
2347
    {
2348
        LOCK(cs_mapAlerts);
s_nakamoto's avatar
s_nakamoto committed
2349
2350
2351
2352
2353
2354
2355
        // Cancel previous alerts
        for (map<uint256, CAlert>::iterator mi = mapAlerts.begin(); mi != mapAlerts.end();)
        {
            const CAlert& alert = (*mi).second;
            if (Cancels(alert))
            {
                printf("cancelling alert %d\n", alert.nID);
2356
                uiInterface.NotifyAlertChanged((*mi).first, CT_DELETED);
s_nakamoto's avatar
s_nakamoto committed
2357
2358
2359
2360
2361
                mapAlerts.erase(mi++);
            }
            else if (!alert.IsInEffect())
            {
                printf("expiring alert %d\n", alert.nID);
2362
                uiInterface.NotifyAlertChanged((*mi).first, CT_DELETED);
s_nakamoto's avatar
s_nakamoto committed
2363
2364
2365
2366
2367
2368
2369
                mapAlerts.erase(mi++);
            }
            else
                mi++;
        }

        // Check if this alert has been cancelled
2370
        BOOST_FOREACH(PAIRTYPE(const uint256, CAlert)& item, mapAlerts)
s_nakamoto's avatar
s_nakamoto committed
2371
2372
2373
2374
2375
2376
2377
2378
2379
2380
2381
        {
            const CAlert& alert = item.second;
            if (alert.Cancels(*this))
            {
                printf("alert already cancelled by %d\n", alert.nID);
                return false;
            }
        }

        // Add to mapAlerts
        mapAlerts.insert(make_pair(GetHash(), *this));
2382
2383
        // Notify UI if it applies to me
        if(AppliesToMe())
2384
            uiInterface.NotifyAlertChanged(GetHash(), CT_NEW);
s_nakamoto's avatar
s_nakamoto committed
2385
2386
2387
2388
2389
2390
2391
2392
2393
2394
2395
2396
2397
2398
2399
2400
2401
2402
2403
    }

    printf("accepted alert %d, AppliesToMe()=%d\n", nID, AppliesToMe());
    return true;
}








//////////////////////////////////////////////////////////////////////////////
//
// Messages
//


Pieter Wuille's avatar
Pieter Wuille committed
2404
bool static AlreadyHave(CTxDB& txdb, const CInv& inv)
s_nakamoto's avatar
s_nakamoto committed
2405
2406
2407
{
    switch (inv.type)
    {
Jeff Garzik's avatar
Jeff Garzik committed
2408
2409
    case MSG_TX:
        {
2410
2411
        bool txInMap = false;
            {
2412
2413
            LOCK(mempool.cs);
            txInMap = (mempool.exists(inv.hash));
2414
            }
2415
        return txInMap ||
Jeff Garzik's avatar
Jeff Garzik committed
2416
2417
2418
2419
2420
2421
2422
               mapOrphanTransactions.count(inv.hash) ||
               txdb.ContainsTx(inv.hash);
        }

    case MSG_BLOCK:
        return mapBlockIndex.count(inv.hash) ||
               mapOrphanBlocks.count(inv.hash);
s_nakamoto's avatar
s_nakamoto committed
2423
2424
2425
2426
2427
2428
2429
2430
    }
    // Don't know what it is, just say we already got one
    return true;
}




2431
// The message start string is designed to be unlikely to occur in normal data.
2432
// The characters are rarely used upper ASCII, not valid as UTF-8, and produce
2433
// a large 4-byte int at any alignment.
2434
unsigned char pchMessageStart[4] = { 0xf9, 0xbe, 0xb4, 0xd9 };
s_nakamoto's avatar
s_nakamoto committed
2435
2436


Pieter Wuille's avatar
Pieter Wuille committed
2437
bool static ProcessMessage(CNode* pfrom, string strCommand, CDataStream& vRecv)
s_nakamoto's avatar
s_nakamoto committed
2438
{
2439
    static map<CService, CPubKey> mapReuseKey;
s_nakamoto's avatar
s_nakamoto committed
2440
    RandAddSeedPerfmon();
2441
    if (fDebug)
2442
        printf("received: %s (%d bytes)\n", strCommand.c_str(), vRecv.size());
s_nakamoto's avatar
s_nakamoto committed
2443
2444
2445
2446
2447
2448
2449
2450
2451
2452
2453
2454
2455
2456
    if (mapArgs.count("-dropmessagestest") && GetRand(atoi(mapArgs["-dropmessagestest"])) == 0)
    {
        printf("dropmessagestest DROPPING RECV MESSAGE\n");
        return true;
    }





    if (strCommand == "version")
    {
        // Each connection can only send one version message
        if (pfrom->nVersion != 0)
2457
2458
        {
            pfrom->Misbehaving(1);
s_nakamoto's avatar
s_nakamoto committed
2459
            return false;
2460
        }
s_nakamoto's avatar
s_nakamoto committed
2461

2462
        int64 nTime;
s_nakamoto's avatar
s_nakamoto committed
2463
2464
        CAddress addrMe;
        CAddress addrFrom;
2465
        uint64 nNonce = 1;
s_nakamoto's avatar
s_nakamoto committed
2466
        vRecv >> pfrom->nVersion >> pfrom->nServices >> nTime >> addrMe;
2467
        if (pfrom->nVersion < MIN_PROTO_VERSION)
Pieter Wuille's avatar
Pieter Wuille committed
2468
        {
Michael Ford's avatar
Michael Ford committed
2469
            // Since February 20, 2012, the protocol is initiated at version 209,
Pieter Wuille's avatar
Pieter Wuille committed
2470
2471
2472
2473
2474
2475
            // and earlier versions are no longer supported
            printf("partner %s using obsolete version %i; disconnecting\n", pfrom->addr.ToString().c_str(), pfrom->nVersion);
            pfrom->fDisconnect = true;
            return false;
        }

s_nakamoto's avatar
s_nakamoto committed
2476
2477
        if (pfrom->nVersion == 10300)
            pfrom->nVersion = 300;
Pieter Wuille's avatar
Pieter Wuille committed
2478
        if (!vRecv.empty())
s_nakamoto's avatar
s_nakamoto committed
2479
            vRecv >> addrFrom >> nNonce;
Pieter Wuille's avatar
Pieter Wuille committed
2480
        if (!vRecv.empty())
s_nakamoto's avatar
s_nakamoto committed
2481
            vRecv >> pfrom->strSubVer;
Pieter Wuille's avatar
Pieter Wuille committed
2482
        if (!vRecv.empty())
s_nakamoto's avatar
s_nakamoto committed
2483
2484
            vRecv >> pfrom->nStartingHeight;

2485
2486
2487
2488
2489
2490
        if (pfrom->fInbound && addrMe.IsRoutable())
        {
            pfrom->addrLocal = addrMe;
            SeenLocal(addrMe);
        }

s_nakamoto's avatar
s_nakamoto committed
2491
2492
2493
        // Disconnect if we connected to ourself
        if (nNonce == nLocalHostNonce && nNonce > 1)
        {
2494
            printf("connected to self at %s, disconnecting\n", pfrom->addr.ToString().c_str());
s_nakamoto's avatar
s_nakamoto committed
2495
2496
2497
2498
            pfrom->fDisconnect = true;
            return true;
        }

Gavin Andresen's avatar
Gavin Andresen committed
2499
2500
2501
2502
        // Be shy and don't send version until we hear
        if (pfrom->fInbound)
            pfrom->PushVersion();

s_nakamoto's avatar
s_nakamoto committed
2503
2504
        pfrom->fClient = !(pfrom->nServices & NODE_NETWORK);

Pieter Wuille's avatar
Pieter Wuille committed
2505
        AddTimeData(pfrom->addr, nTime);
s_nakamoto's avatar
s_nakamoto committed
2506
2507

        // Change version
Pieter Wuille's avatar
Pieter Wuille committed
2508
        pfrom->PushMessage("verack");
2509
        pfrom->vSend.SetVersion(min(pfrom->nVersion, PROTOCOL_VERSION));
s_nakamoto's avatar
s_nakamoto committed
2510

s_nakamoto's avatar
s_nakamoto committed
2511
2512
2513
        if (!pfrom->fInbound)
        {
            // Advertise our address
Pieter Wuille's avatar
Pieter Wuille committed
2514
            if (!fNoListen && !IsInitialBlockDownload())
s_nakamoto's avatar
s_nakamoto committed
2515
            {
2516
2517
2518
                CAddress addr = GetLocalAddress(&pfrom->addr);
                if (addr.IsRoutable())
                    pfrom->PushAddress(addr);
s_nakamoto's avatar
s_nakamoto committed
2519
2520
2521
            }

            // Get recent addresses
2522
            if (pfrom->fOneShot || pfrom->nVersion >= CADDR_TIME_VERSION || addrman.size() < 1000)
s_nakamoto's avatar
s_nakamoto committed
2523
2524
2525
2526
            {
                pfrom->PushMessage("getaddr");
                pfrom->fGetAddr = true;
            }
2527
2528
2529
2530
2531
2532
2533
            addrman.Good(pfrom->addr);
        } else {
            if (((CNetAddr)pfrom->addr) == (CNetAddr)addrFrom)
            {
                addrman.Add(addrFrom, addrFrom);
                addrman.Good(addrFrom);
            }
s_nakamoto's avatar
s_nakamoto committed
2534
2535
        }

s_nakamoto's avatar
s_nakamoto committed
2536
        // Ask the first connected node for block updates
2537
        static int nAskedForBlocks = 0;
2538
        if (!pfrom->fClient && !pfrom->fOneShot &&
2539
            (pfrom->nVersion < NOBLKS_VERSION_START ||
2540
             pfrom->nVersion >= NOBLKS_VERSION_END) &&
2541
             (nAskedForBlocks < 1 || vNodes.size() <= 1))
s_nakamoto's avatar
s_nakamoto committed
2542
2543
2544
2545
2546
2547
        {
            nAskedForBlocks++;
            pfrom->PushGetBlocks(pindexBest, uint256(0));
        }

        // Relay alerts
2548
2549
        {
            LOCK(cs_mapAlerts);
2550
            BOOST_FOREACH(PAIRTYPE(const uint256, CAlert)& item, mapAlerts)
s_nakamoto's avatar
s_nakamoto committed
2551
                item.second.RelayTo(pfrom);
2552
        }
s_nakamoto's avatar
s_nakamoto committed
2553
2554
2555

        pfrom->fSuccessfullyConnected = true;

Pieter Wuille's avatar
Pieter Wuille committed
2556
        printf("receive version message: version %d, blocks=%d, us=%s, them=%s, peer=%s\n", pfrom->nVersion, pfrom->nStartingHeight, addrMe.ToString().c_str(), addrFrom.ToString().c_str(), pfrom->addr.ToString().c_str());
2557
2558

        cPeerBlockCounts.input(pfrom->nStartingHeight);
s_nakamoto's avatar
s_nakamoto committed
2559
2560
2561
2562
2563
2564
    }


    else if (pfrom->nVersion == 0)
    {
        // Must have a version message before anything else
2565
        pfrom->Misbehaving(1);
s_nakamoto's avatar
s_nakamoto committed
2566
2567
2568
2569
2570
2571
        return false;
    }


    else if (strCommand == "verack")
    {
2572
        pfrom->vRecv.SetVersion(min(pfrom->nVersion, PROTOCOL_VERSION));
s_nakamoto's avatar
s_nakamoto committed
2573
2574
2575
2576
2577
2578
2579
    }


    else if (strCommand == "addr")
    {
        vector<CAddress> vAddr;
        vRecv >> vAddr;
s_nakamoto's avatar
s_nakamoto committed
2580
2581

        // Don't want addr from older versions unless seeding
2582
        if (pfrom->nVersion < CADDR_TIME_VERSION && addrman.size() > 1000)
s_nakamoto's avatar
s_nakamoto committed
2583
2584
            return true;
        if (vAddr.size() > 1000)
2585
2586
        {
            pfrom->Misbehaving(20);
s_nakamoto's avatar
s_nakamoto committed
2587
            return error("message addr size() = %d", vAddr.size());
2588
        }
s_nakamoto's avatar
s_nakamoto committed
2589
2590

        // Store the new addresses
2591
        vector<CAddress> vAddrOk;
2592
2593
        int64 nNow = GetAdjustedTime();
        int64 nSince = nNow - 10 * 60;
2594
        BOOST_FOREACH(CAddress& addr, vAddr)
s_nakamoto's avatar
s_nakamoto committed
2595
2596
2597
        {
            if (fShutdown)
                return true;
s_nakamoto's avatar
s_nakamoto committed
2598
2599
            if (addr.nTime <= 100000000 || addr.nTime > nNow + 10 * 60)
                addr.nTime = nNow - 5 * 24 * 60 * 60;
s_nakamoto's avatar
s_nakamoto committed
2600
            pfrom->AddAddressKnown(addr);
2601
            bool fReachable = IsReachable(addr);
s_nakamoto's avatar
s_nakamoto committed
2602
            if (addr.nTime > nSince && !pfrom->fGetAddr && vAddr.size() <= 10 && addr.IsRoutable())
s_nakamoto's avatar
s_nakamoto committed
2603
2604
2605
            {
                // Relay to a limited number of other nodes
                {
2606
                    LOCK(cs_vNodes);
2607
2608
                    // Use deterministic randomness to send to the same nodes for 24 hours
                    // at a time so the setAddrKnowns of the chosen nodes prevent repeats
s_nakamoto's avatar
s_nakamoto committed
2609
2610
                    static uint256 hashSalt;
                    if (hashSalt == 0)
2611
                        hashSalt = GetRandHash();
2612
                    uint64 hashAddr = addr.GetHash();
Pieter Wuille's avatar
Pieter Wuille committed
2613
                    uint256 hashRand = hashSalt ^ (hashAddr<<32) ^ ((GetTime()+hashAddr)/(24*60*60));
2614
                    hashRand = Hash(BEGIN(hashRand), END(hashRand));
s_nakamoto's avatar
s_nakamoto committed
2615
                    multimap<uint256, CNode*> mapMix;
2616
                    BOOST_FOREACH(CNode* pnode, vNodes)
2617
                    {
2618
                        if (pnode->nVersion < CADDR_TIME_VERSION)
s_nakamoto's avatar
s_nakamoto committed
2619
                            continue;
2620
2621
2622
2623
2624
2625
                        unsigned int nPointer;
                        memcpy(&nPointer, &pnode, sizeof(nPointer));
                        uint256 hashKey = hashRand ^ nPointer;
                        hashKey = Hash(BEGIN(hashKey), END(hashKey));
                        mapMix.insert(make_pair(hashKey, pnode));
                    }
2626
                    int nRelayNodes = fReachable ? 2 : 1; // limited relaying of addresses outside our network(s)
s_nakamoto's avatar
s_nakamoto committed
2627
2628
2629
2630
                    for (multimap<uint256, CNode*>::iterator mi = mapMix.begin(); mi != mapMix.end() && nRelayNodes-- > 0; ++mi)
                        ((*mi).second)->PushAddress(addr);
                }
            }
2631
2632
2633
            // Do not store addresses outside our network
            if (fReachable)
                vAddrOk.push_back(addr);
s_nakamoto's avatar
s_nakamoto committed
2634
        }
2635
        addrman.Add(vAddrOk, pfrom->addr, 2 * 60 * 60);
s_nakamoto's avatar
s_nakamoto committed
2636
2637
        if (vAddr.size() < 1000)
            pfrom->fGetAddr = false;
2638
2639
        if (pfrom->fOneShot)
            pfrom->fDisconnect = true;
s_nakamoto's avatar
s_nakamoto committed
2640
2641
2642
2643
2644
2645
2646
    }


    else if (strCommand == "inv")
    {
        vector<CInv> vInv;
        vRecv >> vInv;
2647
        if (vInv.size() > MAX_INV_SZ)
2648
2649
        {
            pfrom->Misbehaving(20);
s_nakamoto's avatar
s_nakamoto committed
2650
            return error("message inv size() = %d", vInv.size());
2651
        }
s_nakamoto's avatar
s_nakamoto committed
2652

2653
2654
2655
        // find last block in inv vector
        unsigned int nLastBlock = (unsigned int)(-1);
        for (unsigned int nInv = 0; nInv < vInv.size(); nInv++) {
2656
            if (vInv[vInv.size() - 1 - nInv].type == MSG_BLOCK) {
2657
                nLastBlock = vInv.size() - 1 - nInv;
2658
2659
                break;
            }
2660
        }
s_nakamoto's avatar
s_nakamoto committed
2661
        CTxDB txdb("r");
2662
        for (unsigned int nInv = 0; nInv < vInv.size(); nInv++)
s_nakamoto's avatar
s_nakamoto committed
2663
        {
2664
2665
            const CInv &inv = vInv[nInv];

s_nakamoto's avatar
s_nakamoto committed
2666
2667
2668
2669
2670
            if (fShutdown)
                return true;
            pfrom->AddInventoryKnown(inv);

            bool fAlreadyHave = AlreadyHave(txdb, inv);
2671
2672
            if (fDebug)
                printf("  got inventory: %s  %s\n", inv.ToString().c_str(), fAlreadyHave ? "have" : "new");
s_nakamoto's avatar
s_nakamoto committed
2673

2674
            if (!fAlreadyHave)
s_nakamoto's avatar
s_nakamoto committed
2675
                pfrom->AskFor(inv);
2676
            else if (inv.type == MSG_BLOCK && mapOrphanBlocks.count(inv.hash)) {
s_nakamoto's avatar
s_nakamoto committed
2677
                pfrom->PushGetBlocks(pindexBest, GetOrphanRoot(mapOrphanBlocks[inv.hash]));
2678
2679
2680
2681
2682
2683
2684
2685
            } else if (nInv == nLastBlock) {
                // In case we are on a very long side-chain, it is possible that we already have
                // the last block in an inv bundle sent in response to getblocks. Try to detect
                // this situation and push another getblocks to continue.
                pfrom->PushGetBlocks(mapBlockIndex[inv.hash], uint256(0));
                if (fDebug)
                    printf("force request: %s\n", inv.ToString().c_str());
            }
s_nakamoto's avatar
s_nakamoto committed
2686
2687

            // Track requests for our stuff
Pieter Wuille's avatar
Pieter Wuille committed
2688
            Inventory(inv.hash);
s_nakamoto's avatar
s_nakamoto committed
2689
2690
2691
2692
2693
2694
2695
2696
        }
    }


    else if (strCommand == "getdata")
    {
        vector<CInv> vInv;
        vRecv >> vInv;
2697
        if (vInv.size() > MAX_INV_SZ)
2698
2699
        {
            pfrom->Misbehaving(20);
s_nakamoto's avatar
s_nakamoto committed
2700
            return error("message getdata size() = %d", vInv.size());
2701
        }
s_nakamoto's avatar
s_nakamoto committed
2702

2703
2704
2705
        if (fDebugNet || (vInv.size() != 1))
            printf("received getdata (%d invsz)\n", vInv.size());

2706
        BOOST_FOREACH(const CInv& inv, vInv)
s_nakamoto's avatar
s_nakamoto committed
2707
2708
2709
        {
            if (fShutdown)
                return true;
2710
2711
            if (fDebugNet || (vInv.size() == 1))
                printf("received getdata for: %s\n", inv.ToString().c_str());
s_nakamoto's avatar
s_nakamoto committed
2712
2713
2714
2715
2716
2717
2718
2719

            if (inv.type == MSG_BLOCK)
            {
                // Send block from disk
                map<uint256, CBlockIndex*>::iterator mi = mapBlockIndex.find(inv.hash);
                if (mi != mapBlockIndex.end())
                {
                    CBlock block;
2720
                    block.ReadFromDisk((*mi).second);
s_nakamoto's avatar
s_nakamoto committed
2721
2722
2723
2724
2725
2726
2727
2728
2729
2730
2731
2732
2733
2734
2735
2736
2737
2738
                    pfrom->PushMessage("block", block);

                    // Trigger them to send a getblocks request for the next batch of inventory
                    if (inv.hash == pfrom->hashContinue)
                    {
                        // Bypass PushInventory, this must send even if redundant,
                        // and we want it right after the last block so they don't
                        // wait for other stuff first.
                        vector<CInv> vInv;
                        vInv.push_back(CInv(MSG_BLOCK, hashBestChain));
                        pfrom->PushMessage("inv", vInv);
                        pfrom->hashContinue = 0;
                    }
                }
            }
            else if (inv.IsKnownType())
            {
                // Send stream from relay memory
2739
                bool pushed = false;
s_nakamoto's avatar
s_nakamoto committed
2740
                {
2741
                    LOCK(cs_mapRelay);
s_nakamoto's avatar
s_nakamoto committed
2742
                    map<CInv, CDataStream>::iterator mi = mapRelay.find(inv);
2743
                    if (mi != mapRelay.end()) {
s_nakamoto's avatar
s_nakamoto committed
2744
                        pfrom->PushMessage(inv.GetCommand(), (*mi).second);
2745
2746
2747
2748
2749
2750
2751
2752
2753
2754
2755
2756
                        pushed = true;
                    }
                }
                if (!pushed && inv.type == MSG_TX) {
                    LOCK(mempool.cs);
                    if (mempool.exists(inv.hash)) {
                        CTransaction tx = mempool.lookup(inv.hash);
                        CDataStream ss(SER_NETWORK, PROTOCOL_VERSION);
                        ss.reserve(1000);
                        ss << tx;
                        pfrom->PushMessage("tx", ss);
                    }
s_nakamoto's avatar
s_nakamoto committed
2757
2758
2759
2760
                }
            }

            // Track requests for our stuff
Pieter Wuille's avatar
Pieter Wuille committed
2761
            Inventory(inv.hash);
s_nakamoto's avatar
s_nakamoto committed
2762
2763
2764
2765
2766
2767
2768
2769
2770
2771
        }
    }


    else if (strCommand == "getblocks")
    {
        CBlockLocator locator;
        uint256 hashStop;
        vRecv >> locator >> hashStop;

2772
        // Find the last block the caller has in the main chain
s_nakamoto's avatar
s_nakamoto committed
2773
2774
2775
2776
2777
        CBlockIndex* pindex = locator.GetBlockIndex();

        // Send the rest of the chain
        if (pindex)
            pindex = pindex->pnext;
2778
        int nLimit = 500;
s_nakamoto's avatar
s_nakamoto committed
2779
2780
2781
2782
2783
        printf("getblocks %d to %s limit %d\n", (pindex ? pindex->nHeight : -1), hashStop.ToString().substr(0,20).c_str(), nLimit);
        for (; pindex; pindex = pindex->pnext)
        {
            if (pindex->GetBlockHash() == hashStop)
            {
2784
                printf("  getblocks stopping at %d %s\n", pindex->nHeight, pindex->GetBlockHash().ToString().substr(0,20).c_str());
s_nakamoto's avatar
s_nakamoto committed
2785
2786
2787
                break;
            }
            pfrom->PushInventory(CInv(MSG_BLOCK, pindex->GetBlockHash()));
2788
            if (--nLimit <= 0)
s_nakamoto's avatar
s_nakamoto committed
2789
2790
2791
            {
                // When this block is requested, we'll send an inv that'll make them
                // getblocks the next batch of inventory.
2792
                printf("  getblocks stopping at limit %d %s\n", pindex->nHeight, pindex->GetBlockHash().ToString().substr(0,20).c_str());
s_nakamoto's avatar
s_nakamoto committed
2793
2794
2795
2796
2797
2798
2799
                pfrom->hashContinue = pindex->GetBlockHash();
                break;
            }
        }
    }


2800
2801
2802
2803
2804
2805
2806
2807
2808
2809
2810
2811
2812
2813
2814
2815
2816
2817
2818
2819
2820
2821
2822
2823
    else if (strCommand == "getheaders")
    {
        CBlockLocator locator;
        uint256 hashStop;
        vRecv >> locator >> hashStop;

        CBlockIndex* pindex = NULL;
        if (locator.IsNull())
        {
            // If locator is null, return the hashStop block
            map<uint256, CBlockIndex*>::iterator mi = mapBlockIndex.find(hashStop);
            if (mi == mapBlockIndex.end())
                return true;
            pindex = (*mi).second;
        }
        else
        {
            // Find the last block the caller has in the main chain
            pindex = locator.GetBlockIndex();
            if (pindex)
                pindex = pindex->pnext;
        }

        vector<CBlock> vHeaders;
2824
2825
        int nLimit = 2000;
        printf("getheaders %d to %s\n", (pindex ? pindex->nHeight : -1), hashStop.ToString().substr(0,20).c_str());
2826
2827
2828
2829
2830
2831
2832
2833
2834
2835
        for (; pindex; pindex = pindex->pnext)
        {
            vHeaders.push_back(pindex->GetBlockHeader());
            if (--nLimit <= 0 || pindex->GetBlockHash() == hashStop)
                break;
        }
        pfrom->PushMessage("headers", vHeaders);
    }


s_nakamoto's avatar
s_nakamoto committed
2836
2837
2838
    else if (strCommand == "tx")
    {
        vector<uint256> vWorkQueue;
2839
        vector<uint256> vEraseQueue;
s_nakamoto's avatar
s_nakamoto committed
2840
        CDataStream vMsg(vRecv);
2841
        CTxDB txdb("r");
s_nakamoto's avatar
s_nakamoto committed
2842
2843
2844
2845
2846
2847
2848
        CTransaction tx;
        vRecv >> tx;

        CInv inv(MSG_TX, tx.GetHash());
        pfrom->AddInventoryKnown(inv);

        bool fMissingInputs = false;
2849
        if (tx.AcceptToMemoryPool(txdb, true, &fMissingInputs))
s_nakamoto's avatar
s_nakamoto committed
2850
        {
Pieter Wuille's avatar
Pieter Wuille committed
2851
            SyncWithWallets(tx, NULL, true);
s_nakamoto's avatar
s_nakamoto committed
2852
2853
2854
            RelayMessage(inv, vMsg);
            mapAlreadyAskedFor.erase(inv);
            vWorkQueue.push_back(inv.hash);
2855
            vEraseQueue.push_back(inv.hash);
s_nakamoto's avatar
s_nakamoto committed
2856
2857

            // Recursively process any orphan transactions that depended on this one
2858
            for (unsigned int i = 0; i < vWorkQueue.size(); i++)
s_nakamoto's avatar
s_nakamoto committed
2859
2860
            {
                uint256 hashPrev = vWorkQueue[i];
2861
2862
                for (map<uint256, CDataStream*>::iterator mi = mapOrphanTransactionsByPrev[hashPrev].begin();
                     mi != mapOrphanTransactionsByPrev[hashPrev].end();
s_nakamoto's avatar
s_nakamoto committed
2863
2864
2865
2866
2867
2868
                     ++mi)
                {
                    const CDataStream& vMsg = *((*mi).second);
                    CTransaction tx;
                    CDataStream(vMsg) >> tx;
                    CInv inv(MSG_TX, tx.GetHash());
2869
                    bool fMissingInputs2 = false;
s_nakamoto's avatar
s_nakamoto committed
2870

2871
                    if (tx.AcceptToMemoryPool(txdb, true, &fMissingInputs2))
s_nakamoto's avatar
s_nakamoto committed
2872
                    {
2873
                        printf("   accepted orphan tx %s\n", inv.hash.ToString().substr(0,10).c_str());
Pieter Wuille's avatar
Pieter Wuille committed
2874
                        SyncWithWallets(tx, NULL, true);
s_nakamoto's avatar
s_nakamoto committed
2875
2876
2877
                        RelayMessage(inv, vMsg);
                        mapAlreadyAskedFor.erase(inv);
                        vWorkQueue.push_back(inv.hash);
2878
2879
2880
2881
2882
2883
2884
                        vEraseQueue.push_back(inv.hash);
                    }
                    else if (!fMissingInputs2)
                    {
                        // invalid orphan
                        vEraseQueue.push_back(inv.hash);
                        printf("   removed invalid orphan tx %s\n", inv.hash.ToString().substr(0,10).c_str());
s_nakamoto's avatar
s_nakamoto committed
2885
2886
2887
2888
                    }
                }
            }

2889
            BOOST_FOREACH(uint256 hash, vEraseQueue)
s_nakamoto's avatar
s_nakamoto committed
2890
2891
2892
2893
2894
                EraseOrphanTx(hash);
        }
        else if (fMissingInputs)
        {
            AddOrphanTx(vMsg);
2895
2896

            // DoS prevention: do not allow mapOrphanTransactions to grow unbounded
2897
            unsigned int nEvicted = LimitOrphanTxSize(MAX_ORPHAN_TRANSACTIONS);
2898
            if (nEvicted > 0)
2899
                printf("mapOrphan overflow, removed %u tx\n", nEvicted);
s_nakamoto's avatar
s_nakamoto committed
2900
        }
2901
        if (tx.nDoS) pfrom->Misbehaving(tx.nDoS);
s_nakamoto's avatar
s_nakamoto committed
2902
2903
2904
2905
2906
    }


    else if (strCommand == "block")
    {
2907
2908
        CBlock block;
        vRecv >> block;
s_nakamoto's avatar
s_nakamoto committed
2909

2910
2911
        printf("received block %s\n", block.GetHash().ToString().substr(0,20).c_str());
        // block.print();
s_nakamoto's avatar
s_nakamoto committed
2912

2913
        CInv inv(MSG_BLOCK, block.GetHash());
s_nakamoto's avatar
s_nakamoto committed
2914
2915
        pfrom->AddInventoryKnown(inv);

2916
        if (ProcessBlock(pfrom, &block))
s_nakamoto's avatar
s_nakamoto committed
2917
            mapAlreadyAskedFor.erase(inv);
2918
        if (block.nDoS) pfrom->Misbehaving(block.nDoS);
s_nakamoto's avatar
s_nakamoto committed
2919
2920
2921
2922
2923
2924
    }


    else if (strCommand == "getaddr")
    {
        pfrom->vAddrToSend.clear();
2925
2926
2927
        vector<CAddress> vAddr = addrman.GetAddr();
        BOOST_FOREACH(const CAddress &addr, vAddr)
            pfrom->PushAddress(addr);
s_nakamoto's avatar
s_nakamoto committed
2928
2929
2930
    }


2931
2932
2933
2934
2935
2936
2937
2938
2939
2940
2941
2942
2943
2944
2945
2946
    else if (strCommand == "mempool")
    {
        std::vector<uint256> vtxid;
        mempool.queryHashes(vtxid);
        vector<CInv> vInv;
        for (unsigned int i = 0; i < vtxid.size(); i++) {
            CInv inv(MSG_TX, vtxid[i]);
            vInv.push_back(inv);
            if (i == (MAX_INV_SZ - 1))
                    break;
        }
        if (vInv.size() > 0)
            pfrom->PushMessage("inv", vInv);
    }


s_nakamoto's avatar
s_nakamoto committed
2947
2948
2949
    else if (strCommand == "checkorder")
    {
        uint256 hashReply;
2950
        vRecv >> hashReply;
s_nakamoto's avatar
s_nakamoto committed
2951

2952
        if (!GetBoolArg("-allowreceivebyip"))
2953
2954
2955
2956
2957
        {
            pfrom->PushMessage("reply", hashReply, (int)2, string(""));
            return true;
        }

2958
2959
2960
        CWalletTx order;
        vRecv >> order;

s_nakamoto's avatar
s_nakamoto committed
2961
2962
2963
        /// we have a chance to check the order here

        // Keep giving the same key to the same ip until they use it
Pieter Wuille's avatar
Pieter Wuille committed
2964
2965
        if (!mapReuseKey.count(pfrom->addr))
            pwalletMain->GetKeyFromPool(mapReuseKey[pfrom->addr], true);
s_nakamoto's avatar
s_nakamoto committed
2966
2967
2968

        // Send back approval of order and pubkey to use
        CScript scriptPubKey;
Pieter Wuille's avatar
Pieter Wuille committed
2969
        scriptPubKey << mapReuseKey[pfrom->addr] << OP_CHECKSIG;
s_nakamoto's avatar
s_nakamoto committed
2970
2971
2972
2973
2974
2975
2976
2977
2978
2979
2980
        pfrom->PushMessage("reply", hashReply, (int)0, scriptPubKey);
    }


    else if (strCommand == "reply")
    {
        uint256 hashReply;
        vRecv >> hashReply;

        CRequestTracker tracker;
        {
2981
            LOCK(pfrom->cs_mapRequests);
s_nakamoto's avatar
s_nakamoto committed
2982
2983
2984
2985
2986
2987
2988
2989
2990
2991
2992
2993
2994
2995
            map<uint256, CRequestTracker>::iterator mi = pfrom->mapRequests.find(hashReply);
            if (mi != pfrom->mapRequests.end())
            {
                tracker = (*mi).second;
                pfrom->mapRequests.erase(mi);
            }
        }
        if (!tracker.IsNull())
            tracker.fn(tracker.param1, vRecv);
    }


    else if (strCommand == "ping")
    {
Jeff Garzik's avatar
Jeff Garzik committed
2996
2997
2998
2999
3000
3001
3002
3003
3004
3005
3006
3007
3008
3009
3010
3011
3012
        if (pfrom->nVersion > BIP0031_VERSION)
        {
            uint64 nonce = 0;
            vRecv >> nonce;
            // Echo the message back with the nonce. This allows for two useful features:
            //
            // 1) A remote node can quickly check if the connection is operational
            // 2) Remote nodes can measure the latency of the network thread. If this node
            //    is overloaded it won't respond to pings quickly and the remote node can
            //    avoid sending us more work, like chain download requests.
            //
            // The nonce stops the remote getting confused between different pings: without
            // it, if the remote node sends a ping once per second and this node takes 5
            // seconds to respond to each, the 5th ping the remote sends would appear to
            // return very quickly.
            pfrom->PushMessage("pong", nonce);
        }
s_nakamoto's avatar
s_nakamoto committed
3013
3014
3015
3016
3017
3018
3019
3020
    }


    else if (strCommand == "alert")
    {
        CAlert alert;
        vRecv >> alert;

Gavin Andresen's avatar
Gavin Andresen committed
3021
3022
        uint256 alertHash = alert.GetHash();
        if (pfrom->setKnown.count(alertHash) == 0)
s_nakamoto's avatar
s_nakamoto committed
3023
        {
Gavin Andresen's avatar
Gavin Andresen committed
3024
            if (alert.ProcessAlert())
3025
            {
Gavin Andresen's avatar
Gavin Andresen committed
3026
3027
3028
3029
3030
3031
3032
3033
3034
3035
3036
3037
3038
3039
3040
3041
                // Relay
                pfrom->setKnown.insert(alertHash);
                {
                    LOCK(cs_vNodes);
                    BOOST_FOREACH(CNode* pnode, vNodes)
                        alert.RelayTo(pnode);
                }
            }
            else {
                // Small DoS penalty so peers that send us lots of
                // duplicate/expired/invalid-signature/whatever alerts
                // eventually get banned.
                // This isn't a Misbehaving(100) (immediate ban) because the
                // peer might be an older or different implementation with
                // a different signature key, etc.
                pfrom->Misbehaving(10);
3042
            }
s_nakamoto's avatar
s_nakamoto committed
3043
3044
3045
3046
3047
3048
3049
3050
3051
3052
3053
3054
3055
3056
3057
3058
3059
3060
3061
        }
    }


    else
    {
        // Ignore unknown commands for extensibility
    }


    // Update the last seen time for this node's address
    if (pfrom->fNetworkNode)
        if (strCommand == "version" || strCommand == "addr" || strCommand == "inv" || strCommand == "getdata" || strCommand == "ping")
            AddressCurrentlyConnected(pfrom->addr);


    return true;
}

3062
3063
3064
3065
3066
3067
3068
bool ProcessMessages(CNode* pfrom)
{
    CDataStream& vRecv = pfrom->vRecv;
    if (vRecv.empty())
        return true;
    //if (fDebug)
    //    printf("ProcessMessages(%u bytes)\n", vRecv.size());
s_nakamoto's avatar
s_nakamoto committed
3069

3070
3071
3072
3073
3074
3075
3076
3077
    //
    // Message format
    //  (4) message start
    //  (12) command
    //  (4) size
    //  (4) checksum
    //  (x) data
    //
s_nakamoto's avatar
s_nakamoto committed
3078

3079
3080
    loop
    {
3081
3082
3083
3084
        // Don't bother if send buffer is too full to respond anyway
        if (pfrom->vSend.size() >= SendBufferSize())
            break;

3085
3086
3087
3088
3089
        // Scan for message start
        CDataStream::iterator pstart = search(vRecv.begin(), vRecv.end(), BEGIN(pchMessageStart), END(pchMessageStart));
        int nHeaderSize = vRecv.GetSerializeSize(CMessageHeader());
        if (vRecv.end() - pstart < nHeaderSize)
        {
3090
            if ((int)vRecv.size() > nHeaderSize)
3091
3092
3093
3094
3095
3096
3097
3098
3099
            {
                printf("\n\nPROCESSMESSAGE MESSAGESTART NOT FOUND\n\n");
                vRecv.erase(vRecv.begin(), vRecv.end() - nHeaderSize);
            }
            break;
        }
        if (pstart - vRecv.begin() > 0)
            printf("\n\nPROCESSMESSAGE SKIPPED %d BYTES\n\n", pstart - vRecv.begin());
        vRecv.erase(vRecv.begin(), pstart);
s_nakamoto's avatar
s_nakamoto committed
3100

3101
3102
3103
3104
3105
3106
3107
3108
3109
3110
3111
3112
3113
3114
3115
        // Read header
        vector<char> vHeaderSave(vRecv.begin(), vRecv.begin() + nHeaderSize);
        CMessageHeader hdr;
        vRecv >> hdr;
        if (!hdr.IsValid())
        {
            printf("\n\nPROCESSMESSAGE: ERRORS IN HEADER %s\n\n\n", hdr.GetCommand().c_str());
            continue;
        }
        string strCommand = hdr.GetCommand();

        // Message size
        unsigned int nMessageSize = hdr.nMessageSize;
        if (nMessageSize > MAX_SIZE)
        {
3116
            printf("ProcessMessages(%s, %u bytes) : nMessageSize > MAX_SIZE\n", strCommand.c_str(), nMessageSize);
3117
3118
3119
3120
3121
3122
3123
3124
3125
3126
            continue;
        }
        if (nMessageSize > vRecv.size())
        {
            // Rewind and wait for rest of message
            vRecv.insert(vRecv.begin(), vHeaderSave.begin(), vHeaderSave.end());
            break;
        }

        // Checksum
Pieter Wuille's avatar
Pieter Wuille committed
3127
3128
3129
3130
        uint256 hash = Hash(vRecv.begin(), vRecv.begin() + nMessageSize);
        unsigned int nChecksum = 0;
        memcpy(&nChecksum, &hash, sizeof(nChecksum));
        if (nChecksum != hdr.nChecksum)
3131
        {
3132
            printf("ProcessMessages(%s, %u bytes) : CHECKSUM ERROR nChecksum=%08x hdr.nChecksum=%08x\n",
Pieter Wuille's avatar
Pieter Wuille committed
3133
3134
               strCommand.c_str(), nMessageSize, nChecksum, hdr.nChecksum);
            continue;
3135
3136
3137
3138
3139
3140
3141
3142
3143
3144
        }

        // Copy message to its own buffer
        CDataStream vMsg(vRecv.begin(), vRecv.begin() + nMessageSize, vRecv.nType, vRecv.nVersion);
        vRecv.ignore(nMessageSize);

        // Process message
        bool fRet = false;
        try
        {
3145
3146
            {
                LOCK(cs_main);
3147
                fRet = ProcessMessage(pfrom, strCommand, vMsg);
3148
            }
3149
3150
3151
3152
3153
3154
3155
            if (fShutdown)
                return true;
        }
        catch (std::ios_base::failure& e)
        {
            if (strstr(e.what(), "end of data"))
            {
3156
                // Allow exceptions from under-length message on vRecv
3157
                printf("ProcessMessages(%s, %u bytes) : Exception '%s' caught, normally caused by a message being shorter than its stated length\n", strCommand.c_str(), nMessageSize, e.what());
3158
3159
3160
            }
            else if (strstr(e.what(), "size too large"))
            {
3161
                // Allow exceptions from over-long size
3162
                printf("ProcessMessages(%s, %u bytes) : Exception '%s' caught\n", strCommand.c_str(), nMessageSize, e.what());
3163
3164
3165
            }
            else
            {
3166
                PrintExceptionContinue(&e, "ProcessMessages()");
3167
3168
3169
            }
        }
        catch (std::exception& e) {
3170
            PrintExceptionContinue(&e, "ProcessMessages()");
3171
        } catch (...) {
3172
            PrintExceptionContinue(NULL, "ProcessMessages()");
3173
3174
3175
3176
3177
3178
3179
3180
3181
        }

        if (!fRet)
            printf("ProcessMessage(%s, %u bytes) FAILED\n", strCommand.c_str(), nMessageSize);
    }

    vRecv.Compact();
    return true;
}
s_nakamoto's avatar
s_nakamoto committed
3182
3183
3184
3185


bool SendMessages(CNode* pto, bool fSendTrickle)
{
Pieter Wuille's avatar
Pieter Wuille committed
3186
3187
    TRY_LOCK(cs_main, lockMain);
    if (lockMain) {
s_nakamoto's avatar
s_nakamoto committed
3188
3189
3190
3191
        // Don't send anything until we get their version message
        if (pto->nVersion == 0)
            return true;

3192
        // Keep-alive ping. We send a nonce of zero because we don't use it anywhere
Jeff Garzik's avatar
Jeff Garzik committed
3193
3194
        // right now.
        if (pto->nLastSend && GetTime() - pto->nLastSend > 30 * 60 && pto->vSend.empty()) {
Pieter Wuille's avatar
Pieter Wuille committed
3195
            uint64 nonce = 0;
Jeff Garzik's avatar
Jeff Garzik committed
3196
            if (pto->nVersion > BIP0031_VERSION)
Pieter Wuille's avatar
Pieter Wuille committed
3197
                pto->PushMessage("ping", nonce);
Jeff Garzik's avatar
Jeff Garzik committed
3198
3199
3200
            else
                pto->PushMessage("ping");
        }
s_nakamoto's avatar
s_nakamoto committed
3201

s_nakamoto's avatar
s_nakamoto committed
3202
3203
3204
        // Resend wallet transactions that haven't gotten in a block yet
        ResendWalletTransactions();

s_nakamoto's avatar
s_nakamoto committed
3205
        // Address refresh broadcast
3206
        static int64 nLastRebroadcast;
3207
        if (!IsInitialBlockDownload() && (GetTime() - nLastRebroadcast > 24 * 60 * 60))
s_nakamoto's avatar
s_nakamoto committed
3208
3209
        {
            {
3210
                LOCK(cs_vNodes);
3211
                BOOST_FOREACH(CNode* pnode, vNodes)
s_nakamoto's avatar
s_nakamoto committed
3212
3213
                {
                    // Periodically clear setAddrKnown to allow refresh broadcasts
3214
3215
                    if (nLastRebroadcast)
                        pnode->setAddrKnown.clear();
s_nakamoto's avatar
s_nakamoto committed
3216
3217

                    // Rebroadcast our address
Pieter Wuille's avatar
Pieter Wuille committed
3218
                    if (!fNoListen)
s_nakamoto's avatar
s_nakamoto committed
3219
                    {
3220
3221
3222
                        CAddress addr = GetLocalAddress(&pnode->addr);
                        if (addr.IsRoutable())
                            pnode->PushAddress(addr);
s_nakamoto's avatar
s_nakamoto committed
3223
                    }
s_nakamoto's avatar
s_nakamoto committed
3224
3225
                }
            }
3226
            nLastRebroadcast = GetTime();
s_nakamoto's avatar
s_nakamoto committed
3227
3228
3229
3230
3231
3232
3233
3234
3235
        }

        //
        // Message: addr
        //
        if (fSendTrickle)
        {
            vector<CAddress> vAddr;
            vAddr.reserve(pto->vAddrToSend.size());
3236
            BOOST_FOREACH(const CAddress& addr, pto->vAddrToSend)
s_nakamoto's avatar
s_nakamoto committed
3237
3238
3239
3240
3241
3242
3243
3244
3245
3246
3247
3248
3249
3250
3251
3252
3253
3254
3255
3256
3257
3258
3259
3260
3261
            {
                // returns true if wasn't already contained in the set
                if (pto->setAddrKnown.insert(addr).second)
                {
                    vAddr.push_back(addr);
                    // receiver rejects addr messages larger than 1000
                    if (vAddr.size() >= 1000)
                    {
                        pto->PushMessage("addr", vAddr);
                        vAddr.clear();
                    }
                }
            }
            pto->vAddrToSend.clear();
            if (!vAddr.empty())
                pto->PushMessage("addr", vAddr);
        }


        //
        // Message: inventory
        //
        vector<CInv> vInv;
        vector<CInv> vInvWait;
        {
3262
            LOCK(pto->cs_inventory);
s_nakamoto's avatar
s_nakamoto committed
3263
3264
            vInv.reserve(pto->vInventoryToSend.size());
            vInvWait.reserve(pto->vInventoryToSend.size());
3265
            BOOST_FOREACH(const CInv& inv, pto->vInventoryToSend)
s_nakamoto's avatar
s_nakamoto committed
3266
3267
3268
3269
3270
3271
3272
3273
3274
3275
            {
                if (pto->setInventoryKnown.count(inv))
                    continue;

                // trickle out tx inv to protect privacy
                if (inv.type == MSG_TX && !fSendTrickle)
                {
                    // 1/4 of tx invs blast to all immediately
                    static uint256 hashSalt;
                    if (hashSalt == 0)
3276
                        hashSalt = GetRandHash();
s_nakamoto's avatar
s_nakamoto committed
3277
3278
3279
3280
3281
3282
3283
                    uint256 hashRand = inv.hash ^ hashSalt;
                    hashRand = Hash(BEGIN(hashRand), END(hashRand));
                    bool fTrickleWait = ((hashRand & 3) != 0);

                    // always trickle our own transactions
                    if (!fTrickleWait)
                    {
Pieter Wuille's avatar
Pieter Wuille committed
3284
3285
3286
3287
                        CWalletTx wtx;
                        if (GetTransaction(inv.hash, wtx))
                            if (wtx.fFromMe)
                                fTrickleWait = true;
s_nakamoto's avatar
s_nakamoto committed
3288
3289
3290
3291
3292
3293
3294
3295
3296
3297
3298
3299
3300
3301
3302
3303
3304
3305
3306
3307
3308
3309
3310
3311
3312
3313
3314
3315
3316
3317
                    }

                    if (fTrickleWait)
                    {
                        vInvWait.push_back(inv);
                        continue;
                    }
                }

                // returns true if wasn't already contained in the set
                if (pto->setInventoryKnown.insert(inv).second)
                {
                    vInv.push_back(inv);
                    if (vInv.size() >= 1000)
                    {
                        pto->PushMessage("inv", vInv);
                        vInv.clear();
                    }
                }
            }
            pto->vInventoryToSend = vInvWait;
        }
        if (!vInv.empty())
            pto->PushMessage("inv", vInv);


        //
        // Message: getdata
        //
        vector<CInv> vGetData;
3318
        int64 nNow = GetTime() * 1000000;
s_nakamoto's avatar
s_nakamoto committed
3319
3320
3321
3322
3323
3324
        CTxDB txdb("r");
        while (!pto->mapAskFor.empty() && (*pto->mapAskFor.begin()).first <= nNow)
        {
            const CInv& inv = (*pto->mapAskFor.begin()).second;
            if (!AlreadyHave(txdb, inv))
            {
3325
3326
                if (fDebugNet)
                    printf("sending getdata: %s\n", inv.ToString().c_str());
s_nakamoto's avatar
s_nakamoto committed
3327
3328
3329
3330
3331
3332
                vGetData.push_back(inv);
                if (vGetData.size() >= 1000)
                {
                    pto->PushMessage("getdata", vGetData);
                    vGetData.clear();
                }
3333
                mapAlreadyAskedFor[inv] = nNow;
s_nakamoto's avatar
s_nakamoto committed
3334
3335
3336
3337
3338
3339
3340
3341
3342
3343
3344
3345
3346
3347
3348
3349
3350
3351
3352
3353
3354
3355
3356
3357
3358
3359
3360
3361
            }
            pto->mapAskFor.erase(pto->mapAskFor.begin());
        }
        if (!vGetData.empty())
            pto->PushMessage("getdata", vGetData);

    }
    return true;
}














//////////////////////////////////////////////////////////////////////////////
//
// BitcoinMiner
//

Pieter Wuille's avatar
Pieter Wuille committed
3362
int static FormatHashBlocks(void* pbuffer, unsigned int len)
3363
3364
3365
3366
3367
3368
3369
3370
3371
3372
3373
3374
3375
3376
3377
3378
3379
{
    unsigned char* pdata = (unsigned char*)pbuffer;
    unsigned int blocks = 1 + ((len + 8) / 64);
    unsigned char* pend = pdata + 64 * blocks;
    memset(pdata + len, 0, 64 * blocks - len);
    pdata[len] = 0x80;
    unsigned int bits = len * 8;
    pend[-1] = (bits >> 0) & 0xff;
    pend[-2] = (bits >> 8) & 0xff;
    pend[-3] = (bits >> 16) & 0xff;
    pend[-4] = (bits >> 24) & 0xff;
    return blocks;
}

static const unsigned int pSHA256InitState[8] =
{0x6a09e667, 0xbb67ae85, 0x3c6ef372, 0xa54ff53a, 0x510e527f, 0x9b05688c, 0x1f83d9ab, 0x5be0cd19};

3380
void SHA256Transform(void* pstate, void* pinput, const void* pinit)
3381
{
3382
3383
3384
3385
3386
3387
3388
3389
3390
3391
3392
3393
    SHA256_CTX ctx;
    unsigned char data[64];

    SHA256_Init(&ctx);

    for (int i = 0; i < 16; i++)
        ((uint32_t*)data)[i] = ByteReverse(((uint32_t*)pinput)[i]);

    for (int i = 0; i < 8; i++)
        ctx.h[i] = ((uint32_t*)pinit)[i];

    SHA256_Update(&ctx, data, sizeof(data));
3394
    for (int i = 0; i < 8; i++)
3395
        ((uint32_t*)pstate)[i] = ctx.h[i];
3396
3397
3398
3399
3400
3401
}

//
// ScanHash scans nonces looking for a hash with at least some zero bits.
// It operates on big endian data.  Caller does the byte reversing.
// All input buffers are 16-byte aligned.  nNonce is usually preserved
s_nakamoto's avatar
s_nakamoto committed
3402
// between calls, but periodically or if nNonce is 0xffff0000 or above,
3403
3404
// the block is rebuilt and nNonce starts over at zero.
//
Pieter Wuille's avatar
Pieter Wuille committed
3405
unsigned int static ScanHash_CryptoPP(char* pmidstate, char* pdata, char* phash1, char* phash, unsigned int& nHashesDone)
3406
{
s_nakamoto's avatar
s_nakamoto committed
3407
    unsigned int& nNonce = *(unsigned int*)(pdata + 12);
3408
3409
    for (;;)
    {
3410
        // Crypto++ SHA256
s_nakamoto's avatar
s_nakamoto committed
3411
        // Hash pdata using pmidstate as the starting state into
3412
        // pre-formatted buffer phash1, then hash phash1 into phash
3413
        nNonce++;
s_nakamoto's avatar
s_nakamoto committed
3414
        SHA256Transform(phash1, pdata, pmidstate);
3415
3416
3417
3418
3419
3420
3421
3422
3423
3424
3425
        SHA256Transform(phash, phash1, pSHA256InitState);

        // Return the nonce if the hash has at least some zero bits,
        // caller will check if it has enough to reach the target
        if (((unsigned short*)phash)[14] == 0)
            return nNonce;

        // If nothing found after trying for a while, return -1
        if ((nNonce & 0xffff) == 0)
        {
            nHashesDone = 0xffff+1;
3426
            return (unsigned int) -1;
3427
3428
3429
3430
        }
    }
}

3431
// Some explaining would be appreciated
3432
3433
3434
3435
3436
3437
class COrphan
{
public:
    CTransaction* ptx;
    set<uint256> setDependsOn;
    double dPriority;
3438
    double dFeePerKb;
3439
3440
3441
3442

    COrphan(CTransaction* ptxIn)
    {
        ptx = ptxIn;
3443
        dPriority = dFeePerKb = 0;
3444
3445
3446
3447
    }

    void print() const
    {
3448
3449
        printf("COrphan(hash=%s, dPriority=%.1f, dFeePerKb=%.1f)\n",
               ptx->GetHash().ToString().substr(0,10).c_str(), dPriority, dFeePerKb);
3450
        BOOST_FOREACH(uint256 hash, setDependsOn)
3451
3452
3453
3454
3455
            printf("   setDependsOn %s\n", hash.ToString().substr(0,10).c_str());
    }
};


3456
3457
3458
uint64 nLastBlockTx = 0;
uint64 nLastBlockSize = 0;

3459
3460
3461
3462
3463
3464
3465
3466
3467
3468
3469
3470
3471
3472
3473
3474
3475
3476
3477
3478
3479
3480
3481
3482
// We want to sort transactions by priority and fee, so:
typedef boost::tuple<double, double, CTransaction*> TxPriority;
class TxPriorityCompare
{
    bool byFee;
public:
    TxPriorityCompare(bool _byFee) : byFee(_byFee) { }
    bool operator()(const TxPriority& a, const TxPriority& b)
    {
        if (byFee)
        {
            if (a.get<1>() == b.get<1>())
                return a.get<0>() < b.get<0>();
            return a.get<1>() < b.get<1>();
        }
        else
        {
            if (a.get<0>() == b.get<0>())
                return a.get<1>() < b.get<1>();
            return a.get<0>() < b.get<0>();
        }
    }
};

3483
3484
3485
const char* pszDummy = "\0\0";
CScript scriptDummy(std::vector<unsigned char>(pszDummy, pszDummy + sizeof(pszDummy)));

s_nakamoto's avatar
s_nakamoto committed
3486
3487
3488
3489
3490
3491
3492
3493
3494
3495
3496
3497
3498
3499
3500
3501
3502
3503
3504
CBlock* CreateNewBlock(CReserveKey& reservekey)
{
    CBlockIndex* pindexPrev = pindexBest;

    // Create new block
    auto_ptr<CBlock> pblock(new CBlock());
    if (!pblock.get())
        return NULL;

    // Create coinbase tx
    CTransaction txNew;
    txNew.vin.resize(1);
    txNew.vin[0].prevout.SetNull();
    txNew.vout.resize(1);
    txNew.vout[0].scriptPubKey << reservekey.GetReservedKey() << OP_CHECKSIG;

    // Add our coinbase tx as first transaction
    pblock->vtx.push_back(txNew);

3505
3506
3507
3508
3509
3510
3511
3512
3513
3514
3515
3516
3517
3518
3519
3520
3521
3522
3523
3524
3525
3526
3527
3528
    // Largest block you're willing to create:
    unsigned int nBlockMaxSize = GetArg("-blockmaxsize", MAX_BLOCK_SIZE_GEN/2);
    // Limit to betweeen 1K and MAX_BLOCK_SIZE-1K for sanity:
    nBlockMaxSize = std::max((unsigned int)1000, std::min((unsigned int)(MAX_BLOCK_SIZE-1000), nBlockMaxSize));

    // How much of the block should be dedicated to high-priority transactions,
    // included regardless of the fees they pay
    unsigned int nBlockPrioritySize = GetArg("-blockprioritysize", 27000);
    nBlockPrioritySize = std::min(nBlockMaxSize, nBlockPrioritySize);

    // Minimum block size you want to create; block will be filled with free transactions
    // until there are no more or the block reaches this size:
    unsigned int nBlockMinSize = GetArg("-blockminsize", 0);
    nBlockMinSize = std::min(nBlockMaxSize, nBlockMinSize);

    // Fee-per-kilobyte amount considered the same as "free"
    // Be careful setting this: if you set it to zero then
    // a transaction spammer can cheaply fill blocks using
    // 1-satoshi-fee transactions. It should be set above the real
    // cost to you of processing a transaction.
    int64 nMinTxFee = MIN_TX_FEE;
    if (mapArgs.count("-mintxfee"))
        ParseMoney(mapArgs["-mintxfee"], nMinTxFee);

s_nakamoto's avatar
s_nakamoto committed
3529
    // Collect memory pool transactions into the block
3530
    int64 nFees = 0;
s_nakamoto's avatar
s_nakamoto committed
3531
    {
3532
        LOCK2(cs_main, mempool.cs);
s_nakamoto's avatar
s_nakamoto committed
3533
3534
3535
3536
3537
        CTxDB txdb("r");

        // Priority order to process transactions
        list<COrphan> vOrphan; // list memory doesn't move
        map<uint256, vector<COrphan*> > mapDependers;
3538
3539
3540
3541

        // This vector will be sorted into a priority queue:
        vector<TxPriority> vecPriority;
        vecPriority.reserve(mempool.mapTx.size());
3542
        for (map<uint256, CTransaction>::iterator mi = mempool.mapTx.begin(); mi != mempool.mapTx.end(); ++mi)
s_nakamoto's avatar
s_nakamoto committed
3543
3544
3545
3546
3547
3548
3549
        {
            CTransaction& tx = (*mi).second;
            if (tx.IsCoinBase() || !tx.IsFinal())
                continue;

            COrphan* porphan = NULL;
            double dPriority = 0;
3550
            int64 nTotalIn = 0;
3551
            bool fMissingInputs = false;
3552
            BOOST_FOREACH(const CTxIn& txin, tx.vin)
s_nakamoto's avatar
s_nakamoto committed
3553
3554
3555
3556
3557
3558
            {
                // Read prev transaction
                CTransaction txPrev;
                CTxIndex txindex;
                if (!txPrev.ReadFromDisk(txdb, txin.prevout, txindex))
                {
3559
3560
3561
3562
3563
3564
3565
3566
3567
3568
3569
3570
3571
                    // This should never happen; all transactions in the memory
                    // pool should connect to either transactions in the chain
                    // or other transactions in the memory pool.
                    if (!mempool.mapTx.count(txin.prevout.hash))
                    {
                        printf("ERROR: mempool transaction missing input\n");
                        if (fDebug) assert("mempool transaction missing input" == 0);
                        fMissingInputs = true;
                        if (porphan)
                            vOrphan.pop_back();
                        break;
                    }

s_nakamoto's avatar
s_nakamoto committed
3572
3573
3574
3575
3576
3577
3578
3579
3580
                    // Has to wait for dependencies
                    if (!porphan)
                    {
                        // Use list for automatic deletion
                        vOrphan.push_back(COrphan(&tx));
                        porphan = &vOrphan.back();
                    }
                    mapDependers[txin.prevout.hash].push_back(porphan);
                    porphan->setDependsOn.insert(txin.prevout.hash);
3581
                    nTotalIn += mempool.mapTx[txin.prevout.hash].vout[txin.prevout.n].nValue;
s_nakamoto's avatar
s_nakamoto committed
3582
3583
                    continue;
                }
3584
                int64 nValueIn = txPrev.vout[txin.prevout.n].nValue;
3585
                nTotalIn += nValueIn;
s_nakamoto's avatar
s_nakamoto committed
3586

3587
                int nConf = txindex.GetDepthInMainChain();
s_nakamoto's avatar
s_nakamoto committed
3588
3589
                dPriority += (double)nValueIn * nConf;
            }
3590
            if (fMissingInputs) continue;
s_nakamoto's avatar
s_nakamoto committed
3591
3592

            // Priority is sum(valuein * age) / txsize
3593
3594
            unsigned int nTxSize = ::GetSerializeSize(tx, SER_NETWORK, PROTOCOL_VERSION);
            dPriority /= nTxSize;
s_nakamoto's avatar
s_nakamoto committed
3595

3596
3597
3598
3599
            // This is a more accurate fee-per-kilobyte than is used by the client code, because the
            // client code rounds up the size to the nearest 1K. That's good, because it gives an
            // incentive to create smaller transactions.
            double dFeePerKb =  double(nTotalIn-tx.GetValueOut()) / (double(nTxSize)/1000.0);
s_nakamoto's avatar
s_nakamoto committed
3600

3601
            if (porphan)
s_nakamoto's avatar
s_nakamoto committed
3602
            {
3603
3604
                porphan->dPriority = dPriority;
                porphan->dFeePerKb = dFeePerKb;
s_nakamoto's avatar
s_nakamoto committed
3605
            }
3606
3607
            else
                vecPriority.push_back(TxPriority(dPriority, dFeePerKb, &(*mi).second));
s_nakamoto's avatar
s_nakamoto committed
3608
3609
3610
3611
        }

        // Collect transactions into block
        map<uint256, CTxIndex> mapTestPool;
3612
        uint64 nBlockSize = 1000;
3613
        uint64 nBlockTx = 0;
3614
        int nBlockSigOps = 100;
3615
3616
3617
3618
3619
3620
        bool fSortedByFee = (nBlockPrioritySize <= 0);

        TxPriorityCompare comparer(fSortedByFee);
        std::make_heap(vecPriority.begin(), vecPriority.end(), comparer);

        while (!vecPriority.empty())
s_nakamoto's avatar
s_nakamoto committed
3621
        {
3622
3623
3624
3625
3626
3627
3628
            // Take highest priority transaction off the priority queue:
            double dPriority = vecPriority.front().get<0>();
            double dFeePerKb = vecPriority.front().get<1>();
            CTransaction& tx = *(vecPriority.front().get<2>());

            std::pop_heap(vecPriority.begin(), vecPriority.end(), comparer);
            vecPriority.pop_back();
s_nakamoto's avatar
s_nakamoto committed
3629
3630

            // Size limits
3631
            unsigned int nTxSize = ::GetSerializeSize(tx, SER_NETWORK, PROTOCOL_VERSION);
3632
            if (nBlockSize + nTxSize >= nBlockMaxSize)
s_nakamoto's avatar
s_nakamoto committed
3633
3634
                continue;

3635
            // Legacy limits on sigOps:
3636
            unsigned int nTxSigOps = tx.GetLegacySigOpCount();
3637
            if (nBlockSigOps + nTxSigOps >= MAX_BLOCK_SIGOPS)
3638
3639
                continue;

3640
3641
3642
3643
3644
3645
3646
3647
3648
3649
3650
3651
3652
            // Skip free transactions if we're past the minimum block size:
            if (fSortedByFee && (dFeePerKb < nMinTxFee) && (nBlockSize + nTxSize >= nBlockMinSize))
                continue;

            // Prioritize by fee once past the priority size or we run out of high-priority
            // transactions:
            if (!fSortedByFee &&
                ((nBlockSize + nTxSize >= nBlockPrioritySize) || (dPriority < COIN * 144 / 250)))
            {
                fSortedByFee = true;
                comparer = TxPriorityCompare(fSortedByFee);
                std::make_heap(vecPriority.begin(), vecPriority.end(), comparer);
            }
s_nakamoto's avatar
s_nakamoto committed
3653
3654
3655
3656

            // Connecting shouldn't fail due to dependency on other memory pool transactions
            // because we're already processing them in order of dependency
            map<uint256, CTxIndex> mapTestPoolTmp(mapTestPool);
3657
            MapPrevTx mapInputs;
3658
3659
            bool fInvalid;
            if (!tx.FetchInputs(txdb, mapTestPoolTmp, false, true, mapInputs, fInvalid))
Gavin Andresen's avatar
Gavin Andresen committed
3660
                continue;
3661

3662
            int64 nTxFees = tx.GetValueIn(mapInputs)-tx.GetValueOut();
3663

3664
3665
            nTxSigOps += tx.GetP2SHSigOpCount(mapInputs);
            if (nBlockSigOps + nTxSigOps >= MAX_BLOCK_SIGOPS)
s_nakamoto's avatar
s_nakamoto committed
3666
                continue;
3667
3668
3669

            if (!tx.ConnectInputs(mapInputs, mapTestPoolTmp, CDiskTxPos(1,1,1), pindexPrev, false, true))
                continue;
3670
            mapTestPoolTmp[tx.GetHash()] = CTxIndex(CDiskTxPos(1,1,1), tx.vout.size());
s_nakamoto's avatar
s_nakamoto committed
3671
3672
3673
3674
3675
            swap(mapTestPool, mapTestPoolTmp);

            // Added
            pblock->vtx.push_back(tx);
            nBlockSize += nTxSize;
3676
            ++nBlockTx;
3677
            nBlockSigOps += nTxSigOps;
3678
            nFees += nTxFees;
s_nakamoto's avatar
s_nakamoto committed
3679

3680
3681
3682
3683
3684
3685
            if (fDebug && GetBoolArg("-printpriority"))
            {
                printf("priority %.1f feeperkb %.1f txid %s\n",
                       dPriority, dFeePerKb, tx.GetHash().ToString().c_str());
            }

s_nakamoto's avatar
s_nakamoto committed
3686
3687
3688
3689
            // Add transactions that depend on this one to the priority queue
            uint256 hash = tx.GetHash();
            if (mapDependers.count(hash))
            {
3690
                BOOST_FOREACH(COrphan* porphan, mapDependers[hash])
s_nakamoto's avatar
s_nakamoto committed
3691
3692
3693
3694
3695
                {
                    if (!porphan->setDependsOn.empty())
                    {
                        porphan->setDependsOn.erase(hash);
                        if (porphan->setDependsOn.empty())
3696
3697
3698
3699
                        {
                            vecPriority.push_back(TxPriority(porphan->dPriority, porphan->dFeePerKb, porphan->ptx));
                            std::push_heap(vecPriority.begin(), vecPriority.end(), comparer);
                        }
s_nakamoto's avatar
s_nakamoto committed
3700
3701
3702
3703
                    }
                }
            }
        }
3704
3705
3706
3707
3708

        nLastBlockTx = nBlockTx;
        nLastBlockSize = nBlockSize;
        printf("CreateNewBlock(): total size %lu\n", nBlockSize);

s_nakamoto's avatar
s_nakamoto committed
3709
3710
3711
3712
    pblock->vtx[0].vout[0].nValue = GetBlockValue(pindexPrev->nHeight+1, nFees);

    // Fill in header
    pblock->hashPrevBlock  = pindexPrev->GetBlockHash();
3713
    pblock->UpdateTime(pindexPrev);
3714
    pblock->nBits          = GetNextWorkRequired(pindexPrev, pblock.get());
s_nakamoto's avatar
s_nakamoto committed
3715
3716
    pblock->nNonce         = 0;

3717
3718
3719
3720
3721
3722
3723
3724
        pblock->vtx[0].vin[0].scriptSig = scriptDummy;
        CBlockIndex indexDummy(1, 1, *pblock);
        indexDummy.pprev = pindexPrev;
        indexDummy.nHeight = pindexPrev->nHeight + 1;
        if (!pblock->ConnectBlock(txdb, &indexDummy, true))
            throw std::runtime_error("CreateNewBlock() : ConnectBlock failed");
    }

s_nakamoto's avatar
s_nakamoto committed
3725
3726
3727
3728
    return pblock.release();
}


3729
void IncrementExtraNonce(CBlock* pblock, CBlockIndex* pindexPrev, unsigned int& nExtraNonce)
s_nakamoto's avatar
s_nakamoto committed
3730
3731
{
    // Update nExtraNonce
3732
3733
    static uint256 hashPrevBlock;
    if (hashPrevBlock != pblock->hashPrevBlock)
s_nakamoto's avatar
s_nakamoto committed
3734
    {
3735
3736
        nExtraNonce = 0;
        hashPrevBlock = pblock->hashPrevBlock;
s_nakamoto's avatar
s_nakamoto committed
3737
    }
3738
    ++nExtraNonce;
3739
3740
    unsigned int nHeight = pindexPrev->nHeight+1; // Height first in coinbase required for block.version=2
    pblock->vtx[0].vin[0].scriptSig = (CScript() << nHeight << CBigNum(nExtraNonce)) + COINBASE_FLAGS;
3741
3742
    assert(pblock->vtx[0].vin[0].scriptSig.size() <= 100);

s_nakamoto's avatar
s_nakamoto committed
3743
3744
3745
3746
3747
3748
3749
    pblock->hashMerkleRoot = pblock->BuildMerkleTree();
}


void FormatHashBuffers(CBlock* pblock, char* pmidstate, char* pdata, char* phash1)
{
    //
3750
    // Pre-build hash buffers
s_nakamoto's avatar
s_nakamoto committed
3751
3752
3753
3754
3755
3756
3757
3758
3759
3760
3761
3762
3763
3764
3765
3766
3767
3768
3769
3770
3771
3772
3773
3774
3775
3776
3777
3778
3779
3780
3781
    //
    struct
    {
        struct unnamed2
        {
            int nVersion;
            uint256 hashPrevBlock;
            uint256 hashMerkleRoot;
            unsigned int nTime;
            unsigned int nBits;
            unsigned int nNonce;
        }
        block;
        unsigned char pchPadding0[64];
        uint256 hash1;
        unsigned char pchPadding1[64];
    }
    tmp;
    memset(&tmp, 0, sizeof(tmp));

    tmp.block.nVersion       = pblock->nVersion;
    tmp.block.hashPrevBlock  = pblock->hashPrevBlock;
    tmp.block.hashMerkleRoot = pblock->hashMerkleRoot;
    tmp.block.nTime          = pblock->nTime;
    tmp.block.nBits          = pblock->nBits;
    tmp.block.nNonce         = pblock->nNonce;

    FormatHashBlocks(&tmp.block, sizeof(tmp.block));
    FormatHashBlocks(&tmp.hash1, sizeof(tmp.hash1));

    // Byte swap all the input buffer
3782
    for (unsigned int i = 0; i < sizeof(tmp)/4; i++)
s_nakamoto's avatar
s_nakamoto committed
3783
3784
3785
3786
3787
3788
3789
3790
3791
3792
        ((unsigned int*)&tmp)[i] = ByteReverse(((unsigned int*)&tmp)[i]);

    // Precalc the first half of the first hash, which stays constant
    SHA256Transform(pmidstate, &tmp.block, pSHA256InitState);

    memcpy(pdata, &tmp.block, 128);
    memcpy(phash1, &tmp.hash1, 64);
}


Pieter Wuille's avatar
Pieter Wuille committed
3793
bool CheckWork(CBlock* pblock, CWallet& wallet, CReserveKey& reservekey)
s_nakamoto's avatar
s_nakamoto committed
3794
3795
3796
3797
3798
3799
3800
3801
3802
3803
3804
3805
3806
3807
3808
{
    uint256 hash = pblock->GetHash();
    uint256 hashTarget = CBigNum().SetCompact(pblock->nBits).getuint256();

    if (hash > hashTarget)
        return false;

    //// debug print
    printf("BitcoinMiner:\n");
    printf("proof-of-work found  \n  hash: %s  \ntarget: %s\n", hash.GetHex().c_str(), hashTarget.GetHex().c_str());
    pblock->print();
    printf("generated %s\n", FormatMoney(pblock->vtx[0].vout[0].nValue).c_str());

    // Found a solution
    {
3809
        LOCK(cs_main);
s_nakamoto's avatar
s_nakamoto committed
3810
3811
3812
3813
3814
3815
3816
        if (pblock->hashPrevBlock != hashBestChain)
            return error("BitcoinMiner : generated block is stale");

        // Remove key from key pool
        reservekey.KeepKey();

        // Track how many getdata requests this block gets
3817
3818
        {
            LOCK(wallet.cs_wallet);
Pieter Wuille's avatar
Pieter Wuille committed
3819
            wallet.mapRequestCount[pblock->GetHash()] = 0;
3820
        }
s_nakamoto's avatar
s_nakamoto committed
3821
3822
3823
3824
3825
3826
3827
3828
3829

        // Process this block the same as if we had received it from another node
        if (!ProcessBlock(NULL, pblock))
            return error("BitcoinMiner : ProcessBlock, block not accepted");
    }

    return true;
}

Pieter Wuille's avatar
Pieter Wuille committed
3830
3831
void static ThreadBitcoinMiner(void* parg);

3832
3833
3834
3835
static bool fGenerateBitcoins = false;
static bool fLimitProcessors = false;
static int nLimitProcessors = -1;

Pieter Wuille's avatar
Pieter Wuille committed
3836
void static BitcoinMiner(CWallet *pwallet)
s_nakamoto's avatar
s_nakamoto committed
3837
3838
3839
3840
{
    printf("BitcoinMiner started\n");
    SetThreadPriority(THREAD_PRIORITY_LOWEST);

3841
    // Make this thread recognisable as the mining thread
3842
    RenameThread("bitcoin-miner");
3843

s_nakamoto's avatar
s_nakamoto committed
3844
    // Each thread has its own key and counter
Pieter Wuille's avatar
Pieter Wuille committed
3845
    CReserveKey reservekey(pwallet);
3846
    unsigned int nExtraNonce = 0;
s_nakamoto's avatar
s_nakamoto committed
3847

s_nakamoto's avatar
s_nakamoto committed
3848
3849
3850
3851
3852
3853
3854
3855
3856
3857
3858
3859
3860
3861
3862
3863
3864
    while (fGenerateBitcoins)
    {
        if (fShutdown)
            return;
        while (vNodes.empty() || IsInitialBlockDownload())
        {
            Sleep(1000);
            if (fShutdown)
                return;
            if (!fGenerateBitcoins)
                return;
        }


        //
        // Create new block
        //
s_nakamoto's avatar
s_nakamoto committed
3865
3866
3867
3868
        unsigned int nTransactionsUpdatedLast = nTransactionsUpdated;
        CBlockIndex* pindexPrev = pindexBest;

        auto_ptr<CBlock> pblock(CreateNewBlock(reservekey));
s_nakamoto's avatar
s_nakamoto committed
3869
3870
        if (!pblock.get())
            return;
3871
        IncrementExtraNonce(pblock.get(), pindexPrev, nExtraNonce);
s_nakamoto's avatar
s_nakamoto committed
3872

3873
3874
        printf("Running BitcoinMiner with %d transactions in block (%u bytes)\n", pblock->vtx.size(),
               ::GetSerializeSize(*pblock, SER_NETWORK, PROTOCOL_VERSION));
s_nakamoto's avatar
s_nakamoto committed
3875
3876
3877


        //
3878
        // Pre-build hash buffers
s_nakamoto's avatar
s_nakamoto committed
3879
        //
s_nakamoto's avatar
s_nakamoto committed
3880
3881
3882
3883
3884
3885
3886
        char pmidstatebuf[32+16]; char* pmidstate = alignup<16>(pmidstatebuf);
        char pdatabuf[128+16];    char* pdata     = alignup<16>(pdatabuf);
        char phash1buf[64+16];    char* phash1    = alignup<16>(phash1buf);

        FormatHashBuffers(pblock.get(), pmidstate, pdata, phash1);

        unsigned int& nBlockTime = *(unsigned int*)(pdata + 64 + 4);
3887
        unsigned int& nBlockBits = *(unsigned int*)(pdata + 64 + 8);
s_nakamoto's avatar
s_nakamoto committed
3888
        unsigned int& nBlockNonce = *(unsigned int*)(pdata + 64 + 12);
s_nakamoto's avatar
s_nakamoto committed
3889
3890
3891
3892
3893


        //
        // Search
        //
3894
        int64 nStart = GetTime();
s_nakamoto's avatar
s_nakamoto committed
3895
3896
3897
3898
3899
        uint256 hashTarget = CBigNum().SetCompact(pblock->nBits).getuint256();
        uint256 hashbuf[2];
        uint256& hash = *alignup<16>(hashbuf);
        loop
        {
3900
3901
3902
            unsigned int nHashesDone = 0;
            unsigned int nNonceFound;

3903
            // Crypto++ SHA256
3904
3905
            nNonceFound = ScanHash_CryptoPP(pmidstate, pdata + 64, phash1,
                                            (char*)&hash, nHashesDone);
s_nakamoto's avatar
s_nakamoto committed
3906

3907
            // Check if something found
3908
            if (nNonceFound != (unsigned int) -1)
s_nakamoto's avatar
s_nakamoto committed
3909
            {
3910
                for (unsigned int i = 0; i < sizeof(hash)/4; i++)
s_nakamoto's avatar
s_nakamoto committed
3911
3912
3913
3914
                    ((unsigned int*)&hash)[i] = ByteReverse(((unsigned int*)&hash)[i]);

                if (hash <= hashTarget)
                {
3915
3916
                    // Found a solution
                    pblock->nNonce = ByteReverse(nNonceFound);
s_nakamoto's avatar
s_nakamoto committed
3917
3918
3919
                    assert(hash == pblock->GetHash());

                    SetThreadPriority(THREAD_PRIORITY_NORMAL);
Pieter Wuille's avatar
Pieter Wuille committed
3920
                    CheckWork(pblock.get(), *pwalletMain, reservekey);
s_nakamoto's avatar
s_nakamoto committed
3921
3922
3923
3924
3925
                    SetThreadPriority(THREAD_PRIORITY_LOWEST);
                    break;
                }
            }

3926
            // Meter hashes/sec
3927
            static int64 nHashCounter;
3928
            if (nHPSTimerStart == 0)
s_nakamoto's avatar
s_nakamoto committed
3929
            {
3930
3931
3932
3933
3934
3935
3936
3937
                nHPSTimerStart = GetTimeMillis();
                nHashCounter = 0;
            }
            else
                nHashCounter += nHashesDone;
            if (GetTimeMillis() - nHPSTimerStart > 4000)
            {
                static CCriticalSection cs;
s_nakamoto's avatar
s_nakamoto committed
3938
                {
3939
                    LOCK(cs);
3940
                    if (GetTimeMillis() - nHPSTimerStart > 4000)
s_nakamoto's avatar
s_nakamoto committed
3941
                    {
3942
3943
3944
                        dHashesPerSec = 1000.0 * nHashCounter / (GetTimeMillis() - nHPSTimerStart);
                        nHPSTimerStart = GetTimeMillis();
                        nHashCounter = 0;
3945
                        static int64 nLogTime;
3946
                        if (GetTime() - nLogTime > 30 * 60)
s_nakamoto's avatar
s_nakamoto committed
3947
                        {
3948
                            nLogTime = GetTime();
Pieter Wuille's avatar
Pieter Wuille committed
3949
                            printf("hashmeter %3d CPUs %6.0f khash/s\n", vnThreadsRunning[THREAD_MINER], dHashesPerSec/1000.0);
s_nakamoto's avatar
s_nakamoto committed
3950
3951
3952
                        }
                    }
                }
3953
            }
s_nakamoto's avatar
s_nakamoto committed
3954

3955
3956
3957
3958
3959
            // Check for stop or if block needs to be rebuilt
            if (fShutdown)
                return;
            if (!fGenerateBitcoins)
                return;
Pieter Wuille's avatar
Pieter Wuille committed
3960
            if (fLimitProcessors && vnThreadsRunning[THREAD_MINER] > nLimitProcessors)
3961
3962
3963
                return;
            if (vNodes.empty())
                break;
s_nakamoto's avatar
s_nakamoto committed
3964
            if (nBlockNonce >= 0xffff0000)
3965
3966
3967
3968
3969
                break;
            if (nTransactionsUpdated != nTransactionsUpdatedLast && GetTime() - nStart > 60)
                break;
            if (pindexPrev != pindexBest)
                break;
s_nakamoto's avatar
s_nakamoto committed
3970

3971
            // Update nTime every few seconds
3972
            pblock->UpdateTime(pindexPrev);
s_nakamoto's avatar
s_nakamoto committed
3973
            nBlockTime = ByteReverse(pblock->nTime);
3974
3975
3976
3977
3978
3979
            if (fTestNet)
            {
                // Changing pblock->nTime can change work required on testnet:
                nBlockBits = ByteReverse(pblock->nBits);
                hashTarget = CBigNum().SetCompact(pblock->nBits).getuint256();
            }
s_nakamoto's avatar
s_nakamoto committed
3980
3981
3982
3983
        }
    }
}

Pieter Wuille's avatar
Pieter Wuille committed
3984
void static ThreadBitcoinMiner(void* parg)
s_nakamoto's avatar
s_nakamoto committed
3985
{
Pieter Wuille's avatar
Pieter Wuille committed
3986
    CWallet* pwallet = (CWallet*)parg;
3987
    try
s_nakamoto's avatar
s_nakamoto committed
3988
    {
Pieter Wuille's avatar
Pieter Wuille committed
3989
        vnThreadsRunning[THREAD_MINER]++;
Pieter Wuille's avatar
Pieter Wuille committed
3990
        BitcoinMiner(pwallet);
Pieter Wuille's avatar
Pieter Wuille committed
3991
        vnThreadsRunning[THREAD_MINER]--;
3992
    }
3993
    catch (std::exception& e) {
Pieter Wuille's avatar
Pieter Wuille committed
3994
        vnThreadsRunning[THREAD_MINER]--;
3995
3996
        PrintException(&e, "ThreadBitcoinMiner()");
    } catch (...) {
Pieter Wuille's avatar
Pieter Wuille committed
3997
        vnThreadsRunning[THREAD_MINER]--;
3998
        PrintException(NULL, "ThreadBitcoinMiner()");
s_nakamoto's avatar
s_nakamoto committed
3999
    }
4000
    nHPSTimerStart = 0;
Pieter Wuille's avatar
Pieter Wuille committed
4001
    if (vnThreadsRunning[THREAD_MINER] == 0)
4002
        dHashesPerSec = 0;
Pieter Wuille's avatar
Pieter Wuille committed
4003
    printf("ThreadBitcoinMiner exiting, %d threads remaining\n", vnThreadsRunning[THREAD_MINER]);
4004
4005
}

s_nakamoto's avatar
s_nakamoto committed
4006

Pieter Wuille's avatar
Pieter Wuille committed
4007
void GenerateBitcoins(bool fGenerate, CWallet* pwallet)
s_nakamoto's avatar
s_nakamoto committed
4008
{
4009
4010
4011
4012
4013
4014
4015
    fGenerateBitcoins = fGenerate;
    nLimitProcessors = GetArg("-genproclimit", -1);
    if (nLimitProcessors == 0)
        fGenerateBitcoins = false;
    fLimitProcessors = (nLimitProcessors != -1);

    if (fGenerate)
s_nakamoto's avatar
s_nakamoto committed
4016
    {
4017
4018
4019
4020
4021
4022
        int nProcessors = boost::thread::hardware_concurrency();
        printf("%d processors\n", nProcessors);
        if (nProcessors < 1)
            nProcessors = 1;
        if (fLimitProcessors && nProcessors > nLimitProcessors)
            nProcessors = nLimitProcessors;
Pieter Wuille's avatar
Pieter Wuille committed
4023
        int nAddThreads = nProcessors - vnThreadsRunning[THREAD_MINER];
4024
4025
        printf("Starting %d BitcoinMiner threads\n", nAddThreads);
        for (int i = 0; i < nAddThreads; i++)
s_nakamoto's avatar
s_nakamoto committed
4026
        {
4027
4028
            if (!NewThread(ThreadBitcoinMiner, pwallet))
                printf("Error: NewThread(ThreadBitcoinMiner) failed\n");
4029
            Sleep(10);
s_nakamoto's avatar
s_nakamoto committed
4030
        }
4031
    }
s_nakamoto's avatar
s_nakamoto committed
4032
}