worker.go 18 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437438439440441442443444445446447448449450451452453454455456457458459460461462463464465466467468469470471472473474475476477478479480481482483484485486487488489490491492493494495496497498499500501502503504505506507508509510511512513514515516517518519520521522523524525526527528529530531532533534535536537538539540541542543544545546547548549550551552553554555556557558559560561562563564565566567568569570571572573574575576577578579580581582583584585586587588589590591592593594595596597598599600601602603604605606607608609610611612613614615
  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. "fmt"
  19. "math/big"
  20. "sort"
  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/event"
  30. "github.com/ethereum/go-ethereum/logger"
  31. "github.com/ethereum/go-ethereum/logger/glog"
  32. "github.com/ethereum/go-ethereum/pow"
  33. "gopkg.in/fatih/set.v0"
  34. )
  35. var jsonlogger = logger.NewJsonLogger()
  36. const (
  37. resultQueueSize = 10
  38. miningLogAtDepth = 5
  39. )
  40. // Agent can register themself with the worker
  41. type Agent interface {
  42. Work() chan<- *Work
  43. SetReturnCh(chan<- *Result)
  44. Stop()
  45. Start()
  46. GetHashRate() int64
  47. }
  48. type uint64RingBuffer struct {
  49. ints []uint64 //array of all integers in buffer
  50. next int //where is the next insertion? assert 0 <= next < len(ints)
  51. }
  52. // environment is the workers current environment and holds
  53. // all of the current state information
  54. type Work struct {
  55. state *state.StateDB // apply state changes here
  56. coinbase *state.StateObject // the miner's account
  57. ancestors *set.Set // ancestor set (used for checking uncle parent validity)
  58. family *set.Set // family set (used for checking uncle invalidity)
  59. uncles *set.Set // uncle set
  60. remove *set.Set // tx which will be removed
  61. tcount int // tx count in cycle
  62. ignoredTransactors *set.Set
  63. lowGasTransactors *set.Set
  64. ownedAccounts *set.Set
  65. lowGasTxs types.Transactions
  66. localMinedBlocks *uint64RingBuffer // the most recent block numbers that were mined locally (used to check block inclusion)
  67. Block *types.Block // the new block
  68. header *types.Header
  69. txs []*types.Transaction
  70. receipts []*types.Receipt
  71. createdAt time.Time
  72. }
  73. type Result struct {
  74. Work *Work
  75. Block *types.Block
  76. }
  77. // worker is the main object which takes care of applying messages to the new state
  78. type worker struct {
  79. mu sync.Mutex
  80. agents []Agent
  81. recv chan *Result
  82. mux *event.TypeMux
  83. quit chan struct{}
  84. pow pow.PoW
  85. eth core.Backend
  86. chain *core.ChainManager
  87. proc *core.BlockProcessor
  88. extraDb common.Database
  89. coinbase common.Address
  90. gasPrice *big.Int
  91. extra []byte
  92. currentMu sync.Mutex
  93. current *Work
  94. uncleMu sync.Mutex
  95. possibleUncles map[common.Hash]*types.Block
  96. txQueueMu sync.Mutex
  97. txQueue map[common.Hash]*types.Transaction
  98. // atomic status counters
  99. mining int32
  100. atWork int32
  101. fullValidation bool
  102. }
  103. func newWorker(coinbase common.Address, eth core.Backend) *worker {
  104. worker := &worker{
  105. eth: eth,
  106. mux: eth.EventMux(),
  107. extraDb: eth.ExtraDb(),
  108. recv: make(chan *Result, resultQueueSize),
  109. gasPrice: new(big.Int),
  110. chain: eth.ChainManager(),
  111. proc: eth.BlockProcessor(),
  112. possibleUncles: make(map[common.Hash]*types.Block),
  113. coinbase: coinbase,
  114. txQueue: make(map[common.Hash]*types.Transaction),
  115. quit: make(chan struct{}),
  116. fullValidation: false,
  117. }
  118. go worker.update()
  119. go worker.wait()
  120. worker.commitNewWork()
  121. return worker
  122. }
  123. func (self *worker) setEtherbase(addr common.Address) {
  124. self.mu.Lock()
  125. defer self.mu.Unlock()
  126. self.coinbase = addr
  127. }
  128. func (self *worker) pendingState() *state.StateDB {
  129. self.currentMu.Lock()
  130. defer self.currentMu.Unlock()
  131. return self.current.state
  132. }
  133. func (self *worker) pendingBlock() *types.Block {
  134. self.currentMu.Lock()
  135. defer self.currentMu.Unlock()
  136. if atomic.LoadInt32(&self.mining) == 0 {
  137. return types.NewBlock(
  138. self.current.header,
  139. self.current.txs,
  140. nil,
  141. self.current.receipts,
  142. )
  143. }
  144. return self.current.Block
  145. }
  146. func (self *worker) start() {
  147. self.mu.Lock()
  148. defer self.mu.Unlock()
  149. atomic.StoreInt32(&self.mining, 1)
  150. // spin up agents
  151. for _, agent := range self.agents {
  152. agent.Start()
  153. }
  154. }
  155. func (self *worker) stop() {
  156. self.mu.Lock()
  157. defer self.mu.Unlock()
  158. if atomic.LoadInt32(&self.mining) == 1 {
  159. var keep []Agent
  160. // stop all agents
  161. for _, agent := range self.agents {
  162. agent.Stop()
  163. // keep all that's not a cpu agent
  164. if _, ok := agent.(*CpuAgent); !ok {
  165. keep = append(keep, agent)
  166. }
  167. }
  168. self.agents = keep
  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 = append(self.agents, agent)
  177. agent.SetReturnCh(self.recv)
  178. }
  179. func (self *worker) update() {
  180. events := self.mux.Subscribe(core.ChainHeadEvent{}, core.ChainSideEvent{}, core.TxPreEvent{})
  181. out:
  182. for {
  183. select {
  184. case event := <-events.Chan():
  185. switch ev := event.(type) {
  186. case core.ChainHeadEvent:
  187. self.commitNewWork()
  188. case core.ChainSideEvent:
  189. self.uncleMu.Lock()
  190. self.possibleUncles[ev.Block.Hash()] = ev.Block
  191. self.uncleMu.Unlock()
  192. case core.TxPreEvent:
  193. // Apply transaction to the pending state if we're not mining
  194. if atomic.LoadInt32(&self.mining) == 0 {
  195. self.currentMu.Lock()
  196. self.current.commitTransactions(types.Transactions{ev.Tx}, self.gasPrice, self.proc)
  197. self.currentMu.Unlock()
  198. }
  199. }
  200. case <-self.quit:
  201. break out
  202. }
  203. }
  204. events.Unsubscribe()
  205. }
  206. func newLocalMinedBlock(blockNumber uint64, prevMinedBlocks *uint64RingBuffer) (minedBlocks *uint64RingBuffer) {
  207. if prevMinedBlocks == nil {
  208. minedBlocks = &uint64RingBuffer{next: 0, ints: make([]uint64, miningLogAtDepth+1)}
  209. } else {
  210. minedBlocks = prevMinedBlocks
  211. }
  212. minedBlocks.ints[minedBlocks.next] = blockNumber
  213. minedBlocks.next = (minedBlocks.next + 1) % len(minedBlocks.ints)
  214. return minedBlocks
  215. }
  216. func (self *worker) wait() {
  217. for {
  218. for result := range self.recv {
  219. atomic.AddInt32(&self.atWork, -1)
  220. if result == nil {
  221. continue
  222. }
  223. block := result.Block
  224. self.current.state.Sync()
  225. if self.fullValidation {
  226. if _, err := self.chain.InsertChain(types.Blocks{block}); err != nil {
  227. glog.V(logger.Error).Infoln("mining err", err)
  228. continue
  229. }
  230. go self.mux.Post(core.NewMinedBlockEvent{block})
  231. } else {
  232. parent := self.chain.GetBlock(block.ParentHash())
  233. if parent == nil {
  234. glog.V(logger.Error).Infoln("Invalid block found during mining")
  235. continue
  236. }
  237. if err := core.ValidateHeader(self.eth.BlockProcessor().Pow, block.Header(), parent, true); err != nil && err != core.BlockFutureErr {
  238. glog.V(logger.Error).Infoln("Invalid header on mined block:", err)
  239. continue
  240. }
  241. stat, err := self.chain.WriteBlock(block, false)
  242. if err != nil {
  243. glog.V(logger.Error).Infoln("error writing block to chain", err)
  244. continue
  245. }
  246. // check if canon block and write transactions
  247. if stat == core.CanonStatTy {
  248. // This puts transactions in a extra db for rpc
  249. core.PutTransactions(self.extraDb, block, block.Transactions())
  250. // store the receipts
  251. core.PutReceipts(self.extraDb, self.current.receipts)
  252. }
  253. // broadcast before waiting for validation
  254. go func(block *types.Block, logs state.Logs) {
  255. self.mux.Post(core.NewMinedBlockEvent{block})
  256. self.mux.Post(core.ChainEvent{block, block.Hash(), logs})
  257. if stat == core.CanonStatTy {
  258. self.mux.Post(core.ChainHeadEvent{block})
  259. self.mux.Post(logs)
  260. }
  261. }(block, self.current.state.Logs())
  262. }
  263. // check staleness and display confirmation
  264. var stale, confirm string
  265. canonBlock := self.chain.GetBlockByNumber(block.NumberU64())
  266. if canonBlock != nil && canonBlock.Hash() != block.Hash() {
  267. stale = "stale "
  268. } else {
  269. confirm = "Wait 5 blocks for confirmation"
  270. self.current.localMinedBlocks = newLocalMinedBlock(block.Number().Uint64(), self.current.localMinedBlocks)
  271. }
  272. glog.V(logger.Info).Infof("🔨 Mined %sblock (#%v / %x). %s", stale, block.Number(), block.Hash().Bytes()[:4], confirm)
  273. self.commitNewWork()
  274. }
  275. }
  276. }
  277. func (self *worker) push() {
  278. if atomic.LoadInt32(&self.mining) == 1 {
  279. if core.Canary(self.current.state) {
  280. glog.Infoln("Toxicity levels rising to deadly levels. Your canary has died. You can go back or continue down the mineshaft --more--")
  281. glog.Infoln("You turn back and abort mining")
  282. return
  283. }
  284. // push new work to agents
  285. for _, agent := range self.agents {
  286. atomic.AddInt32(&self.atWork, 1)
  287. if agent.Work() != nil {
  288. agent.Work() <- self.current
  289. }
  290. }
  291. }
  292. }
  293. // makeCurrent creates a new environment for the current cycle.
  294. func (self *worker) makeCurrent(parent *types.Block, header *types.Header) {
  295. state := state.New(parent.Root(), self.eth.StateDb())
  296. current := &Work{
  297. state: state,
  298. ancestors: set.New(),
  299. family: set.New(),
  300. uncles: set.New(),
  301. header: header,
  302. coinbase: state.GetOrNewStateObject(self.coinbase),
  303. createdAt: time.Now(),
  304. }
  305. // when 08 is processed ancestors contain 07 (quick block)
  306. for _, ancestor := range self.chain.GetBlocksFromHash(parent.Hash(), 7) {
  307. for _, uncle := range ancestor.Uncles() {
  308. current.family.Add(uncle.Hash())
  309. }
  310. current.family.Add(ancestor.Hash())
  311. current.ancestors.Add(ancestor.Hash())
  312. }
  313. accounts, _ := self.eth.AccountManager().Accounts()
  314. // Keep track of transactions which return errors so they can be removed
  315. current.remove = set.New()
  316. current.tcount = 0
  317. current.ignoredTransactors = set.New()
  318. current.lowGasTransactors = set.New()
  319. current.ownedAccounts = accountAddressesSet(accounts)
  320. if self.current != nil {
  321. current.localMinedBlocks = self.current.localMinedBlocks
  322. }
  323. self.current = current
  324. }
  325. func (w *worker) setGasPrice(p *big.Int) {
  326. w.mu.Lock()
  327. defer w.mu.Unlock()
  328. // calculate the minimal gas price the miner accepts when sorting out transactions.
  329. const pct = int64(90)
  330. w.gasPrice = gasprice(p, pct)
  331. w.mux.Post(core.GasPriceChanged{w.gasPrice})
  332. }
  333. func (self *worker) isBlockLocallyMined(deepBlockNum uint64) bool {
  334. //Did this instance mine a block at {deepBlockNum} ?
  335. var isLocal = false
  336. for idx, blockNum := range self.current.localMinedBlocks.ints {
  337. if deepBlockNum == blockNum {
  338. isLocal = true
  339. self.current.localMinedBlocks.ints[idx] = 0 //prevent showing duplicate logs
  340. break
  341. }
  342. }
  343. //Short-circuit on false, because the previous and following tests must both be true
  344. if !isLocal {
  345. return false
  346. }
  347. //Does the block at {deepBlockNum} send earnings to my coinbase?
  348. var block = self.chain.GetBlockByNumber(deepBlockNum)
  349. return block != nil && block.Coinbase() == self.coinbase
  350. }
  351. func (self *worker) logLocalMinedBlocks(previous *Work) {
  352. if previous != nil && self.current.localMinedBlocks != nil {
  353. nextBlockNum := self.current.Block.NumberU64()
  354. for checkBlockNum := previous.Block.NumberU64(); checkBlockNum < nextBlockNum; checkBlockNum++ {
  355. inspectBlockNum := checkBlockNum - miningLogAtDepth
  356. if self.isBlockLocallyMined(inspectBlockNum) {
  357. glog.V(logger.Info).Infof("🔨 🔗 Mined %d blocks back: block #%v", miningLogAtDepth, inspectBlockNum)
  358. }
  359. }
  360. }
  361. }
  362. func (self *worker) commitNewWork() {
  363. self.mu.Lock()
  364. defer self.mu.Unlock()
  365. self.uncleMu.Lock()
  366. defer self.uncleMu.Unlock()
  367. self.currentMu.Lock()
  368. defer self.currentMu.Unlock()
  369. tstart := time.Now()
  370. parent := self.chain.CurrentBlock()
  371. tstamp := tstart.Unix()
  372. if tstamp <= int64(parent.Time()) {
  373. tstamp = int64(parent.Time()) + 1
  374. }
  375. // this will ensure we're not going off too far in the future
  376. if now := time.Now().Unix(); tstamp > now+4 {
  377. wait := time.Duration(tstamp-now) * time.Second
  378. glog.V(logger.Info).Infoln("We are too far in the future. Waiting for", wait)
  379. time.Sleep(wait)
  380. }
  381. num := parent.Number()
  382. header := &types.Header{
  383. ParentHash: parent.Hash(),
  384. Number: num.Add(num, common.Big1),
  385. Difficulty: core.CalcDifficulty(uint64(tstamp), parent.Time(), parent.Number(), parent.Difficulty()),
  386. GasLimit: core.CalcGasLimit(parent),
  387. GasUsed: new(big.Int),
  388. Coinbase: self.coinbase,
  389. Extra: self.extra,
  390. Time: uint64(tstamp),
  391. }
  392. previous := self.current
  393. self.makeCurrent(parent, header)
  394. current := self.current
  395. // commit transactions for this run.
  396. transactions := self.eth.TxPool().GetTransactions()
  397. sort.Sort(types.TxByNonce{transactions})
  398. current.coinbase.SetGasLimit(header.GasLimit)
  399. current.commitTransactions(transactions, self.gasPrice, self.proc)
  400. self.eth.TxPool().RemoveTransactions(current.lowGasTxs)
  401. // compute uncles for the new block.
  402. var (
  403. uncles []*types.Header
  404. badUncles []common.Hash
  405. )
  406. for hash, uncle := range self.possibleUncles {
  407. if len(uncles) == 2 {
  408. break
  409. }
  410. if err := self.commitUncle(uncle.Header()); err != nil {
  411. if glog.V(logger.Ridiculousness) {
  412. glog.V(logger.Detail).Infof("Bad uncle found and will be removed (%x)\n", hash[:4])
  413. glog.V(logger.Detail).Infoln(uncle)
  414. }
  415. badUncles = append(badUncles, hash)
  416. } else {
  417. glog.V(logger.Debug).Infof("commiting %x as uncle\n", hash[:4])
  418. uncles = append(uncles, uncle.Header())
  419. }
  420. }
  421. for _, hash := range badUncles {
  422. delete(self.possibleUncles, hash)
  423. }
  424. if atomic.LoadInt32(&self.mining) == 1 {
  425. // commit state root after all state transitions.
  426. core.AccumulateRewards(self.current.state, header, uncles)
  427. current.state.SyncObjects()
  428. header.Root = current.state.Root()
  429. }
  430. // create the new block whose nonce will be mined.
  431. current.Block = types.NewBlock(header, current.txs, uncles, current.receipts)
  432. self.current.Block.Td = new(big.Int).Set(core.CalcTD(self.current.Block, self.chain.GetBlock(self.current.Block.ParentHash())))
  433. // We only care about logging if we're actually mining.
  434. if atomic.LoadInt32(&self.mining) == 1 {
  435. glog.V(logger.Info).Infof("commit new work on block %v with %d txs & %d uncles. Took %v\n", current.Block.Number(), current.tcount, len(uncles), time.Since(tstart))
  436. self.logLocalMinedBlocks(previous)
  437. }
  438. self.push()
  439. }
  440. func (self *worker) commitUncle(uncle *types.Header) error {
  441. hash := uncle.Hash()
  442. if self.current.uncles.Has(hash) {
  443. return core.UncleError("Uncle not unique")
  444. }
  445. if !self.current.ancestors.Has(uncle.ParentHash) {
  446. return core.UncleError(fmt.Sprintf("Uncle's parent unknown (%x)", uncle.ParentHash[0:4]))
  447. }
  448. if self.current.family.Has(hash) {
  449. return core.UncleError(fmt.Sprintf("Uncle already in family (%x)", hash))
  450. }
  451. self.current.uncles.Add(uncle.Hash())
  452. return nil
  453. }
  454. func (env *Work) commitTransactions(transactions types.Transactions, gasPrice *big.Int, proc *core.BlockProcessor) {
  455. for _, tx := range transactions {
  456. // We can skip err. It has already been validated in the tx pool
  457. from, _ := tx.From()
  458. // Check if it falls within margin. Txs from owned accounts are always processed.
  459. if tx.GasPrice().Cmp(gasPrice) < 0 && !env.ownedAccounts.Has(from) {
  460. // ignore the transaction and transactor. We ignore the transactor
  461. // because nonce will fail after ignoring this transaction so there's
  462. // no point
  463. env.lowGasTransactors.Add(from)
  464. 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])
  465. }
  466. // Continue with the next transaction if the transaction sender is included in
  467. // the low gas tx set. This will also remove the tx and all sequential transaction
  468. // from this transactor
  469. if env.lowGasTransactors.Has(from) {
  470. // add tx to the low gas set. This will be removed at the end of the run
  471. // owned accounts are ignored
  472. if !env.ownedAccounts.Has(from) {
  473. env.lowGasTxs = append(env.lowGasTxs, tx)
  474. }
  475. continue
  476. }
  477. // Move on to the next transaction when the transactor is in ignored transactions set
  478. // This may occur when a transaction hits the gas limit. When a gas limit is hit and
  479. // the transaction is processed (that could potentially be included in the block) it
  480. // will throw a nonce error because the previous transaction hasn't been processed.
  481. // Therefor we need to ignore any transaction after the ignored one.
  482. if env.ignoredTransactors.Has(from) {
  483. continue
  484. }
  485. env.state.StartRecord(tx.Hash(), common.Hash{}, 0)
  486. err := env.commitTransaction(tx, proc)
  487. switch {
  488. case state.IsGasLimitErr(err):
  489. // ignore the transactor so no nonce errors will be thrown for this account
  490. // next time the worker is run, they'll be picked up again.
  491. env.ignoredTransactors.Add(from)
  492. glog.V(logger.Detail).Infof("Gas limit reached for (%x) in this block. Continue to try smaller txs\n", from[:4])
  493. case err != nil:
  494. env.remove.Add(tx.Hash())
  495. if glog.V(logger.Detail) {
  496. glog.Infof("TX (%x) failed, will be removed: %v\n", tx.Hash().Bytes()[:4], err)
  497. }
  498. default:
  499. env.tcount++
  500. }
  501. }
  502. }
  503. func (env *Work) commitTransaction(tx *types.Transaction, proc *core.BlockProcessor) error {
  504. snap := env.state.Copy()
  505. receipt, _, err := proc.ApplyTransaction(env.coinbase, env.state, env.header, tx, env.header.GasUsed, true)
  506. if err != nil {
  507. env.state.Set(snap)
  508. return err
  509. }
  510. env.txs = append(env.txs, tx)
  511. env.receipts = append(env.receipts, receipt)
  512. return nil
  513. }
  514. // TODO: remove or use
  515. func (self *worker) HashRate() int64 {
  516. return 0
  517. }
  518. // gasprice calculates a reduced gas price based on the pct
  519. // XXX Use big.Rat?
  520. func gasprice(price *big.Int, pct int64) *big.Int {
  521. p := new(big.Int).Set(price)
  522. p.Div(p, big.NewInt(100))
  523. p.Mul(p, big.NewInt(pct))
  524. return p
  525. }
  526. func accountAddressesSet(accounts []accounts.Account) *set.Set {
  527. accountSet := set.New()
  528. for _, account := range accounts {
  529. accountSet.Add(account.Address)
  530. }
  531. return accountSet
  532. }