state_object.go 10.2 KB
Newer Older
1
// Copyright 2014 The go-ethereum Authors
2
// This file is part of the go-ethereum library.
3
//
4
// The go-ethereum library is free software: you can redistribute it and/or modify
5 6 7 8
// it under the terms of the GNU Lesser General Public License as published by
// the Free Software Foundation, either version 3 of the License, or
// (at your option) any later version.
//
9
// The go-ethereum library is distributed in the hope that it will be useful,
10
// but WITHOUT ANY WARRANTY; without even the implied warranty of
11
// MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
12 13 14
// GNU Lesser General Public License for more details.
//
// You should have received a copy of the GNU Lesser General Public License
15
// along with the go-ethereum library. If not, see <http://www.gnu.org/licenses/>.
16

obscuren's avatar
obscuren committed
17
package state
18 19

import (
20
	"bytes"
21
	"fmt"
22
	"io"
23 24
	"math/big"

obscuren's avatar
obscuren committed
25
	"github.com/ethereum/go-ethereum/common"
obscuren's avatar
obscuren committed
26
	"github.com/ethereum/go-ethereum/crypto"
27
	"github.com/ethereum/go-ethereum/rlp"
28 29
)

30
var emptyCodeHash = crypto.Keccak256(nil)
31

32 33 34
type Code []byte

func (self Code) String() string {
35
	return string(self) //strings.Join(Disassemble(self), " ")
36 37
}

38
type Storage map[common.Hash]common.Hash
39

40 41
func (self Storage) String() (str string) {
	for key, value := range self {
42
		str += fmt.Sprintf("%X : %X\n", key, value)
43 44 45 46 47
	}

	return
}

48 49 50 51 52 53 54 55 56
func (self Storage) Copy() Storage {
	cpy := make(Storage)
	for key, value := range self {
		cpy[key] = value
	}

	return cpy
}

57
// stateObject represents an Ethereum account which is being modified.
58 59 60 61 62
//
// The usage pattern is as follows:
// First you need to obtain a state object.
// Account values can be accessed and modified through the object.
// Finally, call CommitTrie to write the modified storage trie into a database.
63
type stateObject struct {
64 65 66 67
	address  common.Address
	addrHash common.Hash // hash of ethereum address of the account
	data     Account
	db       *StateDB
68 69 70 71 72 73 74 75 76

	// DB error.
	// State objects are used by the consensus core and VM which are
	// unable to deal with database-level errors. Any error that occurs
	// during a database read is memoized here and will eventually be returned
	// by StateDB.Commit.
	dbErr error

	// Write caches.
77 78
	trie Trie // storage trie, which becomes non-nil on first access
	code Code // contract bytecode, which gets set when code is loaded
79

80
	originStorage Storage // Storage cache of original entries to dedup rewrites
81
	dirtyStorage  Storage // Storage entries that need to be flushed to disk
82

83
	// Cache flags.
84 85
	// When an object is marked suicided it will be delete from the trie
	// during the "update" phase of the state transition.
86
	dirtyCode bool // true if the code was updated
87
	suicided  bool
88
	deleted   bool
89 90
}

91
// empty returns whether the account is considered empty.
92
func (s *stateObject) empty() bool {
93
	return s.data.Nonce == 0 && s.data.Balance.Sign() == 0 && bytes.Equal(s.data.CodeHash, emptyCodeHash)
94 95
}

96 97 98 99 100 101 102 103
// Account is the Ethereum consensus representation of accounts.
// These objects are stored in the main account trie.
type Account struct {
	Nonce    uint64
	Balance  *big.Int
	Root     common.Hash // merkle root of the storage trie
	CodeHash []byte
}
obscuren's avatar
obscuren committed
104

105
// newObject creates a state object.
106
func newObject(db *StateDB, address common.Address, data Account) *stateObject {
107 108 109 110 111
	if data.Balance == nil {
		data.Balance = new(big.Int)
	}
	if data.CodeHash == nil {
		data.CodeHash = emptyCodeHash
obscuren's avatar
obscuren committed
112
	}
113 114 115 116 117
	return &stateObject{
		db:            db,
		address:       address,
		addrHash:      crypto.Keccak256Hash(address[:]),
		data:          data,
118
		originStorage: make(Storage),
119 120
		dirtyStorage:  make(Storage),
	}
121 122
}

