quorum/chain/block_manager.go

397 lines
10 KiB
Go
Raw Normal View History

2014-10-31 02:59:17 -07:00
package chain
2014-02-14 14:56:09 -08:00
import (
"bytes"
2014-06-02 06:20:27 -07:00
"container/list"
2014-11-04 02:04:02 -08:00
"errors"
2014-06-30 04:09:04 -07:00
"fmt"
2014-08-08 06:36:59 -07:00
"math/big"
"sync"
"time"
2014-10-31 04:37:43 -07:00
"github.com/ethereum/go-ethereum/crypto"
"github.com/ethereum/go-ethereum/ethutil"
"github.com/ethereum/go-ethereum/event"
2014-10-31 04:56:05 -07:00
"github.com/ethereum/go-ethereum/logger"
2014-10-31 06:43:14 -07:00
"github.com/ethereum/go-ethereum/state"
2014-10-31 06:53:42 -07:00
"github.com/ethereum/go-ethereum/wire"
2014-02-14 14:56:09 -08:00
)
2014-10-31 04:56:05 -07:00
var statelogger = logger.NewLogger("BLOCK")
2014-06-02 06:20:27 -07:00
type Peer interface {
Inbound() bool
LastSend() time.Time
LastPong() int64
Host() []byte
Port() uint16
Version() string
2014-06-03 01:42:55 -07:00
PingTime() string
2014-06-02 06:20:27 -07:00
Connected() *int32
2014-09-26 04:45:26 -07:00
Caps() *ethutil.Value
2014-06-02 06:20:27 -07:00
}
type EthManager interface {
2014-11-04 01:57:02 -08:00
BlockManager() *BlockManager
2014-10-20 02:53:11 -07:00
ChainManager() *ChainManager
TxPool() *TxPool
2014-10-31 06:53:42 -07:00
Broadcast(msgType wire.MsgType, data []interface{})
PeerCount() int
IsMining() bool
IsListening() bool
2014-06-02 06:20:27 -07:00
Peers() *list.List
2014-10-31 04:37:43 -07:00
KeyManager() *crypto.KeyManager
2014-10-31 06:53:42 -07:00
ClientIdentity() wire.ClientIdentity
2014-08-11 07:23:38 -07:00
Db() ethutil.Database
EventMux() *event.TypeMux
}
2014-11-04 01:57:02 -08:00
type BlockManager struct {
2014-02-14 14:56:09 -08:00
// Mutex for locking the block processor. Blocks can only be handled one at a time
mutex sync.Mutex
// Canonical block chain
2014-10-20 02:53:11 -07:00
bc *ChainManager
2014-02-14 14:56:09 -08:00
// non-persistent key/value memory storage
mem map[string]*big.Int
// Proof of work used for validating
2014-02-14 14:56:09 -08:00
Pow PoW
// The ethereum manager interface
eth EthManager
// The managed states
// Transiently state. The trans state isn't ever saved, validated and
// it could be used for setting account nonces without effecting
// the main states.
2014-10-31 06:43:14 -07:00
transState *state.State
// Mining state. The mining state is used purely and solely by the mining
// operation.
2014-10-31 06:43:14 -07:00
miningState *state.State
// The last attempted block is mainly used for debugging purposes
// This does not have to be a valid block and will be set during
// 'Process' & canonical validation.
lastAttemptedBlock *Block
events event.Subscription
2014-02-14 14:56:09 -08:00
}
2014-11-04 01:57:02 -08:00
func NewBlockManager(ethereum EthManager) *BlockManager {
sm := &BlockManager{
mem: make(map[string]*big.Int),
Pow: &EasyPow{},
eth: ethereum,
2014-10-20 02:53:11 -07:00
bc: ethereum.ChainManager(),
2014-02-14 14:56:09 -08:00
}
2014-10-20 02:53:11 -07:00
sm.transState = ethereum.ChainManager().CurrentBlock.State().Copy()
sm.miningState = ethereum.ChainManager().CurrentBlock.State().Copy()
2014-03-05 01:57:32 -08:00
return sm
2014-02-14 14:56:09 -08:00
}
2014-11-04 01:57:02 -08:00
func (self *BlockManager) Start() {
statelogger.Debugln("Starting block manager")
}
2014-11-04 01:57:02 -08:00
func (self *BlockManager) Stop() {
statelogger.Debugln("Stopping state manager")
}
2014-11-04 01:57:02 -08:00
func (sm *BlockManager) CurrentState() *state.State {
2014-10-20 02:53:11 -07:00
return sm.eth.ChainManager().CurrentBlock.State()
}
2014-11-04 01:57:02 -08:00
func (sm *BlockManager) TransState() *state.State {
return sm.transState
}
2014-11-04 01:57:02 -08:00
func (sm *BlockManager) MiningState() *state.State {
return sm.miningState
}
2014-11-04 01:57:02 -08:00
func (sm *BlockManager) NewMiningState() *state.State {
2014-10-20 02:53:11 -07:00
sm.miningState = sm.eth.ChainManager().CurrentBlock.State().Copy()
return sm.miningState
}
2014-11-04 01:57:02 -08:00
func (sm *BlockManager) ChainManager() *ChainManager {
2014-03-05 01:57:32 -08:00
return sm.bc
2014-02-14 14:56:09 -08:00
}
2014-11-04 01:57:02 -08:00
func (self *BlockManager) ProcessTransactions(coinbase *state.StateObject, state *state.State, block, parent *Block, txs Transactions) (Receipts, Transactions, Transactions, Transactions, error) {
2014-06-13 03:45:11 -07:00
var (
receipts Receipts
handled, unhandled Transactions
erroneous Transactions
2014-06-13 03:45:11 -07:00
totalUsedGas = big.NewInt(0)
err error
)
done:
for i, tx := range txs {
// If we are mining this block and validating we want to set the logs back to 0
state.EmptyLogs()
2014-06-13 03:45:11 -07:00
txGas := new(big.Int).Set(tx.Gas)
2014-07-17 05:53:27 -07:00
cb := state.GetStateObject(coinbase.Address())
st := NewStateTransition(cb, tx, state, block)
err = st.TransitionState()
if err != nil {
statelogger.Infoln(err)
2014-06-13 03:45:11 -07:00
switch {
case IsNonceErr(err):
err = nil // ignore error
continue
2014-06-13 03:45:11 -07:00
case IsGasLimitErr(err):
unhandled = txs[i:]
2014-05-28 06:07:11 -07:00
2014-06-13 03:45:11 -07:00
break done
default:
statelogger.Infoln(err)
erroneous = append(erroneous, tx)
err = nil
continue
2014-06-13 03:45:11 -07:00
}
}
// Update the state with pending changes
state.Update()
2014-06-13 03:45:11 -07:00
txGas.Sub(txGas, st.gas)
cumulative := new(big.Int).Set(totalUsedGas.Add(totalUsedGas, txGas))
receipt := &Receipt{ethutil.CopyBytes(state.Root().([]byte)), cumulative, LogsBloom(state.Logs()).Bytes(), state.Logs()}
2014-09-28 05:52:58 -07:00
// Notify all subscribers
2014-10-31 02:50:16 -07:00
go self.eth.EventMux().Post(TxPostEvent{tx})
2014-09-28 05:52:58 -07:00
receipts = append(receipts, receipt)
2014-06-13 03:45:11 -07:00
handled = append(handled, tx)
2014-07-11 07:04:09 -07:00
if ethutil.Config.Diff && ethutil.Config.DiffType == "all" {
2014-07-11 07:04:09 -07:00
state.CreateOutputForDiff()
}
}
block.GasUsed = totalUsedGas
2014-06-11 02:40:40 -07:00
return receipts, handled, unhandled, erroneous, err
}
func (sm *BlockManager) Process(block *Block) (td *big.Int, err error) {
2014-02-14 14:56:09 -08:00
// Processing a blocks may never happen simultaneously
2014-03-05 01:57:32 -08:00
sm.mutex.Lock()
defer sm.mutex.Unlock()
2014-02-14 14:56:09 -08:00
2014-06-23 02:23:18 -07:00
if sm.bc.HasBlock(block.Hash()) {
return nil, nil
2014-02-14 14:56:09 -08:00
}
2014-06-23 02:23:18 -07:00
if !sm.bc.HasBlock(block.PrevHash) {
return nil, ParentError(block.PrevHash)
2014-06-23 02:23:18 -07:00
}
parent := sm.bc.GetBlock(block.PrevHash)
return sm.ProcessWithParent(block, parent)
}
2014-06-23 02:23:18 -07:00
func (sm *BlockManager) ProcessWithParent(block, parent *Block) (td *big.Int, err error) {
sm.lastAttemptedBlock = block
state := parent.State().Copy()
2014-06-23 02:23:18 -07:00
2014-04-29 03:36:27 -07:00
// Defer the Undo on the Trie. If the block processing happened
// we don't want to undo but since undo only happens on dirty
// nodes this won't happen because Commit would have been called
// before that.
defer state.Reset()
2014-04-29 03:36:27 -07:00
if ethutil.Config.Diff && ethutil.Config.DiffType == "all" {
fmt.Printf("## %x %x ##\n", block.Hash(), block.Number)
2014-07-11 07:04:09 -07:00
}
receipts, err := sm.ApplyDiff(state, parent, block)
if err != nil {
return nil, err
}
block.SetReceipts(receipts)
txSha := DeriveSha(block.transactions)
if bytes.Compare(txSha, block.TxSha) != 0 {
return nil, fmt.Errorf("Error validating transaction sha. Received %x, got %x", block.TxSha, txSha)
}
receiptSha := DeriveSha(receipts)
if bytes.Compare(receiptSha, block.ReceiptSha) != 0 {
return nil, fmt.Errorf("Error validating receipt sha. Received %x, got %x", block.ReceiptSha, receiptSha)
2014-07-21 03:21:34 -07:00
}
2014-02-14 14:56:09 -08:00
// Block validation
if err = sm.ValidateBlock(block, parent); err != nil {
statelogger.Errorln("Error validating block:", err)
return nil, err
2014-02-14 14:56:09 -08:00
}
2014-09-14 16:11:01 -07:00
if err = sm.AccumelateRewards(state, block, parent); err != nil {
statelogger.Errorln("Error accumulating reward", err)
return nil, err
2014-02-14 14:56:09 -08:00
}
2014-11-04 02:04:02 -08:00
if bytes.Compare(CreateBloom(block), block.LogsBloom) != 0 {
return nil, errors.New("Unable to replicate block's bloom")
2014-11-04 02:04:02 -08:00
}
2014-09-15 06:42:12 -07:00
state.Update()
if !block.State().Cmp(state) {
2014-07-24 03:04:15 -07:00
err = fmt.Errorf("Invalid merkle root.\nrec: %x\nis: %x", block.State().Trie.Root, state.Trie.Root)
return
2014-02-14 14:56:09 -08:00
}
// Calculate the new total difficulty and sync back to the db
if td, ok := sm.CalculateTD(block); ok {
2014-02-17 16:33:26 -08:00
// Sync the current block's state to the database and cancelling out the deferred Undo
state.Sync()
2014-02-14 14:56:09 -08:00
// TODO at this point we should also insert LOGS in to a database
sm.transState = state.Copy()
2014-10-29 06:20:42 -07:00
state.Manifest().Reset()
2014-05-13 08:51:33 -07:00
sm.eth.TxPool().RemoveSet(block.Transactions())
return td, nil
2014-02-14 14:56:09 -08:00
} else {
return nil, errors.New("total diff failed")
2014-02-14 14:56:09 -08:00
}
}
2014-06-23 02:23:18 -07:00
2014-11-04 01:57:02 -08:00
func (sm *BlockManager) ApplyDiff(state *state.State, parent, block *Block) (receipts Receipts, err error) {
2014-06-23 02:23:18 -07:00
coinbase := state.GetOrNewStateObject(block.Coinbase)
coinbase.SetGasPool(block.CalcGasLimit(parent))
// Process the transactions on to current block
receipts, _, _, _, err = sm.ProcessTransactions(coinbase, state, block, parent, block.Transactions())
2014-06-30 11:03:31 -07:00
if err != nil {
return nil, err
}
2014-06-23 02:23:18 -07:00
return receipts, nil
}
func (sm *BlockManager) CalculateTD(block *Block) (*big.Int, bool) {
2014-02-14 14:56:09 -08:00
uncleDiff := new(big.Int)
for _, uncle := range block.Uncles {
uncleDiff = uncleDiff.Add(uncleDiff, uncle.Difficulty)
}
// TD(genesis_block) = 0 and TD(B) = TD(B.parent) + sum(u.difficulty for u in B.uncles) + B.difficulty
td := new(big.Int)
2014-03-05 01:57:32 -08:00
td = td.Add(sm.bc.TD, uncleDiff)
2014-02-14 14:56:09 -08:00
td = td.Add(td, block.Difficulty)
// The new TD will only be accepted if the new difficulty is
// is greater than the previous.
2014-03-05 01:57:32 -08:00
if td.Cmp(sm.bc.TD) > 0 {
return td, true
2014-02-14 14:56:09 -08:00
// Set the new total difficulty back to the block chain
//sm.bc.SetTotalDifficulty(td)
2014-02-14 14:56:09 -08:00
}
return nil, false
2014-02-14 14:56:09 -08:00
}
// Validates the current block. Returns an error if the block was invalid,
// an uncle or anything that isn't on the current block chain.
// Validation validates easy over difficult (dagger takes longer time = difficult)
func (sm *BlockManager) ValidateBlock(block, parent *Block) error {
expd := CalcDifficulty(block, parent)
if expd.Cmp(block.Difficulty) < 0 {
return fmt.Errorf("Difficulty check failed for block %v, %v", block.Difficulty, expd)
}
diff := block.Time - parent.Time
2014-02-14 14:56:09 -08:00
if diff < 0 {
return ValidationError("Block timestamp less then prev block %v (%v - %v)", diff, block.Time, sm.bc.CurrentBlock.Time)
2014-02-14 14:56:09 -08:00
}
2014-06-19 15:42:26 -07:00
/* XXX
2014-02-14 14:56:09 -08:00
// New blocks must be within the 15 minute range of the last block.
if diff > int64(15*time.Minute) {
return ValidationError("Block is too far in the future of last block (> 15 minutes)")
}
2014-06-19 15:42:26 -07:00
*/
2014-02-14 14:56:09 -08:00
// Verify the nonce of the block. Return an error if it's not valid
2014-03-05 01:57:32 -08:00
if !sm.Pow.Verify(block.HashNoNonce(), block.Difficulty, block.Nonce) {
return ValidationError("Block's nonce is invalid (= %v)", ethutil.Bytes2Hex(block.Nonce))
2014-02-14 14:56:09 -08:00
}
return nil
}
2014-11-04 01:57:02 -08:00
func (sm *BlockManager) AccumelateRewards(state *state.State, block, parent *Block) error {
2014-09-15 06:42:12 -07:00
reward := new(big.Int).Set(BlockReward)
2014-09-14 16:11:01 -07:00
knownUncles := ethutil.Set(parent.Uncles)
nonces := ethutil.NewSet(block.Nonce)
for _, uncle := range block.Uncles {
if nonces.Include(uncle.Nonce) {
// Error not unique
return UncleError("Uncle not unique")
}
2014-02-17 16:33:26 -08:00
2014-09-14 16:11:01 -07:00
uncleParent := sm.bc.GetBlock(uncle.PrevHash)
if uncleParent == nil {
return UncleError(fmt.Sprintf("Uncle's parent unknown (%x)", uncle.PrevHash[0:4]))
2014-09-14 16:11:01 -07:00
}
2014-02-17 16:33:26 -08:00
2014-09-14 16:11:01 -07:00
if uncleParent.Number.Cmp(new(big.Int).Sub(parent.Number, big.NewInt(6))) < 0 {
return UncleError("Uncle too old")
}
2014-02-14 14:56:09 -08:00
2014-09-14 16:11:01 -07:00
if knownUncles.Include(uncle.Hash()) {
return UncleError("Uncle in chain")
}
2014-09-15 06:42:12 -07:00
nonces.Insert(uncle.Nonce)
2014-09-14 16:11:01 -07:00
r := new(big.Int)
r.Mul(BlockReward, big.NewInt(15)).Div(r, big.NewInt(16))
2014-02-14 14:56:09 -08:00
uncleAccount := state.GetAccount(uncle.Coinbase)
2014-09-14 16:11:01 -07:00
uncleAccount.AddAmount(r)
2014-02-17 16:33:26 -08:00
2014-09-14 16:11:01 -07:00
reward.Add(reward, new(big.Int).Div(BlockReward, big.NewInt(32)))
2014-02-17 16:33:26 -08:00
}
2014-02-14 14:56:09 -08:00
2014-09-14 16:11:01 -07:00
// Get the account associated with the coinbase
account := state.GetAccount(block.Coinbase)
// Reward amount of ether to the coinbase address
account.AddAmount(reward)
2014-02-14 14:56:09 -08:00
return nil
}
2014-11-04 01:57:02 -08:00
func (sm *BlockManager) GetMessages(block *Block) (messages []*state.Message, err error) {
2014-08-11 07:23:38 -07:00
if !sm.bc.HasBlock(block.PrevHash) {
return nil, ParentError(block.PrevHash)
}
sm.lastAttemptedBlock = block
var (
parent = sm.bc.GetBlock(block.PrevHash)
state = parent.State().Copy()
)
defer state.Reset()
sm.ApplyDiff(state, parent, block)
2014-08-11 07:23:38 -07:00
2014-09-14 16:11:01 -07:00
sm.AccumelateRewards(state, block, parent)
2014-08-11 07:23:38 -07:00
return state.Manifest().Messages, nil
}