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.

634 lines
16 KiB

9 years ago
9 years ago
9 years ago
9 years ago
9 years ago
9 years ago
9 years ago
9 years ago
9 years ago
9 years ago
9 years ago
9 years ago
9 years ago
9 years ago
9 years ago
  1. package p2p
  2. import (
  3. "bufio"
  4. "fmt"
  5. "io"
  6. "math"
  7. "net"
  8. "runtime/debug"
  9. "sync/atomic"
  10. "time"
  11. flow "github.com/tendermint/flowcontrol"
  12. . "github.com/tendermint/go-common"
  13. "github.com/tendermint/go-wire" //"github.com/tendermint/log15"
  14. )
  15. const (
  16. numBatchMsgPackets = 10
  17. minReadBufferSize = 1024
  18. minWriteBufferSize = 1024
  19. idleTimeoutMinutes = 5
  20. updateStatsSeconds = 2
  21. pingTimeoutSeconds = 40
  22. defaultSendRate = 51200 // 50KB/s
  23. defaultRecvRate = 51200 // 50KB/s
  24. flushThrottleMS = 100
  25. defaultSendQueueCapacity = 1
  26. defaultRecvBufferCapacity = 4096
  27. defaultRecvMessageCapacity = 22020096 // 21MB
  28. defaultSendTimeoutSeconds = 10
  29. )
  30. type receiveCbFunc func(chID byte, msgBytes []byte)
  31. type errorCbFunc func(interface{})
  32. /*
  33. Each peer has one `MConnection` (multiplex connection) instance.
  34. __multiplex__ *noun* a system or signal involving simultaneous transmission of
  35. several messages along a single channel of communication.
  36. Each `MConnection` handles message transmission on multiple abstract communication
  37. `Channel`s. Each channel has a globally unique byte id.
  38. The byte id and the relative priorities of each `Channel` are configured upon
  39. initialization of the connection.
  40. There are two methods for sending messages:
  41. func (m MConnection) Send(chID byte, msg interface{}) bool {}
  42. func (m MConnection) TrySend(chID byte, msg interface{}) bool {}
  43. `Send(chID, msg)` is a blocking call that waits until `msg` is successfully queued
  44. for the channel with the given id byte `chID`, or until the request times out.
  45. The message `msg` is serialized using the `tendermint/wire` submodule's
  46. `WriteBinary()` reflection routine.
  47. `TrySend(chID, msg)` is a nonblocking call that returns false if the channel's
  48. queue is full.
  49. Inbound message bytes are handled with an onReceive callback function.
  50. */
  51. type MConnection struct {
  52. BaseService
  53. conn net.Conn
  54. bufReader *bufio.Reader
  55. bufWriter *bufio.Writer
  56. sendMonitor *flow.Monitor
  57. recvMonitor *flow.Monitor
  58. sendRate int64
  59. recvRate int64
  60. send chan struct{}
  61. pong chan struct{}
  62. channels []*Channel
  63. channelsIdx map[byte]*Channel
  64. onReceive receiveCbFunc
  65. onError errorCbFunc
  66. errored uint32
  67. quit chan struct{}
  68. flushTimer *ThrottleTimer // flush writes as necessary but throttled.
  69. pingTimer *RepeatTimer // send pings periodically
  70. chStatsTimer *RepeatTimer // update channel stats periodically
  71. LocalAddress *NetAddress
  72. RemoteAddress *NetAddress
  73. }
  74. func NewMConnection(conn net.Conn, chDescs []*ChannelDescriptor, onReceive receiveCbFunc, onError errorCbFunc) *MConnection {
  75. mconn := &MConnection{
  76. conn: conn,
  77. bufReader: bufio.NewReaderSize(conn, minReadBufferSize),
  78. bufWriter: bufio.NewWriterSize(conn, minWriteBufferSize),
  79. sendMonitor: flow.New(0, 0),
  80. recvMonitor: flow.New(0, 0),
  81. sendRate: defaultSendRate,
  82. recvRate: defaultRecvRate,
  83. send: make(chan struct{}, 1),
  84. pong: make(chan struct{}),
  85. onReceive: onReceive,
  86. onError: onError,
  87. // Initialized in Start()
  88. quit: nil,
  89. flushTimer: nil,
  90. pingTimer: nil,
  91. chStatsTimer: nil,
  92. LocalAddress: NewNetAddress(conn.LocalAddr()),
  93. RemoteAddress: NewNetAddress(conn.RemoteAddr()),
  94. }
  95. // Create channels
  96. var channelsIdx = map[byte]*Channel{}
  97. var channels = []*Channel{}
  98. for _, desc := range chDescs {
  99. channel := newChannel(mconn, desc)
  100. channelsIdx[channel.id] = channel
  101. channels = append(channels, channel)
  102. }
  103. mconn.channels = channels
  104. mconn.channelsIdx = channelsIdx
  105. mconn.BaseService = *NewBaseService(log, "MConnection", mconn)
  106. return mconn
  107. }
  108. func (c *MConnection) OnStart() error {
  109. c.BaseService.OnStart()
  110. c.quit = make(chan struct{})
  111. c.flushTimer = NewThrottleTimer("flush", flushThrottleMS*time.Millisecond)
  112. c.pingTimer = NewRepeatTimer("ping", pingTimeoutSeconds*time.Second)
  113. c.chStatsTimer = NewRepeatTimer("chStats", updateStatsSeconds*time.Second)
  114. go c.sendRoutine()
  115. go c.recvRoutine()
  116. return nil
  117. }
  118. func (c *MConnection) OnStop() {
  119. c.BaseService.OnStop()
  120. c.flushTimer.Stop()
  121. c.pingTimer.Stop()
  122. c.chStatsTimer.Stop()
  123. if c.quit != nil {
  124. close(c.quit)
  125. }
  126. c.conn.Close()
  127. // We can't close pong safely here because
  128. // recvRoutine may write to it after we've stopped.
  129. // Though it doesn't need to get closed at all,
  130. // we close it @ recvRoutine.
  131. // close(c.pong)
  132. }
  133. func (c *MConnection) String() string {
  134. return fmt.Sprintf("MConn{%v}", c.conn.RemoteAddr())
  135. }
  136. func (c *MConnection) flush() {
  137. log.Debug("Flush", "conn", c)
  138. err := c.bufWriter.Flush()
  139. if err != nil {
  140. log.Warn("MConnection flush failed", "error", err)
  141. }
  142. }
  143. // Catch panics, usually caused by remote disconnects.
  144. func (c *MConnection) _recover() {
  145. if r := recover(); r != nil {
  146. stack := debug.Stack()
  147. err := StackError{r, stack}
  148. c.stopForError(err)
  149. }
  150. }
  151. func (c *MConnection) stopForError(r interface{}) {
  152. c.Stop()
  153. if atomic.CompareAndSwapUint32(&c.errored, 0, 1) {
  154. if c.onError != nil {
  155. c.onError(r)
  156. }
  157. }
  158. }
  159. // Queues a message to be sent to channel.
  160. func (c *MConnection) Send(chID byte, msg interface{}) bool {
  161. if !c.IsRunning() {
  162. return false
  163. }
  164. log.Info("Send", "channel", chID, "conn", c, "msg", msg) //, "bytes", wire.BinaryBytes(msg))
  165. // Send message to channel.
  166. channel, ok := c.channelsIdx[chID]
  167. if !ok {
  168. log.Error(Fmt("Cannot send bytes, unknown channel %X", chID))
  169. return false
  170. }
  171. success := channel.sendBytes(wire.BinaryBytes(msg))
  172. if success {
  173. // Wake up sendRoutine if necessary
  174. select {
  175. case c.send <- struct{}{}:
  176. default:
  177. }
  178. } else {
  179. log.Warn("Send failed", "channel", chID, "conn", c, "msg", msg)
  180. }
  181. return success
  182. }
  183. // Queues a message to be sent to channel.
  184. // Nonblocking, returns true if successful.
  185. func (c *MConnection) TrySend(chID byte, msg interface{}) bool {
  186. if !c.IsRunning() {
  187. return false
  188. }
  189. log.Info("TrySend", "channel", chID, "conn", c, "msg", msg)
  190. // Send message to channel.
  191. channel, ok := c.channelsIdx[chID]
  192. if !ok {
  193. log.Error(Fmt("Cannot send bytes, unknown channel %X", chID))
  194. return false
  195. }
  196. ok = channel.trySendBytes(wire.BinaryBytes(msg))
  197. if ok {
  198. // Wake up sendRoutine if necessary
  199. select {
  200. case c.send <- struct{}{}:
  201. default:
  202. }
  203. }
  204. return ok
  205. }
  206. func (c *MConnection) CanSend(chID byte) bool {
  207. if !c.IsRunning() {
  208. return false
  209. }
  210. channel, ok := c.channelsIdx[chID]
  211. if !ok {
  212. log.Error(Fmt("Unknown channel %X", chID))
  213. return false
  214. }
  215. return channel.canSend()
  216. }
  217. // sendRoutine polls for packets to send from channels.
  218. func (c *MConnection) sendRoutine() {
  219. defer c._recover()
  220. FOR_LOOP:
  221. for {
  222. var n int
  223. var err error
  224. select {
  225. case <-c.flushTimer.Ch:
  226. // NOTE: flushTimer.Set() must be called every time
  227. // something is written to .bufWriter.
  228. c.flush()
  229. case <-c.chStatsTimer.Ch:
  230. for _, channel := range c.channels {
  231. channel.updateStats()
  232. }
  233. case <-c.pingTimer.Ch:
  234. log.Info("Send Ping")
  235. wire.WriteByte(packetTypePing, c.bufWriter, &n, &err)
  236. c.sendMonitor.Update(int(n))
  237. c.flush()
  238. case <-c.pong:
  239. log.Info("Send Pong")
  240. wire.WriteByte(packetTypePong, c.bufWriter, &n, &err)
  241. c.sendMonitor.Update(int(n))
  242. c.flush()
  243. case <-c.quit:
  244. break FOR_LOOP
  245. case <-c.send:
  246. // Send some msgPackets
  247. eof := c.sendSomeMsgPackets()
  248. if !eof {
  249. // Keep sendRoutine awake.
  250. select {
  251. case c.send <- struct{}{}:
  252. default:
  253. }
  254. }
  255. }
  256. if !c.IsRunning() {
  257. break FOR_LOOP
  258. }
  259. if err != nil {
  260. log.Warn("Connection failed @ sendRoutine", "conn", c, "error", err)
  261. c.stopForError(err)
  262. break FOR_LOOP
  263. }
  264. }
  265. // Cleanup
  266. }
  267. // Returns true if messages from channels were exhausted.
  268. // Blocks in accordance to .sendMonitor throttling.
  269. func (c *MConnection) sendSomeMsgPackets() bool {
  270. // Block until .sendMonitor says we can write.
  271. // Once we're ready we send more than we asked for,
  272. // but amortized it should even out.
  273. c.sendMonitor.Limit(maxMsgPacketTotalSize, atomic.LoadInt64(&c.sendRate), true)
  274. // Now send some msgPackets.
  275. for i := 0; i < numBatchMsgPackets; i++ {
  276. if c.sendMsgPacket() {
  277. return true
  278. }
  279. }
  280. return false
  281. }
  282. // Returns true if messages from channels were exhausted.
  283. func (c *MConnection) sendMsgPacket() bool {
  284. // Choose a channel to create a msgPacket from.
  285. // The chosen channel will be the one whose recentlySent/priority is the least.
  286. var leastRatio float32 = math.MaxFloat32
  287. var leastChannel *Channel
  288. for _, channel := range c.channels {
  289. // If nothing to send, skip this channel
  290. if !channel.isSendPending() {
  291. continue
  292. }
  293. // Get ratio, and keep track of lowest ratio.
  294. ratio := float32(channel.recentlySent) / float32(channel.priority)
  295. if ratio < leastRatio {
  296. leastRatio = ratio
  297. leastChannel = channel
  298. }
  299. }
  300. // Nothing to send?
  301. if leastChannel == nil {
  302. return true
  303. } else {
  304. // log.Info("Found a msgPacket to send")
  305. }
  306. // Make & send a msgPacket from this channel
  307. n, err := leastChannel.writeMsgPacketTo(c.bufWriter)
  308. if err != nil {
  309. log.Warn("Failed to write msgPacket", "error", err)
  310. c.stopForError(err)
  311. return true
  312. }
  313. c.sendMonitor.Update(int(n))
  314. c.flushTimer.Set()
  315. return false
  316. }
  317. // recvRoutine reads msgPackets and reconstructs the message using the channels' "recving" buffer.
  318. // After a whole message has been assembled, it's pushed to onReceive().
  319. // Blocks depending on how the connection is throttled.
  320. func (c *MConnection) recvRoutine() {
  321. defer c._recover()
  322. FOR_LOOP:
  323. for {
  324. // Block until .recvMonitor says we can read.
  325. c.recvMonitor.Limit(maxMsgPacketTotalSize, atomic.LoadInt64(&c.recvRate), true)
  326. /*
  327. // Peek into bufReader for debugging
  328. if numBytes := c.bufReader.Buffered(); numBytes > 0 {
  329. log.Info("Peek connection buffer", "numBytes", numBytes, "bytes", log15.Lazy{func() []byte {
  330. bytes, err := c.bufReader.Peek(MinInt(numBytes, 100))
  331. if err == nil {
  332. return bytes
  333. } else {
  334. log.Warn("Error peeking connection buffer", "error", err)
  335. return nil
  336. }
  337. }})
  338. }
  339. */
  340. // Read packet type
  341. var n int
  342. var err error
  343. pktType := wire.ReadByte(c.bufReader, &n, &err)
  344. c.recvMonitor.Update(int(n))
  345. if err != nil {
  346. if c.IsRunning() {
  347. log.Warn("Connection failed @ recvRoutine (reading byte)", "conn", c, "error", err)
  348. c.stopForError(err)
  349. }
  350. break FOR_LOOP
  351. }
  352. // Read more depending on packet type.
  353. switch pktType {
  354. case packetTypePing:
  355. // TODO: prevent abuse, as they cause flush()'s.
  356. log.Info("Receive Ping")
  357. c.pong <- struct{}{}
  358. case packetTypePong:
  359. // do nothing
  360. log.Info("Receive Pong")
  361. case packetTypeMsg:
  362. pkt, n, err := msgPacket{}, int(0), error(nil)
  363. wire.ReadBinaryPtr(&pkt, c.bufReader, maxMsgPacketTotalSize, &n, &err)
  364. c.recvMonitor.Update(int(n))
  365. if err != nil {
  366. if c.IsRunning() {
  367. log.Warn("Connection failed @ recvRoutine", "conn", c, "error", err)
  368. c.stopForError(err)
  369. }
  370. break FOR_LOOP
  371. }
  372. channel, ok := c.channelsIdx[pkt.ChannelID]
  373. if !ok || channel == nil {
  374. PanicQ(Fmt("Unknown channel %X", pkt.ChannelID))
  375. }
  376. msgBytes, err := channel.recvMsgPacket(pkt)
  377. if err != nil {
  378. if c.IsRunning() {
  379. log.Warn("Connection failed @ recvRoutine", "conn", c, "error", err)
  380. c.stopForError(err)
  381. }
  382. break FOR_LOOP
  383. }
  384. if msgBytes != nil {
  385. log.Debug("Received bytes", "chID", pkt.ChannelID, "msgBytes", msgBytes)
  386. c.onReceive(pkt.ChannelID, msgBytes)
  387. }
  388. default:
  389. PanicSanity(Fmt("Unknown message type %X", pktType))
  390. }
  391. // TODO: shouldn't this go in the sendRoutine?
  392. // Better to send a ping packet when *we* haven't sent anything for a while.
  393. c.pingTimer.Reset()
  394. }
  395. // Cleanup
  396. close(c.pong)
  397. for _ = range c.pong {
  398. // Drain
  399. }
  400. }
  401. //-----------------------------------------------------------------------------
  402. type ChannelDescriptor struct {
  403. ID byte
  404. Priority int
  405. SendQueueCapacity int
  406. RecvBufferCapacity int
  407. RecvMessageCapacity int
  408. }
  409. func (chDesc *ChannelDescriptor) FillDefaults() {
  410. if chDesc.SendQueueCapacity == 0 {
  411. chDesc.SendQueueCapacity = defaultSendQueueCapacity
  412. }
  413. if chDesc.RecvBufferCapacity == 0 {
  414. chDesc.RecvBufferCapacity = defaultRecvBufferCapacity
  415. }
  416. if chDesc.RecvMessageCapacity == 0 {
  417. chDesc.RecvMessageCapacity = defaultRecvMessageCapacity
  418. }
  419. }
  420. // TODO: lowercase.
  421. // NOTE: not goroutine-safe.
  422. type Channel struct {
  423. conn *MConnection
  424. desc *ChannelDescriptor
  425. id byte
  426. sendQueue chan []byte
  427. sendQueueSize int32 // atomic.
  428. recving []byte
  429. sending []byte
  430. priority int
  431. recentlySent int64 // exponential moving average
  432. }
  433. func newChannel(conn *MConnection, desc *ChannelDescriptor) *Channel {
  434. desc.FillDefaults()
  435. if desc.Priority <= 0 {
  436. PanicSanity("Channel default priority must be a postive integer")
  437. }
  438. return &Channel{
  439. conn: conn,
  440. desc: desc,
  441. id: desc.ID,
  442. sendQueue: make(chan []byte, desc.SendQueueCapacity),
  443. recving: make([]byte, 0, desc.RecvBufferCapacity),
  444. priority: desc.Priority,
  445. }
  446. }
  447. // Queues message to send to this channel.
  448. // Goroutine-safe
  449. // Times out (and returns false) after defaultSendTimeoutSeconds
  450. func (ch *Channel) sendBytes(bytes []byte) bool {
  451. timeout := time.NewTimer(defaultSendTimeoutSeconds * time.Second)
  452. select {
  453. case <-timeout.C:
  454. // timeout
  455. return false
  456. case ch.sendQueue <- bytes:
  457. atomic.AddInt32(&ch.sendQueueSize, 1)
  458. return true
  459. }
  460. }
  461. // Queues message to send to this channel.
  462. // Nonblocking, returns true if successful.
  463. // Goroutine-safe
  464. func (ch *Channel) trySendBytes(bytes []byte) bool {
  465. select {
  466. case ch.sendQueue <- bytes:
  467. atomic.AddInt32(&ch.sendQueueSize, 1)
  468. return true
  469. default:
  470. return false
  471. }
  472. }
  473. // Goroutine-safe
  474. func (ch *Channel) loadSendQueueSize() (size int) {
  475. return int(atomic.LoadInt32(&ch.sendQueueSize))
  476. }
  477. // Goroutine-safe
  478. // Use only as a heuristic.
  479. func (ch *Channel) canSend() bool {
  480. return ch.loadSendQueueSize() < defaultSendQueueCapacity
  481. }
  482. // Returns true if any msgPackets are pending to be sent.
  483. // Call before calling nextMsgPacket()
  484. // Goroutine-safe
  485. func (ch *Channel) isSendPending() bool {
  486. if len(ch.sending) == 0 {
  487. if len(ch.sendQueue) == 0 {
  488. return false
  489. }
  490. ch.sending = <-ch.sendQueue
  491. }
  492. return true
  493. }
  494. // Creates a new msgPacket to send.
  495. // Not goroutine-safe
  496. func (ch *Channel) nextMsgPacket() msgPacket {
  497. packet := msgPacket{}
  498. packet.ChannelID = byte(ch.id)
  499. packet.Bytes = ch.sending[:MinInt(maxMsgPacketPayloadSize, len(ch.sending))]
  500. if len(ch.sending) <= maxMsgPacketPayloadSize {
  501. packet.EOF = byte(0x01)
  502. ch.sending = nil
  503. atomic.AddInt32(&ch.sendQueueSize, -1) // decrement sendQueueSize
  504. } else {
  505. packet.EOF = byte(0x00)
  506. ch.sending = ch.sending[MinInt(maxMsgPacketPayloadSize, len(ch.sending)):]
  507. }
  508. return packet
  509. }
  510. // Writes next msgPacket to w.
  511. // Not goroutine-safe
  512. func (ch *Channel) writeMsgPacketTo(w io.Writer) (n int, err error) {
  513. packet := ch.nextMsgPacket()
  514. log.Debug("Write Msg Packet", "conn", ch.conn, "packet", packet)
  515. wire.WriteByte(packetTypeMsg, w, &n, &err)
  516. wire.WriteBinary(packet, w, &n, &err)
  517. if err != nil {
  518. ch.recentlySent += int64(n)
  519. }
  520. return
  521. }
  522. // Handles incoming msgPackets. Returns a msg bytes if msg is complete.
  523. // Not goroutine-safe
  524. func (ch *Channel) recvMsgPacket(packet msgPacket) ([]byte, error) {
  525. // log.Debug("Read Msg Packet", "conn", ch.conn, "packet", packet)
  526. if ch.desc.RecvMessageCapacity < len(ch.recving)+len(packet.Bytes) {
  527. return nil, wire.ErrBinaryReadSizeOverflow
  528. }
  529. ch.recving = append(ch.recving, packet.Bytes...)
  530. if packet.EOF == byte(0x01) {
  531. msgBytes := ch.recving
  532. ch.recving = make([]byte, 0, defaultRecvBufferCapacity)
  533. return msgBytes, nil
  534. }
  535. return nil, nil
  536. }
  537. // Call this periodically to update stats for throttling purposes.
  538. // Not goroutine-safe
  539. func (ch *Channel) updateStats() {
  540. // Exponential decay of stats.
  541. // TODO: optimize.
  542. ch.recentlySent = int64(float64(ch.recentlySent) * 0.5)
  543. }
  544. //-----------------------------------------------------------------------------
  545. const (
  546. maxMsgPacketPayloadSize = 1024
  547. maxMsgPacketOverheadSize = 10 // It's actually lower but good enough
  548. maxMsgPacketTotalSize = maxMsgPacketPayloadSize + maxMsgPacketOverheadSize
  549. packetTypePing = byte(0x01)
  550. packetTypePong = byte(0x02)
  551. packetTypeMsg = byte(0x03)
  552. )
  553. // Messages in channels are chopped into smaller msgPackets for multiplexing.
  554. type msgPacket struct {
  555. ChannelID byte
  556. EOF byte // 1 means message ends here.
  557. Bytes []byte
  558. }
  559. func (p msgPacket) String() string {
  560. return fmt.Sprintf("MsgPacket{%X:%X T:%X}", p.ChannelID, p.Bytes, p.EOF)
  561. }