You can not select more than 25 topics Topics must start with a letter or number, can include dashes ('-') and can be up to 35 characters long.

418 lines
14 KiB

7 years ago
6 years ago
8 years ago
8 years ago
8 years ago
6 years ago
6 years ago
8 years ago
8 years ago
8 years ago
8 years ago
8 years ago
8 years ago
8 years ago
8 years ago
8 years ago
6 years ago
6 years ago
6 years ago
6 years ago
8 years ago
6 years ago
8 years ago
  1. package state
  2. import (
  3. "fmt"
  4. fail "github.com/ebuchman/fail-test"
  5. abci "github.com/tendermint/tendermint/abci/types"
  6. dbm "github.com/tendermint/tendermint/libs/db"
  7. "github.com/tendermint/tendermint/libs/log"
  8. "github.com/tendermint/tendermint/proxy"
  9. "github.com/tendermint/tendermint/types"
  10. )
  11. //-----------------------------------------------------------------------------
  12. // BlockExecutor handles block execution and state updates.
  13. // It exposes ApplyBlock(), which validates & executes the block, updates state w/ ABCI responses,
  14. // then commits and updates the mempool atomically, then saves state.
  15. // BlockExecutor provides the context and accessories for properly executing a block.
  16. type BlockExecutor struct {
  17. // save state, validators, consensus params, abci responses here
  18. db dbm.DB
  19. // execute the app against this
  20. proxyApp proxy.AppConnConsensus
  21. // events
  22. eventBus types.BlockEventPublisher
  23. // update these with block results after commit
  24. mempool Mempool
  25. evpool EvidencePool
  26. logger log.Logger
  27. }
  28. // NewBlockExecutor returns a new BlockExecutor with a NopEventBus.
  29. // Call SetEventBus to provide one.
  30. func NewBlockExecutor(db dbm.DB, logger log.Logger, proxyApp proxy.AppConnConsensus,
  31. mempool Mempool, evpool EvidencePool) *BlockExecutor {
  32. return &BlockExecutor{
  33. db: db,
  34. proxyApp: proxyApp,
  35. eventBus: types.NopEventBus{},
  36. mempool: mempool,
  37. evpool: evpool,
  38. logger: logger,
  39. }
  40. }
  41. // SetEventBus - sets the event bus for publishing block related events.
  42. // If not called, it defaults to types.NopEventBus.
  43. func (blockExec *BlockExecutor) SetEventBus(eventBus types.BlockEventPublisher) {
  44. blockExec.eventBus = eventBus
  45. }
  46. // ValidateBlock validates the given block against the given state.
  47. // If the block is invalid, it returns an error.
  48. // Validation does not mutate state, but does require historical information from the stateDB,
  49. // ie. to verify evidence from a validator at an old height.
  50. func (blockExec *BlockExecutor) ValidateBlock(state State, block *types.Block) error {
  51. return validateBlock(blockExec.db, state, block)
  52. }
  53. // ApplyBlock validates the block against the state, executes it against the app,
  54. // fires the relevant events, commits the app, and saves the new state and responses.
  55. // It's the only function that needs to be called
  56. // from outside this package to process and commit an entire block.
  57. // It takes a blockID to avoid recomputing the parts hash.
  58. func (blockExec *BlockExecutor) ApplyBlock(state State, blockID types.BlockID, block *types.Block) (State, error) {
  59. if err := blockExec.ValidateBlock(state, block); err != nil {
  60. return state, ErrInvalidBlock(err)
  61. }
  62. abciResponses, err := execBlockOnProxyApp(blockExec.logger, blockExec.proxyApp, block, state.LastValidators, blockExec.db)
  63. if err != nil {
  64. return state, ErrProxyAppConn(err)
  65. }
  66. fail.Fail() // XXX
  67. // Save the results before we commit.
  68. saveABCIResponses(blockExec.db, block.Height, abciResponses)
  69. fail.Fail() // XXX
  70. // Update the state with the block and responses.
  71. state, err = updateState(state, blockID, &block.Header, abciResponses)
  72. if err != nil {
  73. return state, fmt.Errorf("Commit failed for application: %v", err)
  74. }
  75. // Lock mempool, commit app state, update mempoool.
  76. appHash, err := blockExec.Commit(state, block)
  77. if err != nil {
  78. return state, fmt.Errorf("Commit failed for application: %v", err)
  79. }
  80. // Update evpool with the block and state.
  81. blockExec.evpool.Update(block, state)
  82. fail.Fail() // XXX
  83. // Update the app hash and save the state.
  84. state.AppHash = appHash
  85. SaveState(blockExec.db, state)
  86. fail.Fail() // XXX
  87. // Events are fired after everything else.
  88. // NOTE: if we crash between Commit and Save, events wont be fired during replay
  89. fireEvents(blockExec.logger, blockExec.eventBus, block, abciResponses)
  90. return state, nil
  91. }
  92. // Commit locks the mempool, runs the ABCI Commit message, and updates the mempool.
  93. // It returns the result of calling abci.Commit (the AppHash), and an error.
  94. // The Mempool must be locked during commit and update because state is typically reset on Commit and old txs must be replayed
  95. // against committed state before new txs are run in the mempool, lest they be invalid.
  96. func (blockExec *BlockExecutor) Commit(state State, block *types.Block) ([]byte, error) {
  97. blockExec.mempool.Lock()
  98. defer blockExec.mempool.Unlock()
  99. // while mempool is Locked, flush to ensure all async requests have completed
  100. // in the ABCI app before Commit.
  101. err := blockExec.mempool.FlushAppConn()
  102. if err != nil {
  103. blockExec.logger.Error("Client error during mempool.FlushAppConn", "err", err)
  104. return nil, err
  105. }
  106. // Commit block, get hash back
  107. res, err := blockExec.proxyApp.CommitSync()
  108. if err != nil {
  109. blockExec.logger.Error("Client error during proxyAppConn.CommitSync", "err", err)
  110. return nil, err
  111. }
  112. // ResponseCommit has no error code - just data
  113. blockExec.logger.Info("Committed state",
  114. "height", block.Height,
  115. "txs", block.NumTxs,
  116. "appHash", fmt.Sprintf("%X", res.Data))
  117. // Update mempool.
  118. maxBytes := state.ConsensusParams.TxSize.MaxBytes
  119. filter := func(tx types.Tx) bool { return len(tx) <= maxBytes }
  120. if err := blockExec.mempool.Update(block.Height, block.Txs, filter); err != nil {
  121. return nil, err
  122. }
  123. return res.Data, nil
  124. }
  125. //---------------------------------------------------------
  126. // Helper functions for executing blocks and updating state
  127. // Executes block's transactions on proxyAppConn.
  128. // Returns a list of transaction results and updates to the validator set
  129. func execBlockOnProxyApp(logger log.Logger, proxyAppConn proxy.AppConnConsensus,
  130. block *types.Block, lastValSet *types.ValidatorSet, stateDB dbm.DB) (*ABCIResponses, error) {
  131. var validTxs, invalidTxs = 0, 0
  132. txIndex := 0
  133. abciResponses := NewABCIResponses(block)
  134. // Execute transactions and get hash.
  135. proxyCb := func(req *abci.Request, res *abci.Response) {
  136. switch r := res.Value.(type) {
  137. case *abci.Response_DeliverTx:
  138. // TODO: make use of res.Log
  139. // TODO: make use of this info
  140. // Blocks may include invalid txs.
  141. txRes := r.DeliverTx
  142. if txRes.Code == abci.CodeTypeOK {
  143. validTxs++
  144. } else {
  145. logger.Debug("Invalid tx", "code", txRes.Code, "log", txRes.Log)
  146. invalidTxs++
  147. }
  148. abciResponses.DeliverTx[txIndex] = txRes
  149. txIndex++
  150. }
  151. }
  152. proxyAppConn.SetResponseCallback(proxyCb)
  153. commitInfo, byzVals := getBeginBlockValidatorInfo(block, lastValSet, stateDB)
  154. // Begin block.
  155. _, err := proxyAppConn.BeginBlockSync(abci.RequestBeginBlock{
  156. Hash: block.Hash(),
  157. Header: types.TM2PB.Header(&block.Header),
  158. LastCommitInfo: commitInfo,
  159. ByzantineValidators: byzVals,
  160. })
  161. if err != nil {
  162. logger.Error("Error in proxyAppConn.BeginBlock", "err", err)
  163. return nil, err
  164. }
  165. // Run txs of block.
  166. for _, tx := range block.Txs {
  167. proxyAppConn.DeliverTxAsync(tx)
  168. if err := proxyAppConn.Error(); err != nil {
  169. return nil, err
  170. }
  171. }
  172. // End block.
  173. abciResponses.EndBlock, err = proxyAppConn.EndBlockSync(abci.RequestEndBlock{Height: block.Height})
  174. if err != nil {
  175. logger.Error("Error in proxyAppConn.EndBlock", "err", err)
  176. return nil, err
  177. }
  178. logger.Info("Executed block", "height", block.Height, "validTxs", validTxs, "invalidTxs", invalidTxs)
  179. valUpdates := abciResponses.EndBlock.ValidatorUpdates
  180. if len(valUpdates) > 0 {
  181. // TODO: cleanup the formatting
  182. logger.Info("Updates to validators", "updates", valUpdates)
  183. }
  184. return abciResponses, nil
  185. }
  186. func getBeginBlockValidatorInfo(block *types.Block, lastValSet *types.ValidatorSet, stateDB dbm.DB) (abci.LastCommitInfo, []abci.Evidence) {
  187. // Sanity check that commit length matches validator set size -
  188. // only applies after first block
  189. if block.Height > 1 {
  190. precommitLen := len(block.LastCommit.Precommits)
  191. valSetLen := len(lastValSet.Validators)
  192. if precommitLen != valSetLen {
  193. // sanity check
  194. panic(fmt.Sprintf("precommit length (%d) doesn't match valset length (%d) at height %d\n\n%v\n\n%v",
  195. precommitLen, valSetLen, block.Height, block.LastCommit.Precommits, lastValSet.Validators))
  196. }
  197. }
  198. // Collect the vote info (list of validators and whether or not they signed).
  199. voteInfos := make([]abci.VoteInfo, len(lastValSet.Validators))
  200. for i, val := range lastValSet.Validators {
  201. var vote *types.Vote
  202. if i < len(block.LastCommit.Precommits) {
  203. vote = block.LastCommit.Precommits[i]
  204. }
  205. voteInfo := abci.VoteInfo{
  206. Validator: types.TM2PB.Validator(val),
  207. SignedLastBlock: vote != nil,
  208. }
  209. voteInfos[i] = voteInfo
  210. }
  211. commitInfo := abci.LastCommitInfo{
  212. Round: int32(block.LastCommit.Round()),
  213. Votes: voteInfos,
  214. }
  215. byzVals := make([]abci.Evidence, len(block.Evidence.Evidence))
  216. for i, ev := range block.Evidence.Evidence {
  217. // We need the validator set. We already did this in validateBlock.
  218. // TODO: Should we instead cache the valset in the evidence itself and add
  219. // `SetValidatorSet()` and `ToABCI` methods ?
  220. valset, err := LoadValidators(stateDB, ev.Height())
  221. if err != nil {
  222. panic(err) // shouldn't happen
  223. }
  224. byzVals[i] = types.TM2PB.Evidence(ev, valset, block.Time)
  225. }
  226. return commitInfo, byzVals
  227. }
  228. // If more or equal than 1/3 of total voting power changed in one block, then
  229. // a light client could never prove the transition externally. See
  230. // ./lite/doc.go for details on how a light client tracks validators.
  231. func updateValidators(currentSet *types.ValidatorSet, abciUpdates []abci.ValidatorUpdate) error {
  232. updates, err := types.PB2TM.ValidatorUpdates(abciUpdates)
  233. if err != nil {
  234. return err
  235. }
  236. // these are tendermint types now
  237. for _, valUpdate := range updates {
  238. if valUpdate.VotingPower < 0 {
  239. return fmt.Errorf("Voting power can't be negative %v", valUpdate)
  240. }
  241. address := valUpdate.Address
  242. _, val := currentSet.GetByAddress(address)
  243. if valUpdate.VotingPower == 0 {
  244. // remove val
  245. _, removed := currentSet.Remove(address)
  246. if !removed {
  247. return fmt.Errorf("Failed to remove validator %X", address)
  248. }
  249. } else if val == nil {
  250. // add val
  251. added := currentSet.Add(valUpdate)
  252. if !added {
  253. return fmt.Errorf("Failed to add new validator %v", valUpdate)
  254. }
  255. } else {
  256. // update val
  257. updated := currentSet.Update(valUpdate)
  258. if !updated {
  259. return fmt.Errorf("Failed to update validator %X to %v", address, valUpdate)
  260. }
  261. }
  262. }
  263. return nil
  264. }
  265. // updateState returns a new State updated according to the header and responses.
  266. func updateState(state State, blockID types.BlockID, header *types.Header,
  267. abciResponses *ABCIResponses) (State, error) {
  268. // Copy the valset so we can apply changes from EndBlock
  269. // and update s.LastValidators and s.Validators.
  270. nValSet := state.NextValidators.Copy()
  271. // Update the validator set with the latest abciResponses.
  272. lastHeightValsChanged := state.LastHeightValidatorsChanged
  273. if len(abciResponses.EndBlock.ValidatorUpdates) > 0 {
  274. err := updateValidators(nValSet, abciResponses.EndBlock.ValidatorUpdates)
  275. if err != nil {
  276. return state, fmt.Errorf("Error changing validator set: %v", err)
  277. }
  278. // Change results from this height but only applies to the next next height.
  279. lastHeightValsChanged = header.Height + 1 + 1
  280. }
  281. // Update validator accums and set state variables.
  282. nValSet.IncrementAccum(1)
  283. // Update the params with the latest abciResponses.
  284. nextParams := state.ConsensusParams
  285. lastHeightParamsChanged := state.LastHeightConsensusParamsChanged
  286. if abciResponses.EndBlock.ConsensusParamUpdates != nil {
  287. // NOTE: must not mutate s.ConsensusParams
  288. nextParams = state.ConsensusParams.Update(abciResponses.EndBlock.ConsensusParamUpdates)
  289. err := nextParams.Validate()
  290. if err != nil {
  291. return state, fmt.Errorf("Error updating consensus params: %v", err)
  292. }
  293. // Change results from this height but only applies to the next height.
  294. lastHeightParamsChanged = header.Height + 1
  295. }
  296. // NOTE: the AppHash has not been populated.
  297. // It will be filled on state.Save.
  298. return State{
  299. ChainID: state.ChainID,
  300. LastBlockHeight: header.Height,
  301. LastBlockTotalTx: state.LastBlockTotalTx + header.NumTxs,
  302. LastBlockID: blockID,
  303. LastBlockTime: header.Time,
  304. NextValidators: nValSet,
  305. Validators: state.NextValidators.Copy(),
  306. LastValidators: state.Validators.Copy(),
  307. LastHeightValidatorsChanged: lastHeightValsChanged,
  308. ConsensusParams: nextParams,
  309. LastHeightConsensusParamsChanged: lastHeightParamsChanged,
  310. LastResultsHash: abciResponses.ResultsHash(),
  311. AppHash: nil,
  312. }, nil
  313. }
  314. // Fire NewBlock, NewBlockHeader.
  315. // Fire TxEvent for every tx.
  316. // NOTE: if Tendermint crashes before commit, some or all of these events may be published again.
  317. func fireEvents(logger log.Logger, eventBus types.BlockEventPublisher, block *types.Block, abciResponses *ABCIResponses) {
  318. eventBus.PublishEventNewBlock(types.EventDataNewBlock{block})
  319. eventBus.PublishEventNewBlockHeader(types.EventDataNewBlockHeader{block.Header})
  320. for i, tx := range block.Data.Txs {
  321. eventBus.PublishEventTx(types.EventDataTx{types.TxResult{
  322. Height: block.Height,
  323. Index: uint32(i),
  324. Tx: tx,
  325. Result: *(abciResponses.DeliverTx[i]),
  326. }})
  327. }
  328. abciValUpdates := abciResponses.EndBlock.ValidatorUpdates
  329. if len(abciValUpdates) > 0 {
  330. // if there were an error, we would've stopped in updateValidators
  331. updates, _ := types.PB2TM.ValidatorUpdates(abciValUpdates)
  332. eventBus.PublishEventValidatorSetUpdates(
  333. types.EventDataValidatorSetUpdates{ValidatorUpdates: updates})
  334. }
  335. }
  336. //----------------------------------------------------------------------------------------------------
  337. // Execute block without state. TODO: eliminate
  338. // ExecCommitBlock executes and commits a block on the proxyApp without validating or mutating the state.
  339. // It returns the application root hash (result of abci.Commit).
  340. func ExecCommitBlock(appConnConsensus proxy.AppConnConsensus, block *types.Block,
  341. logger log.Logger, lastValSet *types.ValidatorSet, stateDB dbm.DB) ([]byte, error) {
  342. _, err := execBlockOnProxyApp(logger, appConnConsensus, block, lastValSet, stateDB)
  343. if err != nil {
  344. logger.Error("Error executing block on proxy app", "height", block.Height, "err", err)
  345. return nil, err
  346. }
  347. // Commit block, get hash back
  348. res, err := appConnConsensus.CommitSync()
  349. if err != nil {
  350. logger.Error("Client error during proxyAppConn.CommitSync", "err", res)
  351. return nil, err
  352. }
  353. // ResponseCommit has no error or log, just data
  354. return res.Data, nil
  355. }