worker.go 19 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437438439440441442443444445446447448449450451452453454455456457458459460461462463464465466467468469470471472473474475476477478479480481482483484485486487488489490491492493494495496497498499500501502503504505506507508509510511512513514515516517518519520521522523524525526527528529530531532533534535536537538539540541542543544545546547548549550551552553554555556557558559560561562563564565566567568569570571572573574575576577578579580581582583584585586587588589590591592593594595596597598599600601602603604605606607608609610611612613614615616617618619620621622623624625626627628629630631632633634635636637638639640641642643644645646647648649
  1. // Copyright 2015 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. // it under the terms of the GNU Lesser General Public License as published by
  6. // the Free Software Foundation, either version 3 of the License, or
  7. // (at your option) any later version.
  8. //
  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. // GNU Lesser General Public License for more details.
  13. //
  14. // 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. package miner
  17. import (
  18. "bytes"
  19. "fmt"
  20. "math/big"
  21. "sync"
  22. "sync/atomic"
  23. "time"
  24. "github.com/ethereum/go-ethereum/accounts"
  25. "github.com/ethereum/go-ethereum/common"
  26. "github.com/ethereum/go-ethereum/core"
  27. "github.com/ethereum/go-ethereum/core/state"
  28. "github.com/ethereum/go-ethereum/core/types"
  29. "github.com/ethereum/go-ethereum/core/vm"
  30. "github.com/ethereum/go-ethereum/ethdb"
  31. "github.com/ethereum/go-ethereum/event"
  32. "github.com/ethereum/go-ethereum/log"
  33. "github.com/ethereum/go-ethereum/params"
  34. "github.com/ethereum/go-ethereum/pow"
  35. "gopkg.in/fatih/set.v0"
  36. )
  37. const (
  38. resultQueueSize = 10
  39. miningLogAtDepth = 5
  40. )
  41. // Agent can register themself with the worker
  42. type Agent interface {
  43. Work() chan<- *Work
  44. SetReturnCh(chan<- *Result)
  45. Stop()
  46. Start()
  47. GetHashRate() int64
  48. }
  49. // Work is the workers current environment and holds
  50. // all of the current state information
  51. type Work struct {
  52. config *params.ChainConfig
  53. signer types.Signer
  54. state *state.StateDB // apply state changes here
  55. ancestors *set.Set // ancestor set (used for checking uncle parent validity)
  56. family *set.Set // family set (used for checking uncle invalidity)
  57. uncles *set.Set // uncle set
  58. tcount int // tx count in cycle
  59. ownedAccounts *set.Set
  60. lowGasTxs types.Transactions
  61. failedTxs types.Transactions
  62. Block *types.Block // the new block
  63. header *types.Header
  64. txs []*types.Transaction
  65. receipts []*types.Receipt
  66. createdAt time.Time
  67. }
  68. type Result struct {
  69. Work *Work
  70. Block *types.Block
  71. }
  72. // worker is the main object which takes care of applying messages to the new state
  73. type worker struct {
  74. config *params.ChainConfig
  75. mu sync.Mutex
  76. // update loop
  77. mux *event.TypeMux
  78. events *event.TypeMuxSubscription
  79. wg sync.WaitGroup
  80. agents map[Agent]struct{}
  81. recv chan *Result
  82. pow pow.PoW
  83. eth Backend
  84. chain *core.BlockChain
  85. proc core.Validator
  86. chainDb ethdb.Database
  87. coinbase common.Address
  88. gasPrice *big.Int
  89. extra []byte
  90. currentMu sync.Mutex
  91. current *Work
  92. uncleMu sync.Mutex
  93. possibleUncles map[common.Hash]*types.Block
  94. txQueueMu sync.Mutex
  95. txQueue map[common.Hash]*types.Transaction
  96. unconfirmed *unconfirmedBlocks // set of locally mined blocks pending canonicalness confirmations
  97. // atomic status counters
  98. mining int32
  99. atWork int32
  100. fullValidation bool
  101. }
  102. func newWorker(config *params.ChainConfig, coinbase common.Address, eth Backend, mux *event.TypeMux) *worker {
  103. worker := &worker{
  104. config: config,
  105. eth: eth,
  106. mux: mux,
  107. chainDb: eth.ChainDb(),
  108. recv: make(chan *Result, resultQueueSize),
  109. gasPrice: new(big.Int),
  110. chain: eth.BlockChain(),
  111. proc: eth.BlockChain().Validator(),
  112. possibleUncles: make(map[common.Hash]*types.Block),
  113. coinbase: coinbase,
  114. txQueue: make(map[common.Hash]*types.Transaction),
  115. agents: make(map[Agent]struct{}),
  116. unconfirmed: newUnconfirmedBlocks(eth.BlockChain(), 5),
  117. fullValidation: false,
  118. }
  119. worker.events = worker.mux.Subscribe(core.ChainHeadEvent{}, core.ChainSideEvent{}, core.TxPreEvent{})
  120. go worker.update()
  121. go worker.wait()
  122. worker.commitNewWork()
  123. return worker
  124. }
  125. func (self *worker) setEtherbase(addr common.Address) {
  126. self.mu.Lock()
  127. defer self.mu.Unlock()
  128. self.coinbase = addr
  129. }
  130. func (self *worker) setExtra(extra []byte) {
  131. self.mu.Lock()
  132. defer self.mu.Unlock()
  133. self.extra = extra
  134. }
  135. func (self *worker) pending() (*types.Block, *state.StateDB) {
  136. self.currentMu.Lock()
  137. defer self.currentMu.Unlock()
  138. if atomic.LoadInt32(&self.mining) == 0 {
  139. return types.NewBlock(
  140. self.current.header,
  141. self.current.txs,
  142. nil,
  143. self.current.receipts,
  144. ), self.current.state.Copy()
  145. }
  146. return self.current.Block, self.current.state.Copy()
  147. }
  148. func (self *worker) pendingBlock() *types.Block {
  149. self.currentMu.Lock()
  150. defer self.currentMu.Unlock()
  151. if atomic.LoadInt32(&self.mining) == 0 {
  152. return types.NewBlock(
  153. self.current.header,
  154. self.current.txs,
  155. nil,
  156. self.current.receipts,
  157. )
  158. }
  159. return self.current.Block
  160. }
  161. func (self *worker) start() {
  162. self.mu.Lock()
  163. defer self.mu.Unlock()
  164. atomic.StoreInt32(&self.mining, 1)
  165. // spin up agents
  166. for agent := range self.agents {
  167. agent.Start()
  168. }
  169. }
  170. func (self *worker) stop() {
  171. self.wg.Wait()
  172. self.mu.Lock()
  173. defer self.mu.Unlock()
  174. if atomic.LoadInt32(&self.mining) == 1 {
  175. // Stop all agents.
  176. for agent := range self.agents {
  177. agent.Stop()
  178. // Remove CPU agents.
  179. if _, ok := agent.(*CpuAgent); ok {
  180. delete(self.agents, agent)
  181. }
  182. }
  183. }
  184. atomic.StoreInt32(&self.mining, 0)
  185. atomic.StoreInt32(&self.atWork, 0)
  186. }
  187. func (self *worker) register(agent Agent) {
  188. self.mu.Lock()
  189. defer self.mu.Unlock()
  190. self.agents[agent] = struct{}{}
  191. agent.SetReturnCh(self.recv)
  192. }
  193. func (self *worker) unregister(agent Agent) {
  194. self.mu.Lock()
  195. defer self.mu.Unlock()
  196. delete(self.agents, agent)
  197. agent.Stop()
  198. }
  199. func (self *worker) update() {
  200. for event := range self.events.Chan() {
  201. // A real event arrived, process interesting content
  202. switch ev := event.Data.(type) {
  203. case core.ChainHeadEvent:
  204. self.commitNewWork()
  205. case core.ChainSideEvent:
  206. self.uncleMu.Lock()
  207. self.possibleUncles[ev.Block.Hash()] = ev.Block
  208. self.uncleMu.Unlock()
  209. case core.TxPreEvent:
  210. // Apply transaction to the pending state if we're not mining
  211. if atomic.LoadInt32(&self.mining) == 0 {
  212. self.currentMu.Lock()
  213. acc, _ := types.Sender(self.current.signer, ev.Tx)
  214. txs := map[common.Address]types.Transactions{acc: {ev.Tx}}
  215. txset := types.NewTransactionsByPriceAndNonce(txs)
  216. self.current.commitTransactions(self.mux, txset, self.gasPrice, self.chain)
  217. self.currentMu.Unlock()
  218. }
  219. }
  220. }
  221. }
  222. func (self *worker) wait() {
  223. for {
  224. mustCommitNewWork := true
  225. for result := range self.recv {
  226. atomic.AddInt32(&self.atWork, -1)
  227. if result == nil {
  228. continue
  229. }
  230. block := result.Block
  231. work := result.Work
  232. if self.fullValidation {
  233. if _, err := self.chain.InsertChain(types.Blocks{block}); err != nil {
  234. log.Error(fmt.Sprint("mining err", err))
  235. continue
  236. }
  237. go self.mux.Post(core.NewMinedBlockEvent{Block: block})
  238. } else {
  239. work.state.Commit(self.config.IsEIP158(block.Number()))
  240. parent := self.chain.GetBlock(block.ParentHash(), block.NumberU64()-1)
  241. if parent == nil {
  242. log.Error(fmt.Sprint("Invalid block found during mining"))
  243. continue
  244. }
  245. auxValidator := self.eth.BlockChain().AuxValidator()
  246. if err := core.ValidateHeader(self.config, auxValidator, block.Header(), parent.Header(), true, false); err != nil && err != core.BlockFutureErr {
  247. log.Error(fmt.Sprint("Invalid header on mined block:", err))
  248. continue
  249. }
  250. stat, err := self.chain.WriteBlock(block)
  251. if err != nil {
  252. log.Error(fmt.Sprint("error writing block to chain", err))
  253. continue
  254. }
  255. // update block hash since it is now available and not when the receipt/log of individual transactions were created
  256. for _, r := range work.receipts {
  257. for _, l := range r.Logs {
  258. l.BlockHash = block.Hash()
  259. }
  260. }
  261. for _, log := range work.state.Logs() {
  262. log.BlockHash = block.Hash()
  263. }
  264. // check if canon block and write transactions
  265. if stat == core.CanonStatTy {
  266. // This puts transactions in a extra db for rpc
  267. core.WriteTransactions(self.chainDb, block)
  268. // store the receipts
  269. core.WriteReceipts(self.chainDb, work.receipts)
  270. // Write map map bloom filters
  271. core.WriteMipmapBloom(self.chainDb, block.NumberU64(), work.receipts)
  272. // implicit by posting ChainHeadEvent
  273. mustCommitNewWork = false
  274. }
  275. // broadcast before waiting for validation
  276. go func(block *types.Block, logs []*types.Log, receipts []*types.Receipt) {
  277. self.mux.Post(core.NewMinedBlockEvent{Block: block})
  278. self.mux.Post(core.ChainEvent{Block: block, Hash: block.Hash(), Logs: logs})
  279. if stat == core.CanonStatTy {
  280. self.mux.Post(core.ChainHeadEvent{Block: block})
  281. self.mux.Post(logs)
  282. }
  283. if err := core.WriteBlockReceipts(self.chainDb, block.Hash(), block.NumberU64(), receipts); err != nil {
  284. log.Warn(fmt.Sprint("error writing block receipts:", err))
  285. }
  286. }(block, work.state.Logs(), work.receipts)
  287. }
  288. // Insert the block into the set of pending ones to wait for confirmations
  289. self.unconfirmed.Insert(block.NumberU64(), block.Hash())
  290. if mustCommitNewWork {
  291. self.commitNewWork()
  292. }
  293. }
  294. }
  295. }
  296. // push sends a new work task to currently live miner agents.
  297. func (self *worker) push(work *Work) {
  298. if atomic.LoadInt32(&self.mining) != 1 {
  299. return
  300. }
  301. for agent := range self.agents {
  302. atomic.AddInt32(&self.atWork, 1)
  303. if ch := agent.Work(); ch != nil {
  304. ch <- work
  305. }
  306. }
  307. }
  308. // makeCurrent creates a new environment for the current cycle.
  309. func (self *worker) makeCurrent(parent *types.Block, header *types.Header) error {
  310. state, err := self.chain.StateAt(parent.Root())
  311. if err != nil {
  312. return err
  313. }
  314. work := &Work{
  315. config: self.config,
  316. signer: types.NewEIP155Signer(self.config.ChainId),
  317. state: state,
  318. ancestors: set.New(),
  319. family: set.New(),
  320. uncles: set.New(),
  321. header: header,
  322. createdAt: time.Now(),
  323. }
  324. // when 08 is processed ancestors contain 07 (quick block)
  325. for _, ancestor := range self.chain.GetBlocksFromHash(parent.Hash(), 7) {
  326. for _, uncle := range ancestor.Uncles() {
  327. work.family.Add(uncle.Hash())
  328. }
  329. work.family.Add(ancestor.Hash())
  330. work.ancestors.Add(ancestor.Hash())
  331. }
  332. wallets := self.eth.AccountManager().Wallets()
  333. accounts := make([]accounts.Account, 0, len(wallets))
  334. for _, wallet := range wallets {
  335. accounts = append(accounts, wallet.Accounts()...)
  336. }
  337. // Keep track of transactions which return errors so they can be removed
  338. work.tcount = 0
  339. work.ownedAccounts = accountAddressesSet(accounts)
  340. self.current = work
  341. return nil
  342. }
  343. func (w *worker) setGasPrice(p *big.Int) {
  344. w.mu.Lock()
  345. defer w.mu.Unlock()
  346. // calculate the minimal gas price the miner accepts when sorting out transactions.
  347. const pct = int64(90)
  348. w.gasPrice = gasprice(p, pct)
  349. w.mux.Post(core.GasPriceChanged{Price: w.gasPrice})
  350. }
  351. func (self *worker) commitNewWork() {
  352. self.mu.Lock()
  353. defer self.mu.Unlock()
  354. self.uncleMu.Lock()
  355. defer self.uncleMu.Unlock()
  356. self.currentMu.Lock()
  357. defer self.currentMu.Unlock()
  358. tstart := time.Now()
  359. parent := self.chain.CurrentBlock()
  360. tstamp := tstart.Unix()
  361. if parent.Time().Cmp(new(big.Int).SetInt64(tstamp)) >= 0 {
  362. tstamp = parent.Time().Int64() + 1
  363. }
  364. // this will ensure we're not going off too far in the future
  365. if now := time.Now().Unix(); tstamp > now+4 {
  366. wait := time.Duration(tstamp-now) * time.Second
  367. log.Info(fmt.Sprint("We are too far in the future. Waiting for", wait))
  368. time.Sleep(wait)
  369. }
  370. num := parent.Number()
  371. header := &types.Header{
  372. ParentHash: parent.Hash(),
  373. Number: num.Add(num, common.Big1),
  374. Difficulty: core.CalcDifficulty(self.config, uint64(tstamp), parent.Time().Uint64(), parent.Number(), parent.Difficulty()),
  375. GasLimit: core.CalcGasLimit(parent),
  376. GasUsed: new(big.Int),
  377. Coinbase: self.coinbase,
  378. Extra: self.extra,
  379. Time: big.NewInt(tstamp),
  380. }
  381. // If we are care about TheDAO hard-fork check whether to override the extra-data or not
  382. if daoBlock := self.config.DAOForkBlock; daoBlock != nil {
  383. // Check whether the block is among the fork extra-override range
  384. limit := new(big.Int).Add(daoBlock, params.DAOForkExtraRange)
  385. if header.Number.Cmp(daoBlock) >= 0 && header.Number.Cmp(limit) < 0 {
  386. // Depending whether we support or oppose the fork, override differently
  387. if self.config.DAOForkSupport {
  388. header.Extra = common.CopyBytes(params.DAOForkBlockExtra)
  389. } else if bytes.Equal(header.Extra, params.DAOForkBlockExtra) {
  390. header.Extra = []byte{} // If miner opposes, don't let it use the reserved extra-data
  391. }
  392. }
  393. }
  394. // Could potentially happen if starting to mine in an odd state.
  395. err := self.makeCurrent(parent, header)
  396. if err != nil {
  397. log.Info(fmt.Sprint("Could not create new env for mining, retrying on next block."))
  398. return
  399. }
  400. // Create the current work task and check any fork transitions needed
  401. work := self.current
  402. if self.config.DAOForkSupport && self.config.DAOForkBlock != nil && self.config.DAOForkBlock.Cmp(header.Number) == 0 {
  403. core.ApplyDAOHardFork(work.state)
  404. }
  405. pending, err := self.eth.TxPool().Pending()
  406. if err != nil {
  407. log.Error(fmt.Sprintf("Could not fetch pending transactions: %v", err))
  408. return
  409. }
  410. txs := types.NewTransactionsByPriceAndNonce(pending)
  411. work.commitTransactions(self.mux, txs, self.gasPrice, self.chain)
  412. self.eth.TxPool().RemoveBatch(work.lowGasTxs)
  413. self.eth.TxPool().RemoveBatch(work.failedTxs)
  414. // compute uncles for the new block.
  415. var (
  416. uncles []*types.Header
  417. badUncles []common.Hash
  418. )
  419. for hash, uncle := range self.possibleUncles {
  420. if len(uncles) == 2 {
  421. break
  422. }
  423. if err := self.commitUncle(work, uncle.Header()); err != nil {
  424. log.Trace(fmt.Sprintf("Bad uncle found and will be removed (%x)\n", hash[:4]))
  425. log.Trace(fmt.Sprint(uncle))
  426. badUncles = append(badUncles, hash)
  427. } else {
  428. log.Debug(fmt.Sprintf("committing %x as uncle\n", hash[:4]))
  429. uncles = append(uncles, uncle.Header())
  430. }
  431. }
  432. for _, hash := range badUncles {
  433. delete(self.possibleUncles, hash)
  434. }
  435. if atomic.LoadInt32(&self.mining) == 1 {
  436. // commit state root after all state transitions.
  437. core.AccumulateRewards(work.state, header, uncles)
  438. header.Root = work.state.IntermediateRoot(self.config.IsEIP158(header.Number))
  439. }
  440. // create the new block whose nonce will be mined.
  441. work.Block = types.NewBlock(header, work.txs, uncles, work.receipts)
  442. // We only care about logging if we're actually mining.
  443. if atomic.LoadInt32(&self.mining) == 1 {
  444. log.Info(fmt.Sprintf("commit new work on block %v with %d txs & %d uncles. Took %v\n", work.Block.Number(), work.tcount, len(uncles), time.Since(tstart)))
  445. self.unconfirmed.Shift(work.Block.NumberU64() - 1)
  446. }
  447. self.push(work)
  448. }
  449. func (self *worker) commitUncle(work *Work, uncle *types.Header) error {
  450. hash := uncle.Hash()
  451. if work.uncles.Has(hash) {
  452. return core.UncleError("Uncle not unique")
  453. }
  454. if !work.ancestors.Has(uncle.ParentHash) {
  455. return core.UncleError(fmt.Sprintf("Uncle's parent unknown (%x)", uncle.ParentHash[0:4]))
  456. }
  457. if work.family.Has(hash) {
  458. return core.UncleError(fmt.Sprintf("Uncle already in family (%x)", hash))
  459. }
  460. work.uncles.Add(uncle.Hash())
  461. return nil
  462. }
  463. func (env *Work) commitTransactions(mux *event.TypeMux, txs *types.TransactionsByPriceAndNonce, gasPrice *big.Int, bc *core.BlockChain) {
  464. gp := new(core.GasPool).AddGas(env.header.GasLimit)
  465. var coalescedLogs []*types.Log
  466. for {
  467. // Retrieve the next transaction and abort if all done
  468. tx := txs.Peek()
  469. if tx == nil {
  470. break
  471. }
  472. // Error may be ignored here. The error has already been checked
  473. // during transaction acceptance is the transaction pool.
  474. //
  475. // We use the eip155 signer regardless of the current hf.
  476. from, _ := types.Sender(env.signer, tx)
  477. // Check whether the tx is replay protected. If we're not in the EIP155 hf
  478. // phase, start ignoring the sender until we do.
  479. if tx.Protected() && !env.config.IsEIP155(env.header.Number) {
  480. log.Trace(fmt.Sprintf("Transaction (%x) is replay protected, but we haven't yet hardforked. Transaction will be ignored until we hardfork.\n", tx.Hash()))
  481. txs.Pop()
  482. continue
  483. }
  484. // Ignore any transactions (and accounts subsequently) with low gas limits
  485. if tx.GasPrice().Cmp(gasPrice) < 0 && !env.ownedAccounts.Has(from) {
  486. // Pop the current low-priced transaction without shifting in the next from the account
  487. log.Info(fmt.Sprintf("Transaction (%x) below gas price (tx=%dwei ask=%dwei). All sequential txs from this address(%x) will be ignored\n", tx.Hash().Bytes()[:4], tx.GasPrice(), gasPrice, from[:4]))
  488. env.lowGasTxs = append(env.lowGasTxs, tx)
  489. txs.Pop()
  490. continue
  491. }
  492. // Start executing the transaction
  493. env.state.StartRecord(tx.Hash(), common.Hash{}, env.tcount)
  494. err, logs := env.commitTransaction(tx, bc, gp)
  495. switch {
  496. case core.IsGasLimitErr(err):
  497. // Pop the current out-of-gas transaction without shifting in the next from the account
  498. log.Trace(fmt.Sprintf("Gas limit reached for (%x) in this block. Continue to try smaller txs\n", from[:4]))
  499. txs.Pop()
  500. case err != nil:
  501. // Pop the current failed transaction without shifting in the next from the account
  502. log.Trace(fmt.Sprintf("Transaction (%x) failed, will be removed: %v\n", tx.Hash().Bytes()[:4], err))
  503. env.failedTxs = append(env.failedTxs, tx)
  504. txs.Pop()
  505. default:
  506. // Everything ok, collect the logs and shift in the next transaction from the same account
  507. coalescedLogs = append(coalescedLogs, logs...)
  508. env.tcount++
  509. txs.Shift()
  510. }
  511. }
  512. if len(coalescedLogs) > 0 || env.tcount > 0 {
  513. // make a copy, the state caches the logs and these logs get "upgraded" from pending to mined
  514. // logs by filling in the block hash when the block was mined by the local miner. This can
  515. // cause a race condition if a log was "upgraded" before the PendingLogsEvent is processed.
  516. cpy := make([]*types.Log, len(coalescedLogs))
  517. for i, l := range coalescedLogs {
  518. cpy[i] = new(types.Log)
  519. *cpy[i] = *l
  520. }
  521. go func(logs []*types.Log, tcount int) {
  522. if len(logs) > 0 {
  523. mux.Post(core.PendingLogsEvent{Logs: logs})
  524. }
  525. if tcount > 0 {
  526. mux.Post(core.PendingStateEvent{})
  527. }
  528. }(cpy, env.tcount)
  529. }
  530. }
  531. func (env *Work) commitTransaction(tx *types.Transaction, bc *core.BlockChain, gp *core.GasPool) (error, []*types.Log) {
  532. snap := env.state.Snapshot()
  533. receipt, _, err := core.ApplyTransaction(env.config, bc, gp, env.state, env.header, tx, env.header.GasUsed, vm.Config{})
  534. if err != nil {
  535. env.state.RevertToSnapshot(snap)
  536. return err, nil
  537. }
  538. env.txs = append(env.txs, tx)
  539. env.receipts = append(env.receipts, receipt)
  540. return nil, receipt.Logs
  541. }
  542. // TODO: remove or use
  543. func (self *worker) HashRate() int64 {
  544. return 0
  545. }
  546. // gasprice calculates a reduced gas price based on the pct
  547. // XXX Use big.Rat?
  548. func gasprice(price *big.Int, pct int64) *big.Int {
  549. p := new(big.Int).Set(price)
  550. p.Div(p, big.NewInt(100))
  551. p.Mul(p, big.NewInt(pct))
  552. return p
  553. }
  554. func accountAddressesSet(accounts []accounts.Account) *set.Set {
  555. accountSet := set.New()
  556. for _, account := range accounts {
  557. accountSet.Add(account.Address)
  558. }
  559. return accountSet
  560. }