123
// EncodeRLP implements rlp.Encoder.
124
func (c *stateObject) EncodeRLP(w io.Writer) error {
125
	return rlp.Encode(w, c.data)
126 127
}

128
// setError remembers the first non-nil error it is called with.
129
func (self *stateObject) setError(err error) {
130 131
	if self.dbErr == nil {
		self.dbErr = err
132
	}
133 134
}

135
func (self *stateObject) markSuicided() {
136
	self.suicided = true
137 138
}

139
func (c *stateObject) touch() {
140 141
	c.db.journal.append(touchChange{
		account: &c.address,
142
	})
143
	if c.address == ripemd {
144 145 146
		// Explicitly put it in the dirty-cache, which is otherwise generated from
		// flattened journals.
		c.db.journal.dirty(c.address)
147 148 149
	}
}

150
func (c *stateObject) getTrie(db Database) Trie {
151 152
	if c.trie == nil {
		var err error
153
		c.trie, err = db.OpenStorageTrie(c.addrHash, c.data.Root)
154
		if err != nil {
155
			c.trie, _ = db.OpenStorageTrie(c.addrHash, common.Hash{})
156
			c.setError(fmt.Errorf("can't create storage trie: %v", err))
157 158
		}
	}
159 160
	return c.trie
}
161

162
// GetState retrieves a value from the account storage trie.
163
func (self *stateObject) GetState(db Database, key common.Hash) common.Hash {
164 165 166 167 168 169 170 171 172 173 174 175 176 177
	// If we have a dirty value for this state entry, return it
	value, dirty := self.dirtyStorage[key]
	if dirty {
		return value
	}
	// Otherwise return the entry's original value
	return self.GetCommittedState(db, key)
}

// GetCommittedState retrieves a value from the committed account storage trie.
func (self *stateObject) GetCommittedState(db Database, key common.Hash) common.Hash {
	// If we have the original value cached, return that
	value, cached := self.originStorage[key]
	if cached {
178 179
		return value
	}
180
	// Otherwise load the value from the database
181 182 183 184 185 186
	enc, err := self.getTrie(db).TryGet(key[:])
	if err != nil {
		self.setError(err)
		return common.Hash{}
	}
	if len(enc) > 0 {
187 188 189 190 191 192
		_, content, _, err := rlp.Split(enc)
		if err != nil {
			self.setError(err)
		}
		value.SetBytes(content)
	}
193
	self.originStorage[key] = value
194 195 196
	return value
}

197
// SetState updates a value in account storage.
198
func (self *stateObject) SetState(db Database, key, value common.Hash) {
199
	// If the new value is the same as old, don't set
200
	prev := self.GetState(db, key)
201 202 203 204
	if prev == value {
		return
	}
	// New value is different, update and journal the change
205
	self.db.journal.append(storageChange{
206 207
		account:  &self.address,
		key:      key,
208
		prevalue: prev,
209 210 211 212
	})
	self.setState(key, value)
}

213
func (self *stateObject) setState(key, value common.Hash) {
214
	self.dirtyStorage[key] = value
215 216
}

217
// updateTrie writes cached storage modifications into the object's storage trie.
218
func (self *stateObject) updateTrie(db Database) Trie {
219
	tr := self.getTrie(db)
220 221
	for key, value := range self.dirtyStorage {
		delete(self.dirtyStorage, key)
222 223 224 225 226 227 228

		// Skip noop changes, persist actual changes
		if value == self.originStorage[key] {
			continue
		}
		self.originStorage[key] = value

229
		if (value == common.Hash{}) {
230
			self.setError(tr.TryDelete(key[:]))
231 232
			continue
		}
233 234
		// Encoding []byte cannot fail, ok to ignore the error.
		v, _ := rlp.EncodeToBytes(bytes.TrimLeft(value[:], "\x00"))
235
		self.setError(tr.TryUpdate(key[:], v))
236
	}
237
	return tr
238 239
}

240
// UpdateRoot sets the trie root to the current root hash of
241
func (self *stateObject) updateRoot(db Database) {
242 243 244 245
	self.updateTrie(db)
	self.data.Root = self.trie.Hash()
}

hadv's avatar
hadv committed
246
// CommitTrie the storage trie of the object to db.
247
// This updates the trie root.
248
func (self *stateObject) CommitTrie(db Database) error {
249 250 251 252
	self.updateTrie(db)
	if self.dbErr != nil {
		return self.dbErr
	}
253
	root, err := self.trie.Commit(nil)
254 255 256 257 258 259
	if err == nil {
		self.data.Root = root
	}
	return err
}

