aboutsummaryrefslogtreecommitdiffstats
path: root/core/vm
diff options
context:
space:
mode:
Diffstat (limited to 'core/vm')
-rw-r--r--core/vm/address.go91
-rw-r--r--core/vm/analysis.go36
-rw-r--r--core/vm/asm.go45
-rw-r--r--core/vm/common.go93
-rw-r--r--core/vm/context.go94
-rw-r--r--core/vm/environment.go91
-rw-r--r--core/vm/errors.go51
-rw-r--r--core/vm/gas.go159
-rw-r--r--core/vm/main_test.go9
-rw-r--r--core/vm/memory.go72
-rw-r--r--core/vm/stack.go69
-rw-r--r--core/vm/types.go334
-rw-r--r--core/vm/virtual_machine.go8
-rw-r--r--core/vm/vm.go907
-rw-r--r--core/vm/vm_jit.go370
-rw-r--r--core/vm/vm_jit_fake.go10
-rw-r--r--core/vm/vm_test.go3
17 files changed, 2442 insertions, 0 deletions
diff --git a/core/vm/address.go b/core/vm/address.go
new file mode 100644
index 000000000..e4c33ec80
--- /dev/null
+++ b/core/vm/address.go
@@ -0,0 +1,91 @@
+package vm
+
+import (
+ "math/big"
+
+ "github.com/ethereum/go-ethereum/common"
+ "github.com/ethereum/go-ethereum/crypto"
+)
+
+type Address interface {
+ Call(in []byte) []byte
+}
+
+type PrecompiledAccount struct {
+ Gas func(l int) *big.Int
+ fn func(in []byte) []byte
+}
+
+func (self PrecompiledAccount) Call(in []byte) []byte {
+ return self.fn(in)
+}
+
+var Precompiled = PrecompiledContracts()
+
+// XXX Could set directly. Testing requires resetting and setting of pre compiled contracts.
+func PrecompiledContracts() map[string]*PrecompiledAccount {
+ return map[string]*PrecompiledAccount{
+ // ECRECOVER
+ string(common.LeftPadBytes([]byte{1}, 20)): &PrecompiledAccount{func(l int) *big.Int {
+ return GasEcrecover
+ }, ecrecoverFunc},
+
+ // SHA256
+ string(common.LeftPadBytes([]byte{2}, 20)): &PrecompiledAccount{func(l int) *big.Int {
+ n := big.NewInt(int64(l+31) / 32)
+ n.Mul(n, GasSha256Word)
+ return n.Add(n, GasSha256Base)
+ }, sha256Func},
+
+ // RIPEMD160
+ string(common.LeftPadBytes([]byte{3}, 20)): &PrecompiledAccount{func(l int) *big.Int {
+ n := big.NewInt(int64(l+31) / 32)
+ n.Mul(n, GasRipemdWord)
+ return n.Add(n, GasRipemdBase)
+ }, ripemd160Func},
+
+ string(common.LeftPadBytes([]byte{4}, 20)): &PrecompiledAccount{func(l int) *big.Int {
+ n := big.NewInt(int64(l+31) / 32)
+ n.Mul(n, GasIdentityWord)
+
+ return n.Add(n, GasIdentityBase)
+ }, memCpy},
+ }
+}
+
+func sha256Func(in []byte) []byte {
+ return crypto.Sha256(in)
+}
+
+func ripemd160Func(in []byte) []byte {
+ return common.LeftPadBytes(crypto.Ripemd160(in), 32)
+}
+
+const EcRecoverInputLength = 128
+
+func ecrecoverFunc(in []byte) []byte {
+ // "in" is (hash, v, r, s), each 32 bytes
+ // but for ecrecover we want (r, s, v)
+ if len(in) < EcRecoverInputLength {
+ return nil
+ }
+ hash := in[:32]
+ // v is only a bit, but comes as 32 bytes from vm. We only need least significant byte
+ encodedV := in[32:64]
+ v := encodedV[31] - 27
+ if !(v == 0 || v == 1) {
+ return nil
+ }
+ sig := append(in[64:], v)
+ pubKey := crypto.Ecrecover(append(hash, sig...))
+ // secp256.go returns either nil or 65 bytes
+ if pubKey == nil || len(pubKey) != 65 {
+ return nil
+ }
+ // the first byte of pubkey is bitcoin heritage
+ return common.LeftPadBytes(crypto.Sha3(pubKey[1:])[12:], 32)
+}
+
+func memCpy(in []byte) []byte {
+ return in
+}
diff --git a/core/vm/analysis.go b/core/vm/analysis.go
new file mode 100644
index 000000000..264d55cb9
--- /dev/null
+++ b/core/vm/analysis.go
@@ -0,0 +1,36 @@
+package vm
+
+import (
+ "math/big"
+
+ "gopkg.in/fatih/set.v0"
+)
+
+type destinations struct {
+ set *set.Set
+}
+
+func (d *destinations) Has(dest *big.Int) bool {
+ return d.set.Has(string(dest.Bytes()))
+}
+
+func (d *destinations) Add(dest *big.Int) {
+ d.set.Add(string(dest.Bytes()))
+}
+
+func analyseJumpDests(code []byte) (dests *destinations) {
+ dests = &destinations{set.New()}
+
+ for pc := uint64(0); pc < uint64(len(code)); pc++ {
+ var op OpCode = OpCode(code[pc])
+ switch op {
+ case PUSH1, PUSH2, PUSH3, PUSH4, PUSH5, PUSH6, PUSH7, PUSH8, PUSH9, PUSH10, PUSH11, PUSH12, PUSH13, PUSH14, PUSH15, PUSH16, PUSH17, PUSH18, PUSH19, PUSH20, PUSH21, PUSH22, PUSH23, PUSH24, PUSH25, PUSH26, PUSH27, PUSH28, PUSH29, PUSH30, PUSH31, PUSH32:
+ a := uint64(op) - uint64(PUSH1) + 1
+
+ pc += a
+ case JUMPDEST:
+ dests.Add(big.NewInt(int64(pc)))
+ }
+ }
+ return
+}
diff --git a/core/vm/asm.go b/core/vm/asm.go
new file mode 100644
index 000000000..83fcb0e08
--- /dev/null
+++ b/core/vm/asm.go
@@ -0,0 +1,45 @@
+package vm
+
+import (
+ "fmt"
+ "math/big"
+
+ "github.com/ethereum/go-ethereum/common"
+)
+
+func Disassemble(script []byte) (asm []string) {
+ pc := new(big.Int)
+ for {
+ if pc.Cmp(big.NewInt(int64(len(script)))) >= 0 {
+ return
+ }
+
+ // Get the memory location of pc
+ val := script[pc.Int64()]
+ // Get the opcode (it must be an opcode!)
+ op := OpCode(val)
+
+ asm = append(asm, fmt.Sprintf("%v", op))
+
+ switch op {
+ case PUSH1, PUSH2, PUSH3, PUSH4, PUSH5, PUSH6, PUSH7, PUSH8, PUSH9, PUSH10, PUSH11, PUSH12, PUSH13, PUSH14, PUSH15, PUSH16, PUSH17, PUSH18, PUSH19, PUSH20, PUSH21, PUSH22, PUSH23, PUSH24, PUSH25, PUSH26, PUSH27, PUSH28, PUSH29, PUSH30, PUSH31, PUSH32:
+ pc.Add(pc, common.Big1)
+ a := int64(op) - int64(PUSH1) + 1
+ if int(pc.Int64()+a) > len(script) {
+ return nil
+ }
+
+ data := script[pc.Int64() : pc.Int64()+a]
+ if len(data) == 0 {
+ data = []byte{0}
+ }
+ asm = append(asm, fmt.Sprintf("0x%x", data))
+
+ pc.Add(pc, big.NewInt(a-1))
+ }
+
+ pc.Add(pc, common.Big1)
+ }
+
+ return
+}
diff --git a/core/vm/common.go b/core/vm/common.go
new file mode 100644
index 000000000..5ff4e05f2
--- /dev/null
+++ b/core/vm/common.go
@@ -0,0 +1,93 @@
+package vm
+
+import (
+ "math"
+ "math/big"
+
+ "github.com/ethereum/go-ethereum/common"
+ "github.com/ethereum/go-ethereum/logger"
+)
+
+var vmlogger = logger.NewLogger("VM")
+
+// Global Debug flag indicating Debug VM (full logging)
+var Debug bool
+
+type Type byte
+
+const (
+ StdVmTy Type = iota
+ JitVmTy
+ MaxVmTy
+
+ MaxCallDepth = 1025
+
+ LogTyPretty byte = 0x1
+ LogTyDiff byte = 0x2
+)
+
+var (
+ Pow256 = common.BigPow(2, 256)
+
+ U256 = common.U256
+ S256 = common.S256
+
+ Zero = common.Big0
+ One = common.Big1
+
+ max = big.NewInt(math.MaxInt64)
+)
+
+func NewVm(env Environment) VirtualMachine {
+ switch env.VmType() {
+ case JitVmTy:
+ return NewJitVm(env)
+ default:
+ vmlogger.Infoln("unsupported vm type %d", env.VmType())
+ fallthrough
+ case StdVmTy:
+ return New(env)
+ }
+}
+
+func calcMemSize(off, l *big.Int) *big.Int {
+ if l.Cmp(common.Big0) == 0 {
+ return common.Big0
+ }
+
+ return new(big.Int).Add(off, l)
+}
+
+// Simple helper
+func u256(n int64) *big.Int {
+ return big.NewInt(n)
+}
+
+// Mainly used for print variables and passing to Print*
+func toValue(val *big.Int) interface{} {
+ // Let's assume a string on right padded zero's
+ b := val.Bytes()
+ if b[0] != 0 && b[len(b)-1] == 0x0 && b[len(b)-2] == 0x0 {
+ return string(b)
+ }
+
+ return val
+}
+
+func getData(data []byte, start, size *big.Int) []byte {
+ dlen := big.NewInt(int64(len(data)))
+
+ s := common.BigMin(start, dlen)
+ e := common.BigMin(new(big.Int).Add(s, size), dlen)
+ return common.RightPadBytes(data[s.Uint64():e.Uint64()], int(size.Uint64()))
+}
+
+func UseGas(gas, amount *big.Int) bool {
+ if gas.Cmp(amount) < 0 {
+ return false
+ }
+
+ // Sub the amount of gas from the remaining
+ gas.Sub(gas, amount)
+ return true
+}
diff --git a/core/vm/context.go b/core/vm/context.go
new file mode 100644
index 000000000..29bb9f74e
--- /dev/null
+++ b/core/vm/context.go
@@ -0,0 +1,94 @@
+package vm
+
+import (
+ "math/big"
+
+ "github.com/ethereum/go-ethereum/common"
+)
+
+type ContextRef interface {
+ ReturnGas(*big.Int, *big.Int)
+ Address() common.Address
+ SetCode([]byte)
+}
+
+type Context struct {
+ caller ContextRef
+ self ContextRef
+
+ Code []byte
+ CodeAddr *common.Address
+
+ value, Gas, UsedGas, Price *big.Int
+
+ Args []byte
+}
+
+// Create a new context for the given data items
+func NewContext(caller ContextRef, object ContextRef, value, gas, price *big.Int) *Context {
+ c := &Context{caller: caller, self: object, Args: nil}
+
+ // Gas should be a pointer so it can safely be reduced through the run
+ // This pointer will be off the state transition
+ c.Gas = gas //new(big.Int).Set(gas)
+ c.value = new(big.Int).Set(value)
+ // In most cases price and value are pointers to transaction objects
+ // and we don't want the transaction's values to change.
+ c.Price = new(big.Int).Set(price)
+ c.UsedGas = new(big.Int)
+
+ return c
+}
+
+func (c *Context) GetOp(n *big.Int) OpCode {
+ return OpCode(c.GetByte(n))
+}
+
+func (c *Context) GetByte(n *big.Int) byte {
+ if n.Cmp(big.NewInt(int64(len(c.Code)))) < 0 {
+ return c.Code[n.Int64()]
+ }
+
+ return 0
+}
+
+func (c *Context) Return(ret []byte) []byte {
+ // Return the remaining gas to the caller
+ c.caller.ReturnGas(c.Gas, c.Price)
+
+ return ret
+}
+
+/*
+ * Gas functions
+ */
+func (c *Context) UseGas(gas *big.Int) (ok bool) {
+ ok = UseGas(c.Gas, gas)
+ if ok {
+ c.UsedGas.Add(c.UsedGas, gas)
+ }
+ return
+}
+
+// Implement the caller interface
+func (c *Context) ReturnGas(gas, price *big.Int) {
+ // Return the gas to the context
+ c.Gas.Add(c.Gas, gas)
+ c.UsedGas.Sub(c.UsedGas, gas)
+}
+
+/*
+ * Set / Get
+ */
+func (c *Context) Address() common.Address {
+ return c.self.Address()
+}
+
+func (self *Context) SetCode(code []byte) {
+ self.Code = code
+}
+
+func (self *Context) SetCallCode(addr *common.Address, code []byte) {
+ self.Code = code
+ self.CodeAddr = addr
+}
diff --git a/core/vm/environment.go b/core/vm/environment.go
new file mode 100644
index 000000000..72e18c353
--- /dev/null
+++ b/core/vm/environment.go
@@ -0,0 +1,91 @@
+package vm
+
+import (
+ "errors"
+ "fmt"
+ "io"
+ "math/big"
+
+ "github.com/ethereum/go-ethereum/common"
+ "github.com/ethereum/go-ethereum/core/state"
+ "github.com/ethereum/go-ethereum/rlp"
+)
+
+type Environment interface {
+ State() *state.StateDB
+
+ Origin() common.Address
+ BlockNumber() *big.Int
+ GetHash(n uint64) common.Hash
+ Coinbase() common.Address
+ Time() int64
+ Difficulty() *big.Int
+ GasLimit() *big.Int
+ Transfer(from, to Account, amount *big.Int) error
+ AddLog(state.Log)
+
+ VmType() Type
+
+ Depth() int
+ SetDepth(i int)
+
+ Call(me ContextRef, addr common.Address, data []byte, gas, price, value *big.Int) ([]byte, error)
+ CallCode(me ContextRef, addr common.Address, data []byte, gas, price, value *big.Int) ([]byte, error)
+ Create(me ContextRef, data []byte, gas, price, value *big.Int) ([]byte, error, ContextRef)
+}
+
+type Account interface {
+ SubBalance(amount *big.Int)
+ AddBalance(amount *big.Int)
+ Balance() *big.Int
+ Address() common.Address
+}
+
+// generic transfer method
+func Transfer(from, to Account, amount *big.Int) error {
+ if from.Balance().Cmp(amount) < 0 {
+ return errors.New("Insufficient balance in account")
+ }
+
+ from.SubBalance(amount)
+ to.AddBalance(amount)
+
+ return nil
+}
+
+type Log struct {
+ address common.Address
+ topics []common.Hash
+ data []byte
+ log uint64
+}
+
+func (self *Log) Address() common.Address {
+ return self.address
+}
+
+func (self *Log) Topics() []common.Hash {
+ return self.topics
+}
+
+func (self *Log) Data() []byte {
+ return self.data
+}
+
+func (self *Log) Number() uint64 {
+ return self.log
+}
+
+func (self *Log) EncodeRLP(w io.Writer) error {
+ return rlp.Encode(w, []interface{}{self.address, self.topics, self.data})
+}
+
+/*
+func (self *Log) RlpData() interface{} {
+ return []interface{}{self.address, common.ByteSliceToInterface(self.topics), self.data}
+}
+*/
+
+func (self *Log) String() string {
+ return fmt.Sprintf("{%x %x %x}", self.address, self.data, self.topics)
+}
diff --git a/core/vm/errors.go b/core/vm/errors.go
new file mode 100644
index 000000000..ab011bd62
--- /dev/null
+++ b/core/vm/errors.go
@@ -0,0 +1,51 @@
+package vm
+
+import (
+ "fmt"
+ "math/big"
+)
+
+type OutOfGasError struct {
+ req, has *big.Int
+}
+
+func OOG(req, has *big.Int) OutOfGasError {
+ return OutOfGasError{req, has}
+}
+
+func (self OutOfGasError) Error() string {
+ return fmt.Sprintf("out of gas! require %v, have %v", self.req, self.has)
+}
+
+func IsOOGErr(err error) bool {
+ _, ok := err.(OutOfGasError)
+ return ok
+}
+
+type StackError struct {
+ req, has int
+}
+
+func StackErr(req, has int) StackError {
+ return StackError{req, has}
+}
+
+func (self StackError) Error() string {
+ return fmt.Sprintf("stack error! require %v, have %v", self.req, self.has)
+}
+
+func IsStack(err error) bool {
+ _, ok := err.(StackError)
+ return ok
+}
+
+type DepthError struct{}
+
+func (self DepthError) Error() string {
+ return fmt.Sprintf("Max call depth exceeded (%d)", MaxCallDepth)
+}
+
+func IsDepthErr(err error) bool {
+ _, ok := err.(DepthError)
+ return ok
+}
diff --git a/core/vm/gas.go b/core/vm/gas.go
new file mode 100644
index 000000000..2d5d7ae18
--- /dev/null
+++ b/core/vm/gas.go
@@ -0,0 +1,159 @@
+package vm
+
+import (
+ "fmt"
+ "math/big"
+)
+
+var (
+ GasQuickStep = big.NewInt(2)
+ GasFastestStep = big.NewInt(3)
+ GasFastStep = big.NewInt(5)
+ GasMidStep = big.NewInt(8)
+ GasSlowStep = big.NewInt(10)
+ GasExtStep = big.NewInt(20)
+
+ GasStorageGet = big.NewInt(50)
+ GasStorageAdd = big.NewInt(20000)
+ GasStorageMod = big.NewInt(5000)
+ GasLogBase = big.NewInt(375)
+ GasLogTopic = big.NewInt(375)
+ GasLogByte = big.NewInt(8)
+ GasCreate = big.NewInt(32000)
+ GasCreateByte = big.NewInt(200)
+ GasCall = big.NewInt(40)
+ GasCallValueTransfer = big.NewInt(9000)
+ GasStipend = big.NewInt(2300)
+ GasCallNewAccount = big.NewInt(25000)
+ GasReturn = big.NewInt(0)
+ GasStop = big.NewInt(0)
+ GasJumpDest = big.NewInt(1)
+
+ RefundStorage = big.NewInt(15000)
+ RefundSuicide = big.NewInt(24000)
+
+ GasMemWord = big.NewInt(3)
+ GasQuadCoeffDenom = big.NewInt(512)
+ GasContractByte = big.NewInt(200)
+ GasTransaction = big.NewInt(21000)
+ GasTxDataNonzeroByte = big.NewInt(68)
+ GasTxDataZeroByte = big.NewInt(4)
+ GasTx = big.NewInt(21000)
+ GasExp = big.NewInt(10)
+ GasExpByte = big.NewInt(10)
+
+ GasSha3Base = big.NewInt(30)
+ GasSha3Word = big.NewInt(6)
+ GasSha256Base = big.NewInt(60)
+ GasSha256Word = big.NewInt(12)
+ GasRipemdBase = big.NewInt(600)
+ GasRipemdWord = big.NewInt(12)
+ GasEcrecover = big.NewInt(3000)
+ GasIdentityBase = big.NewInt(15)
+ GasIdentityWord = big.NewInt(3)
+ GasCopyWord = big.NewInt(3)
+)
+
+func baseCheck(op OpCode, stack *stack, gas *big.Int) error {
+ // PUSH and DUP are a bit special. They all cost the same but we do want to have checking on stack push limit
+ // PUSH is also allowed to calculate the same price for all PUSHes
+ // DUP requirements are handled elsewhere (except for the stack limit check)
+ if op >= PUSH1 && op <= PUSH32 {
+ op = PUSH1
+ }
+ if op >= DUP1 && op <= DUP16 {
+ op = DUP1
+ }
+
+ if r, ok := _baseCheck[op]; ok {
+ err := stack.require(r.stackPop)
+ if err != nil {
+ return err
+ }
+
+ if r.stackPush && len(stack.data)-r.stackPop+1 > 1024 {
+ return fmt.Errorf("stack limit reached (%d)", maxStack)
+ }
+
+ gas.Add(gas, r.gas)
+ }
+ return nil
+}
+
+func toWordSize(size *big.Int) *big.Int {
+ tmp := new(big.Int)
+ tmp.Add(size, u256(31))
+ tmp.Div(tmp, u256(32))
+ return tmp
+}
+
+type req struct {
+ stackPop int
+ gas *big.Int
+ stackPush bool
+}
+
+var _baseCheck = map[OpCode]req{
+ // opcode | stack pop | gas price | stack push
+ ADD: {2, GasFastestStep, true},
+ LT: {2, GasFastestStep, true},
+ GT: {2, GasFastestStep, true},
+ SLT: {2, GasFastestStep, true},
+ SGT: {2, GasFastestStep, true},
+ EQ: {2, GasFastestStep, true},
+ ISZERO: {1, GasFastestStep, true},
+ SUB: {2, GasFastestStep, true},
+ AND: {2, GasFastestStep, true},
+ OR: {2, GasFastestStep, true},
+ XOR: {2, GasFastestStep, true},
+ NOT: {1, GasFastestStep, true},
+ BYTE: {2, GasFastestStep, true},
+ CALLDATALOAD: {1, GasFastestStep, true},
+ CALLDATACOPY: {3, GasFastestStep, true},
+ MLOAD: {1, GasFastestStep, true},
+ MSTORE: {2, GasFastestStep, false},
+ MSTORE8: {2, GasFastestStep, false},
+ CODECOPY: {3, GasFastestStep, false},
+ MUL: {2, GasFastStep, true},
+ DIV: {2, GasFastStep, true},
+ SDIV: {2, GasFastStep, true},
+ MOD: {2, GasFastStep, true},
+ SMOD: {2, GasFastStep, true},
+ SIGNEXTEND: {2, GasFastStep, true},
+ ADDMOD: {3, GasMidStep, true},
+ MULMOD: {3, GasMidStep, true},
+ JUMP: {1, GasMidStep, false},
+ JUMPI: {2, GasSlowStep, false},
+ EXP: {2, GasSlowStep, true},
+ ADDRESS: {0, GasQuickStep, true},
+ ORIGIN: {0, GasQuickStep, true},
+ CALLER: {0, GasQuickStep, true},
+ CALLVALUE: {0, GasQuickStep, true},
+ CODESIZE: {0, GasQuickStep, true},
+ GASPRICE: {0, GasQuickStep, true},
+ COINBASE: {0, GasQuickStep, true},
+ TIMESTAMP: {0, GasQuickStep, true},
+ NUMBER: {0, GasQuickStep, true},
+ CALLDATASIZE: {0, GasQuickStep, true},
+ DIFFICULTY: {0, GasQuickStep, true},
+ GASLIMIT: {0, GasQuickStep, true},
+ POP: {1, GasQuickStep, false},
+ PC: {0, GasQuickStep, true},
+ MSIZE: {0, GasQuickStep, true},
+ GAS: {0, GasQuickStep, true},
+ BLOCKHASH: {1, GasExtStep, true},
+ BALANCE: {0, GasExtStep, true},
+ EXTCODESIZE: {1, GasExtStep, true},
+ EXTCODECOPY: {4, GasExtStep, false},
+ SLOAD: {1, GasStorageGet, true},
+ SSTORE: {2, Zero, false},
+ SHA3: {1, GasSha3Base, true},
+ CREATE: {3, GasCreate, true},
+ CALL: {7, GasCall, true},
+ CALLCODE: {7, GasCall, true},
+ JUMPDEST: {0, GasJumpDest, false},
+ SUICIDE: {1, Zero, false},
+ RETURN: {2, Zero, false},
+ PUSH1: {0, GasFastestStep, true},
+ DUP1: {0, Zero, true},
+}
diff --git a/core/vm/main_test.go b/core/vm/main_test.go
new file mode 100644
index 000000000..0ae03bf6a
--- /dev/null
+++ b/core/vm/main_test.go
@@ -0,0 +1,9 @@
+package vm
+
+import (
+ "testing"
+
+ checker "gopkg.in/check.v1"
+)
+
+func Test(t *testing.T) { checker.TestingT(t) }
diff --git a/core/vm/memory.go b/core/vm/memory.go
new file mode 100644
index 000000000..b77d486eb
--- /dev/null
+++ b/core/vm/memory.go
@@ -0,0 +1,72 @@
+package vm
+
+import (
+ "fmt"
+
+ "github.com/ethereum/go-ethereum/common"
+)
+
+type Memory struct {
+ store []byte
+}
+
+func NewMemory() *Memory {
+ return &Memory{nil}
+}
+
+func (m *Memory) Set(offset, size uint64, value []byte) {
+ // length of store may never be less than offset + size.
+ // The store should be resized PRIOR to setting the memory
+ if size > uint64(len(m.store)) {
+ panic("INVALID memory: store empty")
+ }
+
+ // It's possible the offset is greater than 0 and size equals 0. This is because
+ // the calcMemSize (common.go) could potentially return 0 when size is zero (NO-OP)
+ if size > 0 {
+ copy(m.store[offset:offset+size], common.RightPadBytes(value, int(size)))
+ }
+}
+
+func (m *Memory) Resize(size uint64) {
+ if uint64(m.Len()) < size {
+ m.store = append(m.store, make([]byte, size-uint64(m.Len()))...)
+ }
+}
+
+func (self *Memory) Get(offset, size int64) (cpy []byte) {
+ if size == 0 {
+ return nil
+ }
+
+ if len(self.store) > int(offset) {
+ cpy = make([]byte, size)
+ copy(cpy, self.store[offset:offset+size])
+
+ return
+ }
+
+ return
+}
+
+func (m *Memory) Len() int {
+ return len(m.store)
+}
+
+func (m *Memory) Data() []byte {
+ return m.store
+}
+
+func (m *Memory) Print() {
+ fmt.Printf("### mem %d bytes ###\n", len(m.store))
+ if len(m.store) > 0 {
+ addr := 0
+ for i := 0; i+32 <= len(m.store); i += 32 {
+ fmt.Printf("%03d: % x\n", addr, m.store[i:i+32])
+ addr++
+ }
+ } else {
+ fmt.Println("-- empty --")
+ }
+ fmt.Println("####################")
+}
diff --git a/core/vm/stack.go b/core/vm/stack.go
new file mode 100644
index 000000000..168637708
--- /dev/null
+++ b/core/vm/stack.go
@@ -0,0 +1,69 @@
+package vm
+
+import (
+ "fmt"
+ "math/big"
+)
+
+const maxStack = 1024
+
+func newStack() *stack {
+ return &stack{}
+}
+
+type stack struct {
+ data []*big.Int
+ ptr int
+}
+
+func (st *stack) push(d *big.Int) {
+ // NOTE push limit (1024) is checked in baseCheck
+ stackItem := new(big.Int).Set(d)
+ if len(st.data) > st.ptr {
+ st.data[st.ptr] = stackItem
+ } else {
+ st.data = append(st.data, stackItem)
+ }
+ st.ptr++
+}
+
+func (st *stack) pop() (ret *big.Int) {
+ st.ptr--
+ ret = st.data[st.ptr]
+ return
+}
+
+func (st *stack) len() int {
+ return st.ptr
+}
+
+func (st *stack) swap(n int) {
+ st.data[st.len()-n], st.data[st.len()-1] = st.data[st.len()-1], st.data[st.len()-n]
+}
+
+func (st *stack) dup(n int) {
+ st.push(st.data[st.len()-n])
+}
+
+func (st *stack) peek() *big.Int {
+ return st.data[st.len()-1]
+}
+
+func (st *stack) require(n int) error {
+ if st.len() < n {
+ return fmt.Errorf("stack underflow (%d <=> %d)", len(st.data), n)
+ }
+ return nil
+}
+
+func (st *stack) Print() {
+ fmt.Println("### stack ###")
+ if len(st.data) > 0 {
+ for i, val := range st.data {
+ fmt.Printf("%-3d %v\n", i, val)
+ }
+ } else {
+ fmt.Println("-- empty --")
+ }
+ fmt.Println("#############")
+}
diff --git a/core/vm/types.go b/core/vm/types.go
new file mode 100644
index 000000000..1ea80a212
--- /dev/null
+++ b/core/vm/types.go
@@ -0,0 +1,334 @@
+package vm
+
+import (
+ "fmt"
+)
+
+type OpCode byte
+
+// Op codes
+const (
+ // 0x0 range - arithmetic ops
+ STOP OpCode = iota
+ ADD
+ MUL
+ SUB
+ DIV
+ SDIV
+ MOD
+ SMOD
+ ADDMOD
+ MULMOD
+ EXP
+ SIGNEXTEND
+)
+
+const (
+ LT OpCode = iota + 0x10
+ GT
+ SLT
+ SGT
+ EQ
+ ISZERO
+ AND
+ OR
+ XOR
+ NOT
+ BYTE
+
+ SHA3 = 0x20
+)
+
+const (
+ // 0x30 range - closure state
+ ADDRESS OpCode = 0x30 + iota
+ BALANCE
+ ORIGIN
+ CALLER
+ CALLVALUE
+ CALLDATALOAD
+ CALLDATASIZE
+ CALLDATACOPY
+ CODESIZE
+ CODECOPY
+ GASPRICE
+ EXTCODESIZE
+ EXTCODECOPY
+)
+
+const (
+
+ // 0x40 range - block operations
+ BLOCKHASH OpCode = 0x40 + iota
+ COINBASE
+ TIMESTAMP
+ NUMBER
+ DIFFICULTY
+ GASLIMIT
+)
+
+const (
+ // 0x50 range - 'storage' and execution
+ POP OpCode = 0x50 + iota
+ MLOAD
+ MSTORE
+ MSTORE8
+ SLOAD
+ SSTORE
+ JUMP
+ JUMPI
+ PC
+ MSIZE
+ GAS
+ JUMPDEST
+)
+
+const (
+ // 0x60 range
+ PUSH1 OpCode = 0x60 + iota
+ PUSH2
+ PUSH3
+ PUSH4
+ PUSH5
+ PUSH6
+ PUSH7
+ PUSH8
+ PUSH9
+ PUSH10
+ PUSH11
+ PUSH12
+ PUSH13
+ PUSH14
+ PUSH15
+ PUSH16
+ PUSH17
+ PUSH18
+ PUSH19
+ PUSH20
+ PUSH21
+ PUSH22
+ PUSH23
+ PUSH24
+ PUSH25
+ PUSH26
+ PUSH27
+ PUSH28
+ PUSH29
+ PUSH30
+ PUSH31
+ PUSH32
+ DUP1
+ DUP2
+ DUP3
+ DUP4
+ DUP5
+ DUP6
+ DUP7
+ DUP8
+ DUP9
+ DUP10
+ DUP11
+ DUP12
+ DUP13
+ DUP14
+ DUP15
+ DUP16
+ SWAP1
+ SWAP2
+ SWAP3
+ SWAP4
+ SWAP5
+ SWAP6
+ SWAP7
+ SWAP8
+ SWAP9
+ SWAP10
+ SWAP11
+ SWAP12
+ SWAP13
+ SWAP14
+ SWAP15
+ SWAP16
+)
+
+const (
+ LOG0 OpCode = 0xa0 + iota
+ LOG1
+ LOG2
+ LOG3
+ LOG4
+)
+
+const (
+ // 0xf0 range - closures
+ CREATE OpCode = 0xf0 + iota
+ CALL
+ CALLCODE
+ RETURN
+
+ // 0x70 range - other
+ SUICIDE = 0xff
+)
+
+// Since the opcodes aren't all in order we can't use a regular slice
+var opCodeToString = map[OpCode]string{
+ // 0x0 range - arithmetic ops
+ STOP: "STOP",
+ ADD: "ADD",
+ MUL: "MUL",
+ SUB: "SUB",
+ DIV: "DIV",
+ SDIV: "SDIV",
+ MOD: "MOD",
+ SMOD: "SMOD",
+ EXP: "EXP",
+ NOT: "NOT",
+ LT: "LT",
+ GT: "GT",
+ SLT: "SLT",
+ SGT: "SGT",
+ EQ: "EQ",
+ ISZERO: "ISZERO",
+ SIGNEXTEND: "SIGNEXTEND",
+
+ // 0x10 range - bit ops
+ AND: "AND",
+ OR: "OR",
+ XOR: "XOR",
+ BYTE: "BYTE",
+ ADDMOD: "ADDMOD",
+ MULMOD: "MULMOD",
+
+ // 0x20 range - crypto
+ SHA3: "SHA3",
+
+ // 0x30 range - closure state
+ ADDRESS: "ADDRESS",
+ BALANCE: "BALANCE",
+ ORIGIN: "ORIGIN",
+ CALLER: "CALLER",
+ CALLVALUE: "CALLVALUE",
+ CALLDATALOAD: "CALLDATALOAD",
+ CALLDATASIZE: "CALLDATASIZE",
+ CALLDATACOPY: "CALLDATACOPY",
+ CODESIZE: "CODESIZE",
+ CODECOPY: "CODECOPY",
+ GASPRICE: "TXGASPRICE",
+
+ // 0x40 range - block operations
+ BLOCKHASH: "BLOCKHASH",
+ COINBASE: "COINBASE",
+ TIMESTAMP: "TIMESTAMP",
+ NUMBER: "NUMBER",
+ DIFFICULTY: "DIFFICULTY",
+ GASLIMIT: "GASLIMIT",
+ EXTCODESIZE: "EXTCODESIZE",
+ EXTCODECOPY: "EXTCODECOPY",
+
+ // 0x50 range - 'storage' and execution
+ POP: "POP",
+ //DUP: "DUP",
+ //SWAP: "SWAP",
+ MLOAD: "MLOAD",
+ MSTORE: "MSTORE",
+ MSTORE8: "MSTORE8",
+ SLOAD: "SLOAD",
+ SSTORE: "SSTORE",
+ JUMP: "JUMP",
+ JUMPI: "JUMPI",
+ PC: "PC",
+ MSIZE: "MSIZE",
+ GAS: "GAS",
+ JUMPDEST: "JUMPDEST",
+
+ // 0x60 range - push
+ PUSH1: "PUSH1",
+ PUSH2: "PUSH2",
+ PUSH3: "PUSH3",
+ PUSH4: "PUSH4",
+ PUSH5: "PUSH5",
+ PUSH6: "PUSH6",
+ PUSH7: "PUSH7",
+ PUSH8: "PUSH8",
+ PUSH9: "PUSH9",
+ PUSH10: "PUSH10",
+ PUSH11: "PUSH11",
+ PUSH12: "PUSH12",
+ PUSH13: "PUSH13",
+ PUSH14: "PUSH14",
+ PUSH15: "PUSH15",
+ PUSH16: "PUSH16",
+ PUSH17: "PUSH17",
+ PUSH18: "PUSH18",
+ PUSH19: "PUSH19",
+ PUSH20: "PUSH20",
+ PUSH21: "PUSH21",
+ PUSH22: "PUSH22",
+ PUSH23: "PUSH23",
+ PUSH24: "PUSH24",
+ PUSH25: "PUSH25",
+ PUSH26: "PUSH26",
+ PUSH27: "PUSH27",
+ PUSH28: "PUSH28",
+ PUSH29: "PUSH29",
+ PUSH30: "PUSH30",
+ PUSH31: "PUSH31",
+ PUSH32: "PUSH32",
+
+ DUP1: "DUP1",
+ DUP2: "DUP2",
+ DUP3: "DUP3",
+ DUP4: "DUP4",
+ DUP5: "DUP5",
+ DUP6: "DUP6",
+ DUP7: "DUP7",
+ DUP8: "DUP8",
+ DUP9: "DUP9",
+ DUP10: "DUP10",
+ DUP11: "DUP11",
+ DUP12: "DUP12",
+ DUP13: "DUP13",
+ DUP14: "DUP14",
+ DUP15: "DUP15",
+ DUP16: "DUP16",
+
+ SWAP1: "SWAP1",
+ SWAP2: "SWAP2",
+ SWAP3: "SWAP3",
+ SWAP4: "SWAP4",
+ SWAP5: "SWAP5",
+ SWAP6: "SWAP6",
+ SWAP7: "SWAP7",
+ SWAP8: "SWAP8",
+ SWAP9: "SWAP9",
+ SWAP10: "SWAP10",
+ SWAP11: "SWAP11",
+ SWAP12: "SWAP12",
+ SWAP13: "SWAP13",
+ SWAP14: "SWAP14",
+ SWAP15: "SWAP15",
+ SWAP16: "SWAP16",
+ LOG0: "LOG0",
+ LOG1: "LOG1",
+ LOG2: "LOG2",
+ LOG3: "LOG3",
+ LOG4: "LOG4",
+
+ // 0xf0 range
+ CREATE: "CREATE",
+ CALL: "CALL",
+ RETURN: "RETURN",
+ CALLCODE: "CALLCODE",
+
+ // 0x70 range - other
+ SUICIDE: "SUICIDE",
+}
+
+func (o OpCode) String() string {
+ str := opCodeToString[o]
+ if len(str) == 0 {
+ return fmt.Sprintf("Missing opcode 0x%x", int(o))
+ }
+
+ return str
+}
diff --git a/core/vm/virtual_machine.go b/core/vm/virtual_machine.go
new file mode 100644
index 000000000..6db284f42
--- /dev/null
+++ b/core/vm/virtual_machine.go
@@ -0,0 +1,8 @@
+package vm
+
+type VirtualMachine interface {
+ Env() Environment
+ Run(context *Context, data []byte) ([]byte, error)
+ Printf(string, ...interface{}) VirtualMachine
+ Endl() VirtualMachine
+}
diff --git a/core/vm/vm.go b/core/vm/vm.go
new file mode 100644
index 000000000..6c3dd240a
--- /dev/null
+++ b/core/vm/vm.go
@@ -0,0 +1,907 @@
+package vm
+
+import (
+ "fmt"
+ "math/big"
+
+ "github.com/ethereum/go-ethereum/common"
+ "github.com/ethereum/go-ethereum/core/state"
+ "github.com/ethereum/go-ethereum/crypto"
+)
+
+type Vm struct {
+ env Environment
+
+ logTy byte
+ logStr string
+
+ err error
+ // For logging
+ debug bool
+
+ BreakPoints []int64
+ Stepping bool
+ Fn string
+
+ Recoverable bool
+
+ // Will be called before the vm returns
+ After func(*Context, error)
+}
+
+func New(env Environment) *Vm {
+ lt := LogTyPretty
+
+ return &Vm{debug: Debug, env: env, logTy: lt, Recoverable: true}
+}
+
+func (self *Vm) Run(context *Context, callData []byte) (ret []byte, err error) {
+ self.env.SetDepth(self.env.Depth() + 1)
+ defer self.env.SetDepth(self.env.Depth() - 1)
+
+ var (
+ caller = context.caller
+ code = context.Code
+ value = context.value
+ price = context.Price
+ )
+
+ self.Printf("(%d) (%x) %x (code=%d) gas: %v (d) %x", self.env.Depth(), caller.Address().Bytes()[:4], context.Address(), len(code), context.Gas, callData).Endl()
+
+ // User defer pattern to check for an error and, based on the error being nil or not, use all gas and return.
+ defer func() {
+ if self.After != nil {
+ self.After(context, err)
+ }
+
+ if err != nil {
+ self.Printf(" %v", err).Endl()
+ // In case of a VM exception (known exceptions) all gas consumed (panics NOT included).
+ context.UseGas(context.Gas)
+
+ ret = context.Return(nil)
+ }
+ }()
+
+ if context.CodeAddr != nil {
+ if p := Precompiled[context.CodeAddr.Str()]; p != nil {
+ return self.RunPrecompiled(p, callData, context)
+ }
+ }
+
+ var (
+ op OpCode
+
+ destinations = analyseJumpDests(context.Code)
+ mem = NewMemory()
+ stack = newStack()
+ pc = new(big.Int)
+ statedb = self.env.State()
+
+ jump = func(from *big.Int, to *big.Int) error {
+ nop := context.GetOp(to)
+ if !destinations.Has(to) {
+ return fmt.Errorf("invalid jump destination (%v) %v", nop, to)
+ }
+
+ self.Printf(" ~> %v", to)
+ pc = to
+
+ self.Endl()
+
+ return nil
+ }
+ )
+
+ // Don't bother with the execution if there's no code.
+ if len(code) == 0 {
+ return context.Return(nil), nil
+ }
+
+ for {
+ // The base for all big integer arithmetic
+ base := new(big.Int)
+
+ // Get the memory location of pc
+ op = context.GetOp(pc)
+
+ self.Printf("(pc) %-3d -o- %-14s (m) %-4d (s) %-4d ", pc, op.String(), mem.Len(), stack.len())
+ newMemSize, gas, err := self.calculateGasAndSize(context, caller, op, statedb, mem, stack)
+ if err != nil {
+ return nil, err
+ }
+
+ self.Printf("(g) %-3v (%v)", gas, context.Gas)
+
+ if !context.UseGas(gas) {
+ self.Endl()
+
+ tmp := new(big.Int).Set(context.Gas)
+
+ context.UseGas(context.Gas)
+
+ return context.Return(nil), OOG(gas, tmp)
+ }
+
+ mem.Resize(newMemSize.Uint64())
+
+ switch op {
+ // 0x20 range
+ case ADD:
+ x, y := stack.pop(), stack.pop()
+ self.Printf(" %v + %v", y, x)
+
+ base.Add(x, y)
+
+ U256(base)
+
+ self.Printf(" = %v", base)
+ // pop result back on the stack
+ stack.push(base)
+ case SUB:
+ x, y := stack.pop(), stack.pop()
+ self.Printf(" %v - %v", y, x)
+
+ base.Sub(x, y)
+
+ U256(base)
+
+ self.Printf(" = %v", base)
+ // pop result back on the stack
+ stack.push(base)
+ case MUL:
+ x, y := stack.pop(), stack.pop()
+ self.Printf(" %v * %v", y, x)
+
+ base.Mul(x, y)
+
+ U256(base)
+
+ self.Printf(" = %v", base)
+ // pop result back on the stack
+ stack.push(base)
+ case DIV:
+ x, y := stack.pop(), stack.pop()
+ self.Printf(" %v / %v", x, y)
+
+ if y.Cmp(common.Big0) != 0 {
+ base.Div(x, y)
+ }
+
+ U256(base)
+
+ self.Printf(" = %v", base)
+ // pop result back on the stack
+ stack.push(base)
+ case SDIV:
+ x, y := S256(stack.pop()), S256(stack.pop())
+
+ self.Printf(" %v / %v", x, y)
+
+ if y.Cmp(common.Big0) == 0 {
+ base.Set(common.Big0)
+ } else {
+ n := new(big.Int)
+ if new(big.Int).Mul(x, y).Cmp(common.Big0) < 0 {
+ n.SetInt64(-1)
+ } else {
+ n.SetInt64(1)
+ }
+
+ base.Div(x.Abs(x), y.Abs(y)).Mul(base, n)
+
+ U256(base)
+ }
+
+ self.Printf(" = %v", base)
+ stack.push(base)
+ case MOD:
+ x, y := stack.pop(), stack.pop()
+
+ self.Printf(" %v %% %v", x, y)
+
+ if y.Cmp(common.Big0) == 0 {
+ base.Set(common.Big0)
+ } else {
+ base.Mod(x, y)
+ }
+
+ U256(base)
+
+ self.Printf(" = %v", base)
+ stack.push(base)
+ case SMOD:
+ x, y := S256(stack.pop()), S256(stack.pop())
+
+ self.Printf(" %v %% %v", x, y)
+
+ if y.Cmp(common.Big0) == 0 {
+ base.Set(common.Big0)
+ } else {
+ n := new(big.Int)
+ if x.Cmp(common.Big0) < 0 {
+ n.SetInt64(-1)
+ } else {
+ n.SetInt64(1)
+ }
+
+ base.Mod(x.Abs(x), y.Abs(y)).Mul(base, n)
+
+ U256(base)
+ }
+
+ self.Printf(" = %v", base)
+ stack.push(base)
+
+ case EXP:
+ x, y := stack.pop(), stack.pop()
+
+ self.Printf(" %v ** %v", x, y)
+
+ base.Exp(x, y, Pow256)
+
+ U256(base)
+
+ self.Printf(" = %v", base)
+
+ stack.push(base)
+ case SIGNEXTEND:
+ back := stack.pop()
+ if back.Cmp(big.NewInt(31)) < 0 {
+ bit := uint(back.Uint64()*8 + 7)
+ num := stack.pop()
+ mask := new(big.Int).Lsh(common.Big1, bit)
+ mask.Sub(mask, common.Big1)
+ if common.BitTest(num, int(bit)) {
+ num.Or(num, mask.Not(mask))
+ } else {
+ num.And(num, mask)
+ }
+
+ num = U256(num)
+
+ self.Printf(" = %v", num)
+
+ stack.push(num)
+ }
+ case NOT:
+ stack.push(U256(new(big.Int).Not(stack.pop())))
+ //base.Sub(Pow256, stack.pop()).Sub(base, common.Big1)
+ //base = U256(base)
+ //stack.push(base)
+ case LT:
+ x, y := stack.pop(), stack.pop()
+ self.Printf(" %v < %v", x, y)
+ // x < y
+ if x.Cmp(y) < 0 {
+ stack.push(common.BigTrue)
+ } else {
+ stack.push(common.BigFalse)
+ }
+ case GT:
+ x, y := stack.pop(), stack.pop()
+ self.Printf(" %v > %v", x, y)
+
+ // x > y
+ if x.Cmp(y) > 0 {
+ stack.push(common.BigTrue)
+ } else {
+ stack.push(common.BigFalse)
+ }
+
+ case SLT:
+ x, y := S256(stack.pop()), S256(stack.pop())
+ self.Printf(" %v < %v", x, y)
+ // x < y
+ if x.Cmp(S256(y)) < 0 {
+ stack.push(common.BigTrue)
+ } else {
+ stack.push(common.BigFalse)
+ }
+ case SGT:
+ x, y := S256(stack.pop()), S256(stack.pop())
+ self.Printf(" %v > %v", x, y)
+
+ // x > y
+ if x.Cmp(y) > 0 {
+ stack.push(common.BigTrue)
+ } else {
+ stack.push(common.BigFalse)
+ }
+
+ case EQ:
+ x, y := stack.pop(), stack.pop()
+ self.Printf(" %v == %v", y, x)
+
+ // x == y
+ if x.Cmp(y) == 0 {
+ stack.push(common.BigTrue)
+ } else {
+ stack.push(common.BigFalse)
+ }
+ case ISZERO:
+ x := stack.pop()
+ if x.Cmp(common.BigFalse) > 0 {
+ stack.push(common.BigFalse)
+ } else {
+ stack.push(common.BigTrue)
+ }
+
+ // 0x10 range
+ case AND:
+ x, y := stack.pop(), stack.pop()
+ self.Printf(" %v & %v", y, x)
+
+ stack.push(base.And(x, y))
+ case OR:
+ x, y := stack.pop(), stack.pop()
+ self.Printf(" %v | %v", x, y)
+
+ stack.push(base.Or(x, y))
+ case XOR:
+ x, y := stack.pop(), stack.pop()
+ self.Printf(" %v ^ %v", x, y)
+
+ stack.push(base.Xor(x, y))
+ case BYTE:
+ th, val := stack.pop(), stack.pop()
+
+ if th.Cmp(big.NewInt(32)) < 0 {
+ byt := big.NewInt(int64(common.LeftPadBytes(val.Bytes(), 32)[th.Int64()]))
+
+ base.Set(byt)
+ } else {
+ base.Set(common.BigFalse)
+ }
+
+ self.Printf(" => 0x%x", base.Bytes())
+
+ stack.push(base)
+ case ADDMOD:
+ x := stack.pop()
+ y := stack.pop()
+ z := stack.pop()
+
+ if z.Cmp(Zero) > 0 {
+ add := new(big.Int).Add(x, y)
+ base.Mod(add, z)
+
+ base = U256(base)
+ }
+
+ self.Printf(" %v + %v %% %v = %v", x, y, z, base)
+
+ stack.push(base)
+ case MULMOD:
+ x := stack.pop()
+ y := stack.pop()
+ z := stack.pop()
+
+ if z.Cmp(Zero) > 0 {
+ mul := new(big.Int).Mul(x, y)
+ base.Mod(mul, z)
+
+ U256(base)
+ }
+
+ self.Printf(" %v + %v %% %v = %v", x, y, z, base)
+
+ stack.push(base)
+
+ // 0x20 range
+ case SHA3:
+ offset, size := stack.pop(), stack.pop()
+ data := crypto.Sha3(mem.Get(offset.Int64(), size.Int64()))
+
+ stack.push(common.BigD(data))
+
+ self.Printf(" => (%v) %x", size, data)
+ // 0x30 range
+ case ADDRESS:
+ stack.push(common.Bytes2Big(context.Address().Bytes()))
+
+ self.Printf(" => %x", context.Address())
+ case BALANCE:
+ addr := common.BigToAddress(stack.pop())
+ balance := statedb.GetBalance(addr)
+
+ stack.push(balance)
+
+ self.Printf(" => %v (%x)", balance, addr)
+ case ORIGIN:
+ origin := self.env.Origin()
+
+ stack.push(origin.Big())
+
+ self.Printf(" => %x", origin)
+ case CALLER:
+ caller := context.caller.Address()
+ stack.push(common.Bytes2Big(caller.Bytes()))
+
+ self.Printf(" => %x", caller)
+ case CALLVALUE:
+ stack.push(value)
+
+ self.Printf(" => %v", value)
+ case CALLDATALOAD:
+ data := getData(callData, stack.pop(), common.Big32)
+
+ self.Printf(" => 0x%x", data)
+
+ stack.push(common.Bytes2Big(data))
+ case CALLDATASIZE:
+ l := int64(len(callData))
+ stack.push(big.NewInt(l))
+
+ self.Printf(" => %d", l)
+ case CALLDATACOPY:
+ var (
+ mOff = stack.pop()
+ cOff = stack.pop()
+ l = stack.pop()
+ )
+ data := getData(callData, cOff, l)
+
+ mem.Set(mOff.Uint64(), l.Uint64(), data)
+
+ self.Printf(" => [%v, %v, %v]", mOff, cOff, l)
+ case CODESIZE, EXTCODESIZE:
+ var code []byte
+ if op == EXTCODESIZE {
+ addr := common.BigToAddress(stack.pop())
+
+ code = statedb.GetCode(addr)
+ } else {
+ code = context.Code
+ }
+
+ l := big.NewInt(int64(len(code)))
+ stack.push(l)
+
+ self.Printf(" => %d", l)
+ case CODECOPY, EXTCODECOPY:
+ var code []byte
+ if op == EXTCODECOPY {
+ addr := common.BigToAddress(stack.pop())
+ code = statedb.GetCode(addr)
+ } else {
+ code = context.Code
+ }
+
+ var (
+ mOff = stack.pop()
+ cOff = stack.pop()
+ l = stack.pop()
+ )
+
+ codeCopy := getData(code, cOff, l)
+
+ mem.Set(mOff.Uint64(), l.Uint64(), codeCopy)
+
+ self.Printf(" => [%v, %v, %v] %x", mOff, cOff, l, codeCopy)
+ case GASPRICE:
+ stack.push(context.Price)
+
+ self.Printf(" => %x", context.Price)
+
+ // 0x40 range
+ case BLOCKHASH:
+ num := stack.pop()
+
+ n := new(big.Int).Sub(self.env.BlockNumber(), common.Big257)
+ if num.Cmp(n) > 0 && num.Cmp(self.env.BlockNumber()) < 0 {
+ stack.push(self.env.GetHash(num.Uint64()).Big())
+ } else {
+ stack.push(common.Big0)
+ }
+
+ self.Printf(" => 0x%x", stack.peek().Bytes())
+ case COINBASE:
+ coinbase := self.env.Coinbase()
+
+ stack.push(coinbase.Big())
+
+ self.Printf(" => 0x%x", coinbase)
+ case TIMESTAMP:
+ time := self.env.Time()
+
+ stack.push(big.NewInt(time))
+
+ self.Printf(" => 0x%x", time)
+ case NUMBER:
+ number := self.env.BlockNumber()
+
+ stack.push(U256(number))
+
+ self.Printf(" => 0x%x", number.Bytes())
+ case DIFFICULTY:
+ difficulty := self.env.Difficulty()
+
+ stack.push(difficulty)
+
+ self.Printf(" => 0x%x", difficulty.Bytes())
+ case GASLIMIT:
+ self.Printf(" => %v", self.env.GasLimit())
+
+ stack.push(self.env.GasLimit())
+
+ // 0x50 range
+ case PUSH1, PUSH2, PUSH3, PUSH4, PUSH5, PUSH6, PUSH7, PUSH8, PUSH9, PUSH10, PUSH11, PUSH12, PUSH13, PUSH14, PUSH15, PUSH16, PUSH17, PUSH18, PUSH19, PUSH20, PUSH21, PUSH22, PUSH23, PUSH24, PUSH25, PUSH26, PUSH27, PUSH28, PUSH29, PUSH30, PUSH31, PUSH32:
+ a := big.NewInt(int64(op - PUSH1 + 1))
+ byts := getData(code, new(big.Int).Add(pc, big.NewInt(1)), a)
+ // push value to stack
+ stack.push(common.Bytes2Big(byts))
+ pc.Add(pc, a)
+
+ self.Printf(" => 0x%x", byts)
+ case POP:
+ stack.pop()
+ case DUP1, DUP2, DUP3, DUP4, DUP5, DUP6, DUP7, DUP8, DUP9, DUP10, DUP11, DUP12, DUP13, DUP14, DUP15, DUP16:
+ n := int(op - DUP1 + 1)
+ stack.dup(n)
+
+ self.Printf(" => [%d] 0x%x", n, stack.peek().Bytes())
+ case SWAP1, SWAP2, SWAP3, SWAP4, SWAP5, SWAP6, SWAP7, SWAP8, SWAP9, SWAP10, SWAP11, SWAP12, SWAP13, SWAP14, SWAP15, SWAP16:
+ n := int(op - SWAP1 + 2)
+ stack.swap(n)
+
+ self.Printf(" => [%d]", n)
+ case LOG0, LOG1, LOG2, LOG3, LOG4:
+ n := int(op - LOG0)
+ topics := make([]common.Hash, n)
+ mStart, mSize := stack.pop(), stack.pop()
+ for i := 0; i < n; i++ {
+ topics[i] = common.BigToHash(stack.pop()) //common.LeftPadBytes(stack.pop().Bytes(), 32)
+ }
+
+ data := mem.Get(mStart.Int64(), mSize.Int64())
+ log := &Log{context.Address(), topics, data, self.env.BlockNumber().Uint64()}
+ self.env.AddLog(log)
+
+ self.Printf(" => %v", log)
+ case MLOAD:
+ offset := stack.pop()
+ val := common.BigD(mem.Get(offset.Int64(), 32))
+ stack.push(val)
+
+ self.Printf(" => 0x%x", val.Bytes())
+ case MSTORE: // Store the value at stack top-1 in to memory at location stack top
+ // pop value of the stack
+ mStart, val := stack.pop(), stack.pop()
+ mem.Set(mStart.Uint64(), 32, common.BigToBytes(val, 256))
+
+ self.Printf(" => 0x%x", val)
+ case MSTORE8:
+ off, val := stack.pop().Int64(), stack.pop().Int64()
+
+ mem.store[off] = byte(val & 0xff)
+
+ self.Printf(" => [%v] 0x%x", off, mem.store[off])
+ case SLOAD:
+ loc := common.BigToHash(stack.pop())
+ val := common.Bytes2Big(statedb.GetState(context.Address(), loc))
+ stack.push(val)
+
+ self.Printf(" {0x%x : 0x%x}", loc, val.Bytes())
+ case SSTORE:
+ loc := common.BigToHash(stack.pop())
+ val := stack.pop()
+
+ statedb.SetState(context.Address(), loc, val)
+
+ self.Printf(" {0x%x : 0x%x}", loc, val.Bytes())
+ case JUMP:
+ if err := jump(pc, stack.pop()); err != nil {
+ return nil, err
+ }
+
+ continue
+ case JUMPI:
+ pos, cond := stack.pop(), stack.pop()
+
+ if cond.Cmp(common.BigTrue) >= 0 {
+ if err := jump(pc, pos); err != nil {
+ return nil, err
+ }
+
+ continue
+ }
+
+ self.Printf(" ~> false")
+
+ case JUMPDEST:
+ case PC:
+ //stack.push(big.NewInt(int64(pc)))
+ stack.push(pc)
+ case MSIZE:
+ stack.push(big.NewInt(int64(mem.Len())))
+ case GAS:
+ stack.push(context.Gas)
+
+ self.Printf(" => %x", context.Gas)
+ // 0x60 range
+ case CREATE:
+
+ var (
+ value = stack.pop()
+ offset, size = stack.pop(), stack.pop()
+ input = mem.Get(offset.Int64(), size.Int64())
+ gas = new(big.Int).Set(context.Gas)
+ addr common.Address
+ )
+ self.Endl()
+
+ context.UseGas(context.Gas)
+ ret, suberr, ref := self.env.Create(context, input, gas, price, value)
+ if suberr != nil {
+ stack.push(common.BigFalse)
+
+ self.Printf(" (*) 0x0 %v", suberr)
+ } else {
+ // gas < len(ret) * CreateDataGas == NO_CODE
+ dataGas := big.NewInt(int64(len(ret)))
+ dataGas.Mul(dataGas, GasCreateByte)
+ if context.UseGas(dataGas) {
+ ref.SetCode(ret)
+ }
+ addr = ref.Address()
+
+ stack.push(addr.Big())
+
+ }
+
+ case CALL, CALLCODE:
+ gas := stack.pop()
+ // pop gas and value of the stack.
+ addr, value := stack.pop(), stack.pop()
+ value = U256(value)
+ // pop input size and offset
+ inOffset, inSize := stack.pop(), stack.pop()
+ // pop return size and offset
+ retOffset, retSize := stack.pop(), stack.pop()
+
+ address := common.BigToAddress(addr)
+ self.Printf(" => %x", address).Endl()
+
+ // Get the arguments from the memory
+ args := mem.Get(inOffset.Int64(), inSize.Int64())
+
+ if len(value.Bytes()) > 0 {
+ gas.Add(gas, GasStipend)
+ }
+
+ var (
+ ret []byte
+ err error
+ )
+ if op == CALLCODE {
+ ret, err = self.env.CallCode(context, address, args, gas, price, value)
+ } else {
+ ret, err = self.env.Call(context, address, args, gas, price, value)
+ }
+
+ if err != nil {
+ stack.push(common.BigFalse)
+
+ self.Printf("%v").Endl()
+ } else {
+ stack.push(common.BigTrue)
+
+ mem.Set(retOffset.Uint64(), retSize.Uint64(), ret)
+ }
+ self.Printf("resume %x (%v)", context.Address(), context.Gas)
+ case RETURN:
+ offset, size := stack.pop(), stack.pop()
+ ret := mem.Get(offset.Int64(), size.Int64())
+
+ self.Printf(" => [%v, %v] (%d) 0x%x", offset, size, len(ret), ret).Endl()
+
+ return context.Return(ret), nil
+ case SUICIDE:
+ receiver := statedb.GetOrNewStateObject(common.BigToAddress(stack.pop()))
+ balance := statedb.GetBalance(context.Address())
+
+ self.Printf(" => (%x) %v", receiver.Address().Bytes()[:4], balance)
+
+ receiver.AddBalance(balance)
+
+ statedb.Delete(context.Address())
+
+ fallthrough
+ case STOP: // Stop the context
+ self.Endl()
+
+ return context.Return(nil), nil
+ default:
+ self.Printf("(pc) %-3v Invalid opcode %x\n", pc, op).Endl()
+
+ return nil, fmt.Errorf("Invalid opcode %x", op)
+ }
+
+ pc.Add(pc, One)
+
+ self.Endl()
+ }
+}
+
+func (self *Vm) calculateGasAndSize(context *Context, caller ContextRef, op OpCode, statedb *state.StateDB, mem *Memory, stack *stack) (*big.Int, *big.Int, error) {
+ var (
+ gas = new(big.Int)
+ newMemSize *big.Int = new(big.Int)
+ )
+ err := baseCheck(op, stack, gas)
+ if err != nil {
+ return nil, nil, err
+ }
+
+ // stack Check, memory resize & gas phase
+ switch op {
+ case SWAP1, SWAP2, SWAP3, SWAP4, SWAP5, SWAP6, SWAP7, SWAP8, SWAP9, SWAP10, SWAP11, SWAP12, SWAP13, SWAP14, SWAP15, SWAP16:
+ n := int(op - SWAP1 + 2)
+ err := stack.require(n)
+ if err != nil {
+ return nil, nil, err
+ }
+ gas.Set(GasFastestStep)
+ case DUP1, DUP2, DUP3, DUP4, DUP5, DUP6, DUP7, DUP8, DUP9, DUP10, DUP11, DUP12, DUP13, DUP14, DUP15, DUP16:
+ n := int(op - DUP1 + 1)
+ err := stack.require(n)
+ if err != nil {
+ return nil, nil, err
+ }
+ gas.Set(GasFastestStep)
+ case LOG0, LOG1, LOG2, LOG3, LOG4:
+ n := int(op - LOG0)
+ err := stack.require(n + 2)
+ if err != nil {
+ return nil, nil, err
+ }
+
+ mSize, mStart := stack.data[stack.len()-2], stack.data[stack.len()-1]
+
+ gas.Add(gas, GasLogBase)
+ gas.Add(gas, new(big.Int).Mul(big.NewInt(int64(n)), GasLogTopic))
+ gas.Add(gas, new(big.Int).Mul(mSize, GasLogByte))
+
+ newMemSize = calcMemSize(mStart, mSize)
+ case EXP:
+ gas.Add(gas, new(big.Int).Mul(big.NewInt(int64(len(stack.data[stack.len()-2].Bytes()))), GasExpByte))
+ case SSTORE:
+ err := stack.require(2)
+ if err != nil {
+ return nil, nil, err
+ }
+
+ var g *big.Int
+ y, x := stack.data[stack.len()-2], stack.data[stack.len()-1]
+ val := statedb.GetState(context.Address(), common.BigToHash(x))
+ if len(val) == 0 && len(y.Bytes()) > 0 {
+ // 0 => non 0
+ g = GasStorageAdd
+ } else if len(val) > 0 && len(y.Bytes()) == 0 {
+ statedb.Refund(self.env.Origin(), RefundStorage)
+
+ g = GasStorageMod
+ } else {
+ // non 0 => non 0 (or 0 => 0)
+ g = GasStorageMod
+ }
+ gas.Set(g)
+ case SUICIDE:
+ if !statedb.IsDeleted(context.Address()) {
+ statedb.Refund(self.env.Origin(), RefundSuicide)
+ }
+ case MLOAD:
+ newMemSize = calcMemSize(stack.peek(), u256(32))
+ case MSTORE8:
+ newMemSize = calcMemSize(stack.peek(), u256(1))
+ case MSTORE:
+ newMemSize = calcMemSize(stack.peek(), u256(32))
+ case RETURN:
+ newMemSize = calcMemSize(stack.peek(), stack.data[stack.len()-2])
+ case SHA3:
+ newMemSize = calcMemSize(stack.peek(), stack.data[stack.len()-2])
+
+ words := toWordSize(stack.data[stack.len()-2])
+ gas.Add(gas, words.Mul(words, GasSha3Word))
+ case CALLDATACOPY:
+ newMemSize = calcMemSize(stack.peek(), stack.data[stack.len()-3])
+
+ words := toWordSize(stack.data[stack.len()-3])
+ gas.Add(gas, words.Mul(words, GasCopyWord))
+ case CODECOPY:
+ newMemSize = calcMemSize(stack.peek(), stack.data[stack.len()-3])
+
+ words := toWordSize(stack.data[stack.len()-3])
+ gas.Add(gas, words.Mul(words, GasCopyWord))
+ case EXTCODECOPY:
+ newMemSize = calcMemSize(stack.data[stack.len()-2], stack.data[stack.len()-4])
+
+ words := toWordSize(stack.data[stack.len()-4])
+ gas.Add(gas, words.Mul(words, GasCopyWord))
+
+ case CREATE:
+ newMemSize = calcMemSize(stack.data[stack.len()-2], stack.data[stack.len()-3])
+ case CALL, CALLCODE:
+ gas.Add(gas, stack.data[stack.len()-1])
+
+ if op == CALL {
+ if self.env.State().GetStateObject(common.BigToAddress(stack.data[stack.len()-2])) == nil {
+ gas.Add(gas, GasCallNewAccount)
+ }
+ }
+
+ if len(stack.data[stack.len()-3].Bytes()) > 0 {
+ gas.Add(gas, GasCallValueTransfer)
+ }
+
+ x := calcMemSize(stack.data[stack.len()-6], stack.data[stack.len()-7])
+ y := calcMemSize(stack.data[stack.len()-4], stack.data[stack.len()-5])
+
+ newMemSize = common.BigMax(x, y)
+ }
+
+ if newMemSize.Cmp(common.Big0) > 0 {
+ newMemSizeWords := toWordSize(newMemSize)
+ newMemSize.Mul(newMemSizeWords, u256(32))
+
+ if newMemSize.Cmp(u256(int64(mem.Len()))) > 0 {
+ oldSize := toWordSize(big.NewInt(int64(mem.Len())))
+ pow := new(big.Int).Exp(oldSize, common.Big2, Zero)
+ linCoef := new(big.Int).Mul(oldSize, GasMemWord)
+ quadCoef := new(big.Int).Div(pow, GasQuadCoeffDenom)
+ oldTotalFee := new(big.Int).Add(linCoef, quadCoef)
+
+ pow.Exp(newMemSizeWords, common.Big2, Zero)
+ linCoef = new(big.Int).Mul(newMemSizeWords, GasMemWord)
+ quadCoef = new(big.Int).Div(pow, GasQuadCoeffDenom)
+ newTotalFee := new(big.Int).Add(linCoef, quadCoef)
+
+ gas.Add(gas, new(big.Int).Sub(newTotalFee, oldTotalFee))
+ }
+ }
+
+ return newMemSize, gas, nil
+}
+
+func (self *Vm) RunPrecompiled(p *PrecompiledAccount, callData []byte, context *Context) (ret []byte, err error) {
+ gas := p.Gas(len(callData))
+ if context.UseGas(gas) {
+ ret = p.Call(callData)
+ self.Printf("NATIVE_FUNC => %x", ret)
+ self.Endl()
+
+ return context.Return(ret), nil
+ } else {
+ self.Printf("NATIVE_FUNC => failed").Endl()
+
+ tmp := new(big.Int).Set(context.Gas)
+
+ return nil, OOG(gas, tmp)
+ }
+}
+
+func (self *Vm) Printf(format string, v ...interface{}) VirtualMachine {
+ if self.debug {
+ if self.logTy == LogTyPretty {
+ self.logStr += fmt.Sprintf(format, v...)
+ }
+ }
+
+ return self
+}
+
+func (self *Vm) Endl() VirtualMachine {
+ if self.debug {
+ if self.logTy == LogTyPretty {
+ vmlogger.Infoln(self.logStr)
+ self.logStr = ""
+ }
+ }
+
+ return self
+}
+
+func (self *Vm) Env() Environment {
+ return self.env
+}
diff --git a/core/vm/vm_jit.go b/core/vm/vm_jit.go
new file mode 100644
index 000000000..2b88d8620
--- /dev/null
+++ b/core/vm/vm_jit.go
@@ -0,0 +1,370 @@
+// +build evmjit
+
+package vm
+
+/*
+
+void* evmjit_create();
+int evmjit_run(void* _jit, void* _data, void* _env);
+void evmjit_destroy(void* _jit);
+
+// Shared library evmjit (e.g. libevmjit.so) is expected to be installed in /usr/local/lib
+// More: https://github.com/ethereum/evmjit
+#cgo LDFLAGS: -levmjit
+*/
+import "C"
+
+import (
+ "bytes"
+ "errors"
+ "fmt"
+ "github.com/ethereum/go-ethereum/crypto"
+ "github.com/ethereum/go-ethereum/core/state"
+ "math/big"
+ "unsafe"
+)
+
+type JitVm struct {
+ env Environment
+ me ContextRef
+ callerAddr []byte
+ price *big.Int
+ data RuntimeData
+}
+
+type i256 [32]byte
+
+type RuntimeData struct {
+ gas int64
+ gasPrice int64
+ callData *byte
+ callDataSize uint64
+ address i256
+ caller i256
+ origin i256
+ callValue i256
+ coinBase i256
+ difficulty i256
+ gasLimit i256
+ number uint64
+ timestamp int64
+ code *byte
+ codeSize uint64
+ codeHash i256
+}
+
+func hash2llvm(h []byte) i256 {
+ var m i256
+ copy(m[len(m)-len(h):], h) // right aligned copy
+ return m
+}
+
+func llvm2hash(m *i256) []byte {
+ return C.GoBytes(unsafe.Pointer(m), C.int(len(m)))
+}
+
+func llvm2hashRef(m *i256) []byte {
+ return (*[1 << 30]byte)(unsafe.Pointer(m))[:len(m):len(m)]
+}
+
+func address2llvm(addr []byte) i256 {
+ n := hash2llvm(addr)
+ bswap(&n)
+ return n
+}
+
+// bswap swap bytes of the 256-bit integer on LLVM side
+// TODO: Do not change memory on LLVM side, that can conflict with memory access optimizations
+func bswap(m *i256) *i256 {
+ for i, l := 0, len(m); i < l/2; i++ {
+ m[i], m[l-i-1] = m[l-i-1], m[i]
+ }
+ return m
+}
+
+func trim(m []byte) []byte {
+ skip := 0
+ for i := 0; i < len(m); i++ {
+ if m[i] == 0 {
+ skip++
+ } else {
+ break
+ }
+ }
+ return m[skip:]
+}
+
+func getDataPtr(m []byte) *byte {
+ var p *byte
+ if len(m) > 0 {
+ p = &m[0]
+ }
+ return p
+}
+
+func big2llvm(n *big.Int) i256 {
+ m := hash2llvm(n.Bytes())
+ bswap(&m)
+ return m
+}
+
+func llvm2big(m *i256) *big.Int {
+ n := big.NewInt(0)
+ for i := 0; i < len(m); i++ {
+ b := big.NewInt(int64(m[i]))
+ b.Lsh(b, uint(i)*8)
+ n.Add(n, b)
+ }
+ return n
+}
+
+// llvm2bytesRef creates a []byte slice that references byte buffer on LLVM side (as of that not controller by GC)
+// User must asure that referenced memory is available to Go until the data is copied or not needed any more
+func llvm2bytesRef(data *byte, length uint64) []byte {
+ if length == 0 {
+ return nil
+ }
+ if data == nil {
+ panic("Unexpected nil data pointer")
+ }
+ return (*[1 << 30]byte)(unsafe.Pointer(data))[:length:length]
+}
+
+func untested(condition bool, message string) {
+ if condition {
+ panic("Condition `" + message + "` tested. Remove assert.")
+ }
+}
+
+func assert(condition bool, message string) {
+ if !condition {
+ panic("Assert `" + message + "` failed!")
+ }
+}
+
+func NewJitVm(env Environment) *JitVm {
+ return &JitVm{env: env}
+}
+
+func (self *JitVm) Run(me, caller ContextRef, code []byte, value, gas, price *big.Int, callData []byte) (ret []byte, err error) {
+ // TODO: depth is increased but never checked by VM. VM should not know about it at all.
+ self.env.SetDepth(self.env.Depth() + 1)
+
+ // TODO: Move it to Env.Call() or sth
+ if Precompiled[string(me.Address())] != nil {
+ // if it's address of precopiled contract
+ // fallback to standard VM
+ stdVm := New(self.env)
+ return stdVm.Run(me, caller, code, value, gas, price, callData)
+ }
+
+ if self.me != nil {
+ panic("JitVm.Run() can be called only once per JitVm instance")
+ }
+
+ self.me = me
+ self.callerAddr = caller.Address()
+ self.price = price
+
+ self.data.gas = gas.Int64()
+ self.data.gasPrice = price.Int64()
+ self.data.callData = getDataPtr(callData)
+ self.data.callDataSize = uint64(len(callData))
+ self.data.address = address2llvm(self.me.Address())
+ self.data.caller = address2llvm(caller.Address())
+ self.data.origin = address2llvm(self.env.Origin())
+ self.data.callValue = big2llvm(value)
+ self.data.coinBase = address2llvm(self.env.Coinbase())
+ self.data.difficulty = big2llvm(self.env.Difficulty())
+ self.data.gasLimit = big2llvm(self.env.GasLimit())
+ self.data.number = self.env.BlockNumber().Uint64()
+ self.data.timestamp = self.env.Time()
+ self.data.code = getDataPtr(code)
+ self.data.codeSize = uint64(len(code))
+ self.data.codeHash = hash2llvm(crypto.Sha3(code)) // TODO: Get already computed hash?
+
+ jit := C.evmjit_create()
+ retCode := C.evmjit_run(jit, unsafe.Pointer(&self.data), unsafe.Pointer(self))
+
+ if retCode < 0 {
+ err = errors.New("OOG from JIT")
+ gas.SetInt64(0) // Set gas to 0, JIT does not bother
+ } else {
+ gas.SetInt64(self.data.gas)
+ if retCode == 1 { // RETURN
+ ret = C.GoBytes(unsafe.Pointer(self.data.callData), C.int(self.data.callDataSize))
+ } else if retCode == 2 { // SUICIDE
+ // TODO: Suicide support logic should be moved to Env to be shared by VM implementations
+ state := self.Env().State()
+ receiverAddr := llvm2hashRef(bswap(&self.data.address))
+ receiver := state.GetOrNewStateObject(receiverAddr)
+ balance := state.GetBalance(me.Address())
+ receiver.AddBalance(balance)
+ state.Delete(me.Address())
+ }
+ }
+
+ C.evmjit_destroy(jit)
+ return
+}
+
+func (self *JitVm) Printf(format string, v ...interface{}) VirtualMachine {
+ return self
+}
+
+func (self *JitVm) Endl() VirtualMachine {
+ return self
+}
+
+func (self *JitVm) Env() Environment {
+ return self.env
+}
+
+//export env_sha3
+func env_sha3(dataPtr *byte, length uint64, resultPtr unsafe.Pointer) {
+ data := llvm2bytesRef(dataPtr, length)
+ hash := crypto.Sha3(data)
+ result := (*i256)(resultPtr)
+ *result = hash2llvm(hash)
+}
+
+//export env_sstore
+func env_sstore(vmPtr unsafe.Pointer, indexPtr unsafe.Pointer, valuePtr unsafe.Pointer) {
+ vm := (*JitVm)(vmPtr)
+ index := llvm2hash(bswap((*i256)(indexPtr)))
+ value := llvm2hash(bswap((*i256)(valuePtr)))
+ value = trim(value)
+ if len(value) == 0 {
+ prevValue := vm.env.State().GetState(vm.me.Address(), index)
+ if len(prevValue) != 0 {
+ vm.Env().State().Refund(vm.callerAddr, GasSStoreRefund)
+ }
+ }
+
+ vm.env.State().SetState(vm.me.Address(), index, value)
+}
+
+//export env_sload
+func env_sload(vmPtr unsafe.Pointer, indexPtr unsafe.Pointer, resultPtr unsafe.Pointer) {
+ vm := (*JitVm)(vmPtr)
+ index := llvm2hash(bswap((*i256)(indexPtr)))
+ value := vm.env.State().GetState(vm.me.Address(), index)
+ result := (*i256)(resultPtr)
+ *result = hash2llvm(value)
+ bswap(result)
+}
+
+//export env_balance
+func env_balance(_vm unsafe.Pointer, _addr unsafe.Pointer, _result unsafe.Pointer) {
+ vm := (*JitVm)(_vm)
+ addr := llvm2hash((*i256)(_addr))
+ balance := vm.Env().State().GetBalance(addr)
+ result := (*i256)(_result)
+ *result = big2llvm(balance)
+}
+
+//export env_blockhash
+func env_blockhash(_vm unsafe.Pointer, _number unsafe.Pointer, _result unsafe.Pointer) {
+ vm := (*JitVm)(_vm)
+ number := llvm2big((*i256)(_number))
+ result := (*i256)(_result)
+
+ currNumber := vm.Env().BlockNumber()
+ limit := big.NewInt(0).Sub(currNumber, big.NewInt(256))
+ if number.Cmp(limit) >= 0 && number.Cmp(currNumber) < 0 {
+ hash := vm.Env().GetHash(uint64(number.Int64()))
+ *result = hash2llvm(hash)
+ } else {
+ *result = i256{}
+ }
+}
+
+//export env_call
+func env_call(_vm unsafe.Pointer, _gas *int64, _receiveAddr unsafe.Pointer, _value unsafe.Pointer, inDataPtr unsafe.Pointer, inDataLen uint64, outDataPtr *byte, outDataLen uint64, _codeAddr unsafe.Pointer) bool {
+ vm := (*JitVm)(_vm)
+
+ //fmt.Printf("env_call (depth %d)\n", vm.Env().Depth())
+
+ defer func() {
+ if r := recover(); r != nil {
+ fmt.Printf("Recovered in env_call (depth %d, out %p %d): %s\n", vm.Env().Depth(), outDataPtr, outDataLen, r)
+ }
+ }()
+
+ balance := vm.Env().State().GetBalance(vm.me.Address())
+ value := llvm2big((*i256)(_value))
+
+ if balance.Cmp(value) >= 0 {
+ receiveAddr := llvm2hash((*i256)(_receiveAddr))
+ inData := C.GoBytes(inDataPtr, C.int(inDataLen))
+ outData := llvm2bytesRef(outDataPtr, outDataLen)
+ codeAddr := llvm2hash((*i256)(_codeAddr))
+ gas := big.NewInt(*_gas)
+ var out []byte
+ var err error
+ if bytes.Equal(codeAddr, receiveAddr) {
+ out, err = vm.env.Call(vm.me, codeAddr, inData, gas, vm.price, value)
+ } else {
+ out, err = vm.env.CallCode(vm.me, codeAddr, inData, gas, vm.price, value)
+ }
+ *_gas = gas.Int64()
+ if err == nil {
+ copy(outData, out)
+ return true
+ }
+ }
+
+ return false
+}
+
+//export env_create
+func env_create(_vm unsafe.Pointer, _gas *int64, _value unsafe.Pointer, initDataPtr unsafe.Pointer, initDataLen uint64, _result unsafe.Pointer) {
+ vm := (*JitVm)(_vm)
+
+ value := llvm2big((*i256)(_value))
+ initData := C.GoBytes(initDataPtr, C.int(initDataLen)) // TODO: Unnecessary if low balance
+ result := (*i256)(_result)
+ *result = i256{}
+
+ gas := big.NewInt(*_gas)
+ ret, suberr, ref := vm.env.Create(vm.me, nil, initData, gas, vm.price, value)
+ if suberr == nil {
+ dataGas := big.NewInt(int64(len(ret))) // TODO: Nto the best design. env.Create can do it, it has the reference to gas counter
+ dataGas.Mul(dataGas, GasCreateByte)
+ gas.Sub(gas, dataGas)
+ *result = hash2llvm(ref.Address())
+ }
+ *_gas = gas.Int64()
+}
+
+//export env_log
+func env_log(_vm unsafe.Pointer, dataPtr unsafe.Pointer, dataLen uint64, _topic1 unsafe.Pointer, _topic2 unsafe.Pointer, _topic3 unsafe.Pointer, _topic4 unsafe.Pointer) {
+ vm := (*JitVm)(_vm)
+
+ data := C.GoBytes(dataPtr, C.int(dataLen))
+
+ topics := make([][]byte, 0, 4)
+ if _topic1 != nil {
+ topics = append(topics, llvm2hash((*i256)(_topic1)))
+ }
+ if _topic2 != nil {
+ topics = append(topics, llvm2hash((*i256)(_topic2)))
+ }
+ if _topic3 != nil {
+ topics = append(topics, llvm2hash((*i256)(_topic3)))
+ }
+ if _topic4 != nil {
+ topics = append(topics, llvm2hash((*i256)(_topic4)))
+ }
+
+ vm.Env().AddLog(state.NewLog(vm.me.Address(), topics, data, vm.env.BlockNumber().Uint64()))
+}
+
+//export env_extcode
+func env_extcode(_vm unsafe.Pointer, _addr unsafe.Pointer, o_size *uint64) *byte {
+ vm := (*JitVm)(_vm)
+ addr := llvm2hash((*i256)(_addr))
+ code := vm.Env().State().GetCode(addr)
+ *o_size = uint64(len(code))
+ return getDataPtr(code)
+}
diff --git a/core/vm/vm_jit_fake.go b/core/vm/vm_jit_fake.go
new file mode 100644
index 000000000..d6b5be45b
--- /dev/null
+++ b/core/vm/vm_jit_fake.go
@@ -0,0 +1,10 @@
+// +build !evmjit
+
+package vm
+
+import "fmt"
+
+func NewJitVm(env Environment) VirtualMachine {
+ fmt.Printf("Warning! EVM JIT not enabled.\n")
+ return New(env)
+}
diff --git a/core/vm/vm_test.go b/core/vm/vm_test.go
new file mode 100644
index 000000000..9bd147a72
--- /dev/null
+++ b/core/vm/vm_test.go
@@ -0,0 +1,3 @@
+package vm
+
+// Tests have been removed in favour of general tests. If anything implementation specific needs testing, put it here