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.

242 lines
5.5 KiB

10 years ago
10 years ago
10 years ago
10 years ago
10 years ago
10 years ago
10 years ago
10 years ago
10 years ago
10 years ago
10 years ago
10 years ago
10 years ago
  1. package p2p
  2. import (
  3. "errors"
  4. "net"
  5. "sync/atomic"
  6. "time"
  7. . "github.com/tendermint/tendermint/binary"
  8. . "github.com/tendermint/tendermint/common"
  9. )
  10. /*
  11. All communication amongst peers are multiplexed by "channels".
  12. (Not the same as Go "channels")
  13. To send a message, serialize it into a ByteSlice and send it to each peer.
  14. For best performance, re-use the same immutable ByteSlice to each peer.
  15. You can also use a TypedBytes{} struct for convenience.
  16. You can find all connected and active peers by iterating over ".Peers().List()".
  17. ".Broadcast()" is provided for convenience, but by iterating over
  18. the peers manually the caller can decide which subset receives a message.
  19. Inbound messages are received by calling ".Receive()".
  20. The receiver is responsible for decoding the message bytes, which may be preceded
  21. by a single type byte if a TypedBytes{} was used.
  22. */
  23. type Switch struct {
  24. chDescs []*ChannelDescriptor
  25. recvQueues map[byte]chan InboundBytes
  26. peers *PeerSet
  27. dialing *CMap
  28. listeners *CMap // listenerName -> chan interface{}
  29. quit chan struct{}
  30. started uint32
  31. stopped uint32
  32. }
  33. var (
  34. ErrSwitchStopped = errors.New("Switch already stopped")
  35. ErrSwitchDuplicatePeer = errors.New("Duplicate peer")
  36. )
  37. const (
  38. peerDialTimeoutSeconds = 30
  39. )
  40. func NewSwitch(chDescs []*ChannelDescriptor) *Switch {
  41. s := &Switch{
  42. chDescs: chDescs,
  43. recvQueues: make(map[byte]chan InboundBytes),
  44. peers: NewPeerSet(),
  45. dialing: NewCMap(),
  46. listeners: NewCMap(),
  47. quit: make(chan struct{}),
  48. stopped: 0,
  49. }
  50. // Create global recvQueues, one per channel.
  51. for _, chDesc := range chDescs {
  52. recvQueue := make(chan InboundBytes, chDesc.RecvQueueCapacity)
  53. chDesc.recvQueue = recvQueue
  54. s.recvQueues[chDesc.Id] = recvQueue
  55. }
  56. return s
  57. }
  58. func (s *Switch) Start() {
  59. if atomic.CompareAndSwapUint32(&s.started, 0, 1) {
  60. log.Info("Starting switch")
  61. }
  62. }
  63. func (s *Switch) Stop() {
  64. if atomic.CompareAndSwapUint32(&s.stopped, 0, 1) {
  65. log.Info("Stopping switch")
  66. close(s.quit)
  67. // stop each peer.
  68. for _, peer := range s.peers.List() {
  69. peer.stop()
  70. }
  71. // empty tree.
  72. s.peers = NewPeerSet()
  73. }
  74. }
  75. func (s *Switch) AddPeerWithConnection(conn net.Conn, outbound bool) (*Peer, error) {
  76. if atomic.LoadUint32(&s.stopped) == 1 {
  77. return nil, ErrSwitchStopped
  78. }
  79. peer := newPeer(conn, outbound, s.chDescs, s.StopPeerForError)
  80. // Add the peer to .peers
  81. if s.peers.Add(peer) {
  82. log.Info("+ %v", peer)
  83. } else {
  84. log.Info("Ignoring duplicate: %v", peer)
  85. return nil, ErrSwitchDuplicatePeer
  86. }
  87. // Start the peer
  88. go peer.start()
  89. // Notify listeners.
  90. s.emit(SwitchEventNewPeer{Peer: peer})
  91. return peer, nil
  92. }
  93. func (s *Switch) DialPeerWithAddress(addr *NetAddress) (*Peer, error) {
  94. if atomic.LoadUint32(&s.stopped) == 1 {
  95. return nil, ErrSwitchStopped
  96. }
  97. log.Info("Dialing peer @ %v", addr)
  98. s.dialing.Set(addr.String(), addr)
  99. conn, err := addr.DialTimeout(peerDialTimeoutSeconds * time.Second)
  100. s.dialing.Delete(addr.String())
  101. if err != nil {
  102. return nil, err
  103. }
  104. peer, err := s.AddPeerWithConnection(conn, true)
  105. if err != nil {
  106. return nil, err
  107. }
  108. return peer, nil
  109. }
  110. func (s *Switch) IsDialing(addr *NetAddress) bool {
  111. return s.dialing.Has(addr.String())
  112. }
  113. func (s *Switch) Broadcast(chId byte, msg Binary) (numSuccess, numFailure int) {
  114. if atomic.LoadUint32(&s.stopped) == 1 {
  115. return
  116. }
  117. log.Debug("Broadcast on [%X]", chId, msg)
  118. for _, peer := range s.peers.List() {
  119. success := peer.TrySend(chId, msg)
  120. log.Debug("Broadcast for peer %v success: %v", peer, success)
  121. if success {
  122. numSuccess += 1
  123. } else {
  124. numFailure += 1
  125. }
  126. }
  127. return
  128. }
  129. // The events are of type SwitchEvent* defined below.
  130. // Switch does not close these listeners.
  131. func (s *Switch) AddEventListener(name string, listener chan<- interface{}) {
  132. s.listeners.Set(name, listener)
  133. }
  134. func (s *Switch) RemoveEventListener(name string) {
  135. s.listeners.Delete(name)
  136. }
  137. /*
  138. Receive blocks on a channel until a message is found.
  139. */
  140. func (s *Switch) Receive(chId byte) (InboundBytes, bool) {
  141. if atomic.LoadUint32(&s.stopped) == 1 {
  142. return InboundBytes{}, false
  143. }
  144. q := s.recvQueues[chId]
  145. if q == nil {
  146. Panicf("Expected recvQueues[%X], found none", chId)
  147. }
  148. select {
  149. case <-s.quit:
  150. return InboundBytes{}, false
  151. case inBytes := <-q:
  152. log.Debug("RECV %v", inBytes)
  153. return inBytes, true
  154. }
  155. }
  156. // Returns the count of outbound/inbound and outbound-dialing peers.
  157. func (s *Switch) NumPeers() (outbound, inbound, dialing int) {
  158. peers := s.peers.List()
  159. for _, peer := range peers {
  160. if peer.outbound {
  161. outbound++
  162. } else {
  163. inbound++
  164. }
  165. }
  166. dialing = s.dialing.Size()
  167. return
  168. }
  169. func (s *Switch) Peers() IPeerSet {
  170. return s.peers
  171. }
  172. // Disconnect from a peer due to external error.
  173. // TODO: make record depending on reason.
  174. func (s *Switch) StopPeerForError(peer *Peer, reason interface{}) {
  175. log.Info("- %v !! reason: %v", peer, reason)
  176. s.peers.Remove(peer)
  177. peer.stop()
  178. // Notify listeners
  179. s.emit(SwitchEventDonePeer{Peer: peer, Error: reason})
  180. }
  181. // Disconnect from a peer gracefully.
  182. // TODO: handle graceful disconnects.
  183. func (s *Switch) StopPeerGracefully(peer *Peer) {
  184. log.Info("- %v", peer)
  185. s.peers.Remove(peer)
  186. peer.stop()
  187. // Notify listeners
  188. s.emit(SwitchEventDonePeer{Peer: peer})
  189. }
  190. func (s *Switch) emit(event interface{}) {
  191. for _, ch_i := range s.listeners.Values() {
  192. ch := ch_i.(chan<- interface{})
  193. ch <- event
  194. }
  195. }
  196. //-----------------------------------------------------------------------------
  197. type SwitchEventNewPeer struct {
  198. Peer *Peer
  199. }
  200. type SwitchEventDonePeer struct {
  201. Peer *Peer
  202. Error interface{}
  203. }