260 261
// AddBalance removes amount from c's balance.
// It is used to add funds to the destination account of a transfer.
262
func (c *stateObject) AddBalance(amount *big.Int) {
263 264
	// EIP158: We must check emptiness for the objects such that the account
	// clearing (0,0,0 objects) can take effect.
265
	if amount.Sign() == 0 {
266 267 268 269
		if c.empty() {
			c.touch()
		}

270 271
		return
	}
272
	c.SetBalance(new(big.Int).Add(c.Balance(), amount))
273 274
}

275 276
// SubBalance removes amount from c's balance.
// It is used to remove funds from the origin account of a transfer.
277
func (c *stateObject) SubBalance(amount *big.Int) {
278
	if amount.Sign() == 0 {
279 280
		return
	}
281
	c.SetBalance(new(big.Int).Sub(c.Balance(), amount))
282 283
}

284
func (self *stateObject) SetBalance(amount *big.Int) {
285
	self.db.journal.append(balanceChange{
286 287 288 289 290 291
		account: &self.address,
		prev:    new(big.Int).Set(self.data.Balance),
	})
	self.setBalance(amount)
}

292
func (self *stateObject) setBalance(amount *big.Int) {
293
	self.data.Balance = amount
294 295
}

296
// Return the gas back to the origin. Used by the Virtual machine or Closures
297
func (c *stateObject) ReturnGas(gas *big.Int) {}
298

299 300
func (self *stateObject) deepCopy(db *StateDB) *stateObject {
	stateObject := newObject(db, self.address, self.data)
301
	if self.trie != nil {
302
		stateObject.trie = db.db.CopyTrie(self.trie)
303
	}
304
	stateObject.code = self.code
305
	stateObject.dirtyStorage = self.dirtyStorage.Copy()
306
	stateObject.originStorage = self.originStorage.Copy()
307
	stateObject.suicided = self.suicided
308
	stateObject.dirtyCode = self.dirtyCode
309
	stateObject.deleted = self.deleted
310 311 312 313 314 315 316 317
	return stateObject
}

//
// Attribute accessors
//

// Returns the address of the contract/account
318
func (c *stateObject) Address() common.Address {
319 320 321
	return c.address
}

322
// Code returns the contract code associated with this object, if any.
323
func (self *stateObject) Code(db Database) []byte {
324 325 326 327 328 329
	if self.code != nil {
		return self.code
	}
	if bytes.Equal(self.CodeHash(), emptyCodeHash) {
		return nil
	}
330
	code, err := db.ContractCode(self.addrHash, common.BytesToHash(self.CodeHash()))
331 332 333 334 335
	if err != nil {
		self.setError(fmt.Errorf("can't load code hash %x: %v", self.CodeHash(), err))
	}
	self.code = code
	return code
obscuren's avatar
obscuren committed
336 337
}

338
func (self *stateObject) SetCode(codeHash common.Hash, code []byte) {
339
	prevcode := self.Code(self.db.db)
340
	self.db.journal.append(codeChange{
341 342 343 344 345 346 347
		account:  &self.address,
		prevhash: self.CodeHash(),
		prevcode: prevcode,
	})
	self.setCode(codeHash, code)
}

348
func (self *stateObject) setCode(codeHash common.Hash, code []byte) {
349
	self.code = code
350
	self.data.CodeHash = codeHash[:]
351
	self.dirtyCode = true
352 353
}

354
func (self *stateObject) SetNonce(nonce uint64) {
355
	self.db.journal.append(nonceChange{
356 357 358 359 360 361
		account: &self.address,
		prev:    self.data.Nonce,
	})
	self.setNonce(nonce)
}

362
func (self *stateObject) setNonce(nonce uint64) {
363 364 365
	self.data.Nonce = nonce
}

366
func (self *stateObject) CodeHash() []byte {
367 368 369
	return self.data.CodeHash
}

370
func (self *stateObject) Balance() *big.Int {
371
	return self.data.Balance
372 373
}

374
func (self *stateObject) Nonce() uint64 {
375
	return self.data.Nonce
376 377
}

378
// Never called, but must be present to allow stateObject to be used
379 380
// as a vm.Account interface that also satisfies the vm.ContractRef
// interface. Interfaces are awesome.
381 382
func (self *stateObject) Value() *big.Int {
	panic("Value on stateObject should never be called")
383
}