quorum/block_manager.go

90 lines
2.0 KiB
Go
Raw Normal View History

2013-12-26 03:45:52 -08:00
package main
import (
2014-01-03 04:40:25 -08:00
"fmt"
2013-12-26 03:45:52 -08:00
)
2014-01-08 14:43:07 -08:00
type BlockChain struct {
lastBlock *Block
genesisBlock *Block
}
func NewBlockChain() *BlockChain {
bc := &BlockChain{}
bc.genesisBlock = NewBlock( Encode(Genesis) )
return bc
}
2013-12-26 03:45:52 -08:00
type BlockManager struct {
vm *Vm
2014-01-08 14:43:07 -08:00
blockChain *BlockChain
2013-12-26 03:45:52 -08:00
}
func NewBlockManager() *BlockManager {
bm := &BlockManager{vm: NewVm()}
return bm
}
// Process a block.
func (bm *BlockManager) ProcessBlock(block *Block) error {
2014-01-08 14:43:07 -08:00
// TODO Validation (Or move to other part of the application)
if err := bm.ValidateBlock(block); err != nil {
return err
}
2013-12-28 16:36:59 -08:00
// Get the tx count. Used to create enough channels to 'join' the go routines
2013-12-26 03:45:52 -08:00
txCount := len(block.transactions)
2013-12-28 16:36:59 -08:00
// Locking channel. When it has been fully buffered this method will return
2013-12-26 03:45:52 -08:00
lockChan := make(chan bool, txCount)
2013-12-28 16:36:59 -08:00
// Process each transaction/contract
2013-12-26 03:45:52 -08:00
for _, tx := range block.transactions {
2014-01-03 04:40:25 -08:00
// If there's no recipient, it's a contract
2014-01-04 16:54:15 -08:00
if tx.IsContract() {
2014-01-03 04:40:25 -08:00
go bm.ProcessContract(tx, block, lockChan)
} else {
// "finish" tx which isn't a contract
lockChan <- true
}
2013-12-26 03:45:52 -08:00
}
// Wait for all Tx to finish processing
for i := 0; i < txCount; i++ {
<- lockChan
}
return nil
}
2014-01-08 14:43:07 -08:00
func (bm *BlockManager) ValidateBlock(block *Block) error {
return nil
}
2014-01-03 04:40:25 -08:00
func (bm *BlockManager) ProcessContract(tx *Transaction, block *Block, lockChan chan bool) {
// Recovering function in case the VM had any errors
defer func() {
if r := recover(); r != nil {
fmt.Println("Recovered from VM execution with err =", r)
// Let the channel know where done even though it failed (so the execution may resume normally)
lockChan <- true
}
}()
// Process contract
bm.vm.ProcContract(tx, block, func(opType OpType) bool {
2014-01-03 15:31:42 -08:00
// TODO turn on once big ints are in place
//if !block.PayFee(tx.Hash(), StepFee.Uint64()) {
// return false
//}
2013-12-26 03:45:52 -08:00
2014-01-02 15:43:49 -08:00
return true // Continue
})
2013-12-26 03:45:52 -08:00
// Broadcast we're done
lockChan <- true
}