worker.go 20 KB

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