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.

540 lines
18 KiB

new pubsub package comment out failing consensus tests for now rewrite rpc httpclient to use new pubsub package import pubsub as tmpubsub, query as tmquery make event IDs constants EventKey -> EventTypeKey rename EventsPubsub to PubSub mempool does not use pubsub rename eventsSub to pubsub new subscribe API fix channel size issues and consensus tests bugs refactor rpc client add missing discardFromChan method add mutex rename pubsub to eventBus remove IsRunning from WSRPCConnection interface (not needed) add a comment in broadcastNewRoundStepsAndVotes rename registerEventCallbacks to broadcastNewRoundStepsAndVotes See https://dave.cheney.net/2014/03/19/channel-axioms stop eventBuses after reactor tests remove unnecessary Unsubscribe return subscribe helper function move discardFromChan to where it is used subscribe now returns an err this gives us ability to refuse to subscribe if pubsub is at its max capacity. use context for control overflow cache queries handle err when subscribing in replay_test rename testClientID to testSubscriber extract var set channel buffer capacity to 1 in replay_file fix byzantine_test unsubscribe from single event, not all events refactor httpclient to return events to appropriate channels return failing testReplayCrashBeforeWriteVote test fix TestValidatorSetChanges refactor code a bit fix testReplayCrashBeforeWriteVote add comment fix TestValidatorSetChanges fixes from Bucky's review update comment [ci skip] test TxEventBuffer update changelog fix TestValidatorSetChanges (2nd attempt) only do wg.Done when no errors benchmark event bus create pubsub server inside NewEventBus only expose config params (later if needed) set buffer capacity to 0 so we are not testing cache new tx event format: key = "Tx" plus a tag {"tx.hash": XYZ} This should allow to subscribe to all transactions! or a specific one using a query: "tm.events.type = Tx and tx.hash = '013ABF99434...'" use TimeoutCommit instead of afterPublishEventNewBlockTimeout TimeoutCommit is the time a node waits after committing a block, before it goes into the next height. So it will finish everything from the last block, but then wait a bit. The idea is this gives it time to hear more votes from other validators, to strengthen the commit it includes in the next block. But it also gives it time to hear about new transactions. waitForBlockWithUpdatedVals rewrite WAL crash tests Task: test that we can recover from any WAL crash. Solution: the old tests were relying on event hub being run in the same thread (we were injecting the private validator's last signature). when considering a rewrite, we considered two possible solutions: write a "fuzzy" testing system where WAL is crashing upon receiving a new message, or inject failures and trigger them in tests using something like https://github.com/coreos/gofail. remove sleep no cs.Lock around wal.Save test different cases (empty block, non-empty block, ...) comments add comments test 4 cases: empty block, non-empty block, non-empty block with smaller part size, many blocks fixes as per Bucky's last review reset subscriptions on UnsubscribeAll use a simple counter to track message for which we panicked also, set a smaller part size for all test cases
7 years ago
cleanup: Reduce and normalize import path aliasing. (#6975) The code in the Tendermint repository makes heavy use of import aliasing. This is made necessary by our extensive reuse of common base package names, and by repetition of similar names across different subdirectories. Unfortunately we have not been very consistent about which packages we alias in various circumstances, and the aliases we use vary. In the spirit of the advice in the style guide and https://github.com/golang/go/wiki/CodeReviewComments#imports, his change makes an effort to clean up and normalize import aliasing. This change makes no API or behavioral changes. It is a pure cleanup intended o help make the code more readable to developers (including myself) trying to understand what is being imported where. Only unexported names have been modified, and the changes were generated and applied mechanically with gofmt -r and comby, respecting the lexical and syntactic rules of Go. Even so, I did not fix every inconsistency. Where the changes would be too disruptive, I left it alone. The principles I followed in this cleanup are: - Remove aliases that restate the package name. - Remove aliases where the base package name is unambiguous. - Move overly-terse abbreviations from the import to the usage site. - Fix lexical issues (remove underscores, remove capitalization). - Fix import groupings to more closely match the style guide. - Group blank (side-effecting) imports and ensure they are commented. - Add aliases to multiple imports with the same base package name.
3 years ago
  1. package consensus
  2. import (
  3. "context"
  4. "fmt"
  5. "os"
  6. "path"
  7. "sync"
  8. "testing"
  9. "github.com/stretchr/testify/assert"
  10. "github.com/stretchr/testify/require"
  11. dbm "github.com/tendermint/tm-db"
  12. abciclient "github.com/tendermint/tendermint/abci/client"
  13. abci "github.com/tendermint/tendermint/abci/types"
  14. "github.com/tendermint/tendermint/internal/evidence"
  15. tmsync "github.com/tendermint/tendermint/internal/libs/sync"
  16. mempoolv0 "github.com/tendermint/tendermint/internal/mempool/v0"
  17. "github.com/tendermint/tendermint/internal/p2p"
  18. sm "github.com/tendermint/tendermint/internal/state"
  19. "github.com/tendermint/tendermint/internal/store"
  20. "github.com/tendermint/tendermint/internal/test/factory"
  21. "github.com/tendermint/tendermint/libs/log"
  22. tmcons "github.com/tendermint/tendermint/proto/tendermint/consensus"
  23. tmproto "github.com/tendermint/tendermint/proto/tendermint/types"
  24. "github.com/tendermint/tendermint/types"
  25. )
  26. // Byzantine node sends two different prevotes (nil and blockID) to the same
  27. // validator.
  28. func TestByzantinePrevoteEquivocation(t *testing.T) {
  29. config := configSetup(t)
  30. nValidators := 4
  31. prevoteHeight := int64(2)
  32. testName := "consensus_byzantine_test"
  33. tickerFunc := newMockTickerFunc(true)
  34. appFunc := newKVStore
  35. genDoc, privVals := factory.RandGenesisDoc(config, nValidators, false, 30)
  36. states := make([]*State, nValidators)
  37. for i := 0; i < nValidators; i++ {
  38. func() {
  39. logger := consensusLogger().With("test", "byzantine", "validator", i)
  40. stateDB := dbm.NewMemDB() // each state needs its own db
  41. stateStore := sm.NewStore(stateDB)
  42. state, err := sm.MakeGenesisState(genDoc)
  43. require.NoError(t, err)
  44. require.NoError(t, stateStore.Save(state))
  45. thisConfig, err := ResetConfig(fmt.Sprintf("%s_%d", testName, i))
  46. require.NoError(t, err)
  47. defer os.RemoveAll(thisConfig.RootDir)
  48. ensureDir(path.Dir(thisConfig.Consensus.WalFile()), 0700) // dir for wal
  49. app := appFunc()
  50. vals := types.TM2PB.ValidatorUpdates(state.Validators)
  51. app.InitChain(abci.RequestInitChain{Validators: vals})
  52. blockDB := dbm.NewMemDB()
  53. blockStore := store.NewBlockStore(blockDB)
  54. // one for mempool, one for consensus
  55. mtx := new(tmsync.Mutex)
  56. proxyAppConnMem := abciclient.NewLocalClient(mtx, app)
  57. proxyAppConnCon := abciclient.NewLocalClient(mtx, app)
  58. // Make Mempool
  59. mempool := mempoolv0.NewCListMempool(thisConfig.Mempool, proxyAppConnMem, 0)
  60. mempool.SetLogger(log.TestingLogger().With("module", "mempool"))
  61. if thisConfig.Consensus.WaitForTxs() {
  62. mempool.EnableTxsAvailable()
  63. }
  64. // Make a full instance of the evidence pool
  65. evidenceDB := dbm.NewMemDB()
  66. evpool, err := evidence.NewPool(logger.With("module", "evidence"), evidenceDB, stateStore, blockStore)
  67. require.NoError(t, err)
  68. // Make State
  69. blockExec := sm.NewBlockExecutor(stateStore, log.TestingLogger(), proxyAppConnCon, mempool, evpool, blockStore)
  70. cs := NewState(thisConfig.Consensus, state, blockExec, blockStore, mempool, evpool)
  71. cs.SetLogger(cs.Logger)
  72. // set private validator
  73. pv := privVals[i]
  74. cs.SetPrivValidator(pv)
  75. eventBus := types.NewEventBus()
  76. eventBus.SetLogger(log.TestingLogger().With("module", "events"))
  77. err = eventBus.Start()
  78. require.NoError(t, err)
  79. cs.SetEventBus(eventBus)
  80. cs.SetTimeoutTicker(tickerFunc())
  81. cs.SetLogger(logger)
  82. states[i] = cs
  83. }()
  84. }
  85. rts := setup(t, nValidators, states, 100) // buffer must be large enough to not deadlock
  86. var bzNodeID types.NodeID
  87. // Set the first state's reactor as the dedicated byzantine reactor and grab
  88. // the NodeID that corresponds to the state so we can reference the reactor.
  89. bzNodeState := states[0]
  90. for nID, s := range rts.states {
  91. if s == bzNodeState {
  92. bzNodeID = nID
  93. break
  94. }
  95. }
  96. bzReactor := rts.reactors[bzNodeID]
  97. // alter prevote so that the byzantine node double votes when height is 2
  98. bzNodeState.doPrevote = func(height int64, round int32) {
  99. // allow first height to happen normally so that byzantine validator is no longer proposer
  100. if height == prevoteHeight {
  101. prevote1, err := bzNodeState.signVote(
  102. tmproto.PrevoteType,
  103. bzNodeState.ProposalBlock.Hash(),
  104. bzNodeState.ProposalBlockParts.Header(),
  105. )
  106. require.NoError(t, err)
  107. prevote2, err := bzNodeState.signVote(tmproto.PrevoteType, nil, types.PartSetHeader{})
  108. require.NoError(t, err)
  109. // send two votes to all peers (1st to one half, 2nd to another half)
  110. i := 0
  111. for _, ps := range bzReactor.peers {
  112. if i < len(bzReactor.peers)/2 {
  113. bzNodeState.Logger.Info("signed and pushed vote", "vote", prevote1, "peer", ps.peerID)
  114. bzReactor.voteCh.Out <- p2p.Envelope{
  115. To: ps.peerID,
  116. Message: &tmcons.Vote{
  117. Vote: prevote1.ToProto(),
  118. },
  119. }
  120. } else {
  121. bzNodeState.Logger.Info("signed and pushed vote", "vote", prevote2, "peer", ps.peerID)
  122. bzReactor.voteCh.Out <- p2p.Envelope{
  123. To: ps.peerID,
  124. Message: &tmcons.Vote{
  125. Vote: prevote2.ToProto(),
  126. },
  127. }
  128. }
  129. i++
  130. }
  131. } else {
  132. bzNodeState.Logger.Info("behaving normally")
  133. bzNodeState.defaultDoPrevote(height, round)
  134. }
  135. }
  136. // Introducing a lazy proposer means that the time of the block committed is
  137. // different to the timestamp that the other nodes have. This tests to ensure
  138. // that the evidence that finally gets proposed will have a valid timestamp.
  139. // lazyProposer := states[1]
  140. lazyNodeState := states[1]
  141. lazyNodeState.decideProposal = func(height int64, round int32) {
  142. lazyNodeState.Logger.Info("Lazy Proposer proposing condensed commit")
  143. require.NotNil(t, lazyNodeState.privValidator)
  144. var commit *types.Commit
  145. switch {
  146. case lazyNodeState.Height == lazyNodeState.state.InitialHeight:
  147. // We're creating a proposal for the first block.
  148. // The commit is empty, but not nil.
  149. commit = types.NewCommit(0, 0, types.BlockID{}, nil)
  150. case lazyNodeState.LastCommit.HasTwoThirdsMajority():
  151. // Make the commit from LastCommit
  152. commit = lazyNodeState.LastCommit.MakeCommit()
  153. default: // This shouldn't happen.
  154. lazyNodeState.Logger.Error("enterPropose: Cannot propose anything: No commit for the previous block")
  155. return
  156. }
  157. // omit the last signature in the commit
  158. commit.Signatures[len(commit.Signatures)-1] = types.NewCommitSigAbsent()
  159. if lazyNodeState.privValidatorPubKey == nil {
  160. // If this node is a validator & proposer in the current round, it will
  161. // miss the opportunity to create a block.
  162. lazyNodeState.Logger.Error(fmt.Sprintf("enterPropose: %v", errPubKeyIsNotSet))
  163. return
  164. }
  165. proposerAddr := lazyNodeState.privValidatorPubKey.Address()
  166. block, blockParts := lazyNodeState.blockExec.CreateProposalBlock(
  167. lazyNodeState.Height, lazyNodeState.state, commit, proposerAddr,
  168. )
  169. // Flush the WAL. Otherwise, we may not recompute the same proposal to sign,
  170. // and the privValidator will refuse to sign anything.
  171. if err := lazyNodeState.wal.FlushAndSync(); err != nil {
  172. lazyNodeState.Logger.Error("Error flushing to disk")
  173. }
  174. // Make proposal
  175. propBlockID := types.BlockID{Hash: block.Hash(), PartSetHeader: blockParts.Header()}
  176. proposal := types.NewProposal(height, round, lazyNodeState.ValidRound, propBlockID)
  177. p := proposal.ToProto()
  178. if err := lazyNodeState.privValidator.SignProposal(context.Background(), lazyNodeState.state.ChainID, p); err == nil {
  179. proposal.Signature = p.Signature
  180. // send proposal and block parts on internal msg queue
  181. lazyNodeState.sendInternalMessage(msgInfo{&ProposalMessage{proposal}, ""})
  182. for i := 0; i < int(blockParts.Total()); i++ {
  183. part := blockParts.GetPart(i)
  184. lazyNodeState.sendInternalMessage(msgInfo{&BlockPartMessage{lazyNodeState.Height, lazyNodeState.Round, part}, ""})
  185. }
  186. lazyNodeState.Logger.Info("Signed proposal", "height", height, "round", round, "proposal", proposal)
  187. lazyNodeState.Logger.Debug(fmt.Sprintf("Signed proposal block: %v", block))
  188. } else if !lazyNodeState.replayMode {
  189. lazyNodeState.Logger.Error("enterPropose: Error signing proposal", "height", height, "round", round, "err", err)
  190. }
  191. }
  192. for _, reactor := range rts.reactors {
  193. state := reactor.state.GetState()
  194. reactor.SwitchToConsensus(state, false)
  195. }
  196. // Evidence should be submitted and committed at the third height but
  197. // we will check the first six just in case
  198. evidenceFromEachValidator := make([]types.Evidence, nValidators)
  199. wg := new(sync.WaitGroup)
  200. i := 0
  201. for _, sub := range rts.subs {
  202. wg.Add(1)
  203. go func(j int, s types.Subscription) {
  204. defer wg.Done()
  205. for {
  206. select {
  207. case msg := <-s.Out():
  208. require.NotNil(t, msg)
  209. block := msg.Data().(types.EventDataNewBlock).Block
  210. if len(block.Evidence.Evidence) != 0 {
  211. evidenceFromEachValidator[j] = block.Evidence.Evidence[0]
  212. return
  213. }
  214. case <-s.Canceled():
  215. require.Fail(t, "subscription failed for %d", j)
  216. return
  217. }
  218. }
  219. }(i, sub)
  220. i++
  221. }
  222. wg.Wait()
  223. pubkey, err := bzNodeState.privValidator.GetPubKey(context.Background())
  224. require.NoError(t, err)
  225. for idx, ev := range evidenceFromEachValidator {
  226. if assert.NotNil(t, ev, idx) {
  227. ev, ok := ev.(*types.DuplicateVoteEvidence)
  228. assert.True(t, ok)
  229. assert.Equal(t, pubkey.Address(), ev.VoteA.ValidatorAddress)
  230. assert.Equal(t, prevoteHeight, ev.Height())
  231. }
  232. }
  233. }
  234. // 4 validators. 1 is byzantine. The other three are partitioned into A (1 val) and B (2 vals).
  235. // byzantine validator sends conflicting proposals into A and B,
  236. // and prevotes/precommits on both of them.
  237. // B sees a commit, A doesn't.
  238. // Heal partition and ensure A sees the commit
  239. func TestByzantineConflictingProposalsWithPartition(t *testing.T) {
  240. // TODO: https://github.com/tendermint/tendermint/issues/6092
  241. t.SkipNow()
  242. // n := 4
  243. // logger := consensusLogger().With("test", "byzantine")
  244. // app := newCounter
  245. // states, cleanup := randConsensusState(n, "consensus_byzantine_test", newMockTickerFunc(false), app)
  246. // t.Cleanup(cleanup)
  247. // // give the byzantine validator a normal ticker
  248. // ticker := NewTimeoutTicker()
  249. // ticker.SetLogger(states[0].Logger)
  250. // states[0].SetTimeoutTicker(ticker)
  251. // p2pLogger := logger.With("module", "p2p")
  252. // blocksSubs := make([]types.Subscription, n)
  253. // reactors := make([]p2p.Reactor, n)
  254. // for i := 0; i < n; i++ {
  255. // // enable txs so we can create different proposals
  256. // assertMempool(states[i].txNotifier).EnableTxsAvailable()
  257. // eventBus := states[i].eventBus
  258. // eventBus.SetLogger(logger.With("module", "events", "validator", i))
  259. // var err error
  260. // blocksSubs[i], err = eventBus.Subscribe(context.Background(), testSubscriber, types.EventQueryNewBlock)
  261. // require.NoError(t, err)
  262. // conR := NewReactor(states[i], true) // so we don't start the consensus states
  263. // conR.SetLogger(logger.With("validator", i))
  264. // conR.SetEventBus(eventBus)
  265. // var conRI p2p.Reactor = conR
  266. // // make first val byzantine
  267. // if i == 0 {
  268. // conRI = NewByzantineReactor(conR)
  269. // }
  270. // reactors[i] = conRI
  271. // err = states[i].blockExec.Store().Save(states[i].state) // for save height 1's validators info
  272. // require.NoError(t, err)
  273. // }
  274. // switches := p2p.MakeConnectedSwitches(config.P2P, N, func(i int, sw *p2p.Switch) *p2p.Switch {
  275. // sw.SetLogger(p2pLogger.With("validator", i))
  276. // sw.AddReactor("CONSENSUS", reactors[i])
  277. // return sw
  278. // }, func(sws []*p2p.Switch, i, j int) {
  279. // // the network starts partitioned with globally active adversary
  280. // if i != 0 {
  281. // return
  282. // }
  283. // p2p.Connect2Switches(sws, i, j)
  284. // })
  285. // // make first val byzantine
  286. // // NOTE: Now, test validators are MockPV, which by default doesn't
  287. // // do any safety checks.
  288. // states[0].privValidator.(types.MockPV).DisableChecks()
  289. // states[0].decideProposal = func(j int32) func(int64, int32) {
  290. // return func(height int64, round int32) {
  291. // byzantineDecideProposalFunc(t, height, round, states[j], switches[j])
  292. // }
  293. // }(int32(0))
  294. // // We are setting the prevote function to do nothing because the prevoting
  295. // // and precommitting are done alongside the proposal.
  296. // states[0].doPrevote = func(height int64, round int32) {}
  297. // defer func() {
  298. // for _, sw := range switches {
  299. // err := sw.Stop()
  300. // require.NoError(t, err)
  301. // }
  302. // }()
  303. // // start the non-byz state machines.
  304. // // note these must be started before the byz
  305. // for i := 1; i < n; i++ {
  306. // cr := reactors[i].(*Reactor)
  307. // cr.SwitchToConsensus(cr.conS.GetState(), false)
  308. // }
  309. // // start the byzantine state machine
  310. // byzR := reactors[0].(*ByzantineReactor)
  311. // s := byzR.reactor.conS.GetState()
  312. // byzR.reactor.SwitchToConsensus(s, false)
  313. // // byz proposer sends one block to peers[0]
  314. // // and the other block to peers[1] and peers[2].
  315. // // note peers and switches order don't match.
  316. // peers := switches[0].Peers().List()
  317. // // partition A
  318. // ind0 := getSwitchIndex(switches, peers[0])
  319. // // partition B
  320. // ind1 := getSwitchIndex(switches, peers[1])
  321. // ind2 := getSwitchIndex(switches, peers[2])
  322. // p2p.Connect2Switches(switches, ind1, ind2)
  323. // // wait for someone in the big partition (B) to make a block
  324. // <-blocksSubs[ind2].Out()
  325. // t.Log("A block has been committed. Healing partition")
  326. // p2p.Connect2Switches(switches, ind0, ind1)
  327. // p2p.Connect2Switches(switches, ind0, ind2)
  328. // // wait till everyone makes the first new block
  329. // // (one of them already has)
  330. // wg := new(sync.WaitGroup)
  331. // for i := 1; i < N-1; i++ {
  332. // wg.Add(1)
  333. // go func(j int) {
  334. // <-blocksSubs[j].Out()
  335. // wg.Done()
  336. // }(i)
  337. // }
  338. // done := make(chan struct{})
  339. // go func() {
  340. // wg.Wait()
  341. // close(done)
  342. // }()
  343. // tick := time.NewTicker(time.Second * 10)
  344. // select {
  345. // case <-done:
  346. // case <-tick.C:
  347. // for i, reactor := range reactors {
  348. // t.Log(fmt.Sprintf("Consensus Reactor %v", i))
  349. // t.Log(fmt.Sprintf("%v", reactor))
  350. // }
  351. // t.Fatalf("Timed out waiting for all validators to commit first block")
  352. // }
  353. }
  354. // func byzantineDecideProposalFunc(t *testing.T, height int64, round int32, cs *State, sw *p2p.Switch) {
  355. // // byzantine user should create two proposals and try to split the vote.
  356. // // Avoid sending on internalMsgQueue and running consensus state.
  357. // // Create a new proposal block from state/txs from the mempool.
  358. // block1, blockParts1 := cs.createProposalBlock()
  359. // polRound, propBlockID := cs.ValidRound, types.BlockID{Hash: block1.Hash(), PartSetHeader: blockParts1.Header()}
  360. // proposal1 := types.NewProposal(height, round, polRound, propBlockID)
  361. // p1 := proposal1.ToProto()
  362. // if err := cs.privValidator.SignProposal(cs.state.ChainID, p1); err != nil {
  363. // t.Error(err)
  364. // }
  365. // proposal1.Signature = p1.Signature
  366. // // some new transactions come in (this ensures that the proposals are different)
  367. // deliverTxsRange(cs, 0, 1)
  368. // // Create a new proposal block from state/txs from the mempool.
  369. // block2, blockParts2 := cs.createProposalBlock()
  370. // polRound, propBlockID = cs.ValidRound, types.BlockID{Hash: block2.Hash(), PartSetHeader: blockParts2.Header()}
  371. // proposal2 := types.NewProposal(height, round, polRound, propBlockID)
  372. // p2 := proposal2.ToProto()
  373. // if err := cs.privValidator.SignProposal(cs.state.ChainID, p2); err != nil {
  374. // t.Error(err)
  375. // }
  376. // proposal2.Signature = p2.Signature
  377. // block1Hash := block1.Hash()
  378. // block2Hash := block2.Hash()
  379. // // broadcast conflicting proposals/block parts to peers
  380. // peers := sw.Peers().List()
  381. // t.Logf("Byzantine: broadcasting conflicting proposals to %d peers", len(peers))
  382. // for i, peer := range peers {
  383. // if i < len(peers)/2 {
  384. // go sendProposalAndParts(height, round, cs, peer, proposal1, block1Hash, blockParts1)
  385. // } else {
  386. // go sendProposalAndParts(height, round, cs, peer, proposal2, block2Hash, blockParts2)
  387. // }
  388. // }
  389. // }
  390. // func sendProposalAndParts(
  391. // height int64,
  392. // round int32,
  393. // cs *State,
  394. // peer p2p.Peer,
  395. // proposal *types.Proposal,
  396. // blockHash []byte,
  397. // parts *types.PartSet,
  398. // ) {
  399. // // proposal
  400. // msg := &ProposalMessage{Proposal: proposal}
  401. // peer.Send(DataChannel, MustEncode(msg))
  402. // // parts
  403. // for i := 0; i < int(parts.Total()); i++ {
  404. // part := parts.GetPart(i)
  405. // msg := &BlockPartMessage{
  406. // Height: height, // This tells peer that this part applies to us.
  407. // Round: round, // This tells peer that this part applies to us.
  408. // Part: part,
  409. // }
  410. // peer.Send(DataChannel, MustEncode(msg))
  411. // }
  412. // // votes
  413. // cs.mtx.Lock()
  414. // prevote, _ := cs.signVote(tmproto.PrevoteType, blockHash, parts.Header())
  415. // precommit, _ := cs.signVote(tmproto.PrecommitType, blockHash, parts.Header())
  416. // cs.mtx.Unlock()
  417. // peer.Send(VoteChannel, MustEncode(&VoteMessage{prevote}))
  418. // peer.Send(VoteChannel, MustEncode(&VoteMessage{precommit}))
  419. // }
  420. // type ByzantineReactor struct {
  421. // service.Service
  422. // reactor *Reactor
  423. // }
  424. // func NewByzantineReactor(conR *Reactor) *ByzantineReactor {
  425. // return &ByzantineReactor{
  426. // Service: conR,
  427. // reactor: conR,
  428. // }
  429. // }
  430. // func (br *ByzantineReactor) SetSwitch(s *p2p.Switch) { br.reactor.SetSwitch(s) }
  431. // func (br *ByzantineReactor) GetChannels() []*p2p.ChannelDescriptor { return br.reactor.GetChannels() }
  432. // func (br *ByzantineReactor) AddPeer(peer p2p.Peer) {
  433. // if !br.reactor.IsRunning() {
  434. // return
  435. // }
  436. // // Create peerState for peer
  437. // peerState := NewPeerState(peer).SetLogger(br.reactor.Logger)
  438. // peer.Set(types.PeerStateKey, peerState)
  439. // // Send our state to peer.
  440. // // If we're syncing, broadcast a RoundStepMessage later upon SwitchToConsensus().
  441. // if !br.reactor.waitSync {
  442. // br.reactor.sendNewRoundStepMessage(peer)
  443. // }
  444. // }
  445. // func (br *ByzantineReactor) RemovePeer(peer p2p.Peer, reason interface{}) {
  446. // br.reactor.RemovePeer(peer, reason)
  447. // }
  448. // func (br *ByzantineReactor) Receive(chID byte, peer p2p.Peer, msgBytes []byte) {
  449. // br.reactor.Receive(chID, peer, msgBytes)
  450. // }
  451. // func (br *ByzantineReactor) InitPeer(peer p2p.Peer) p2p.Peer { return peer }