whisper: add known message expiration to peers, cleanup

pull/718/head
Péter Szilágyi 10 years ago
parent 59bff46505
commit e2b7498c9d
  1. 163
      whisper/peer.go
  2. 77
      whisper/whisper.go

@ -4,106 +4,155 @@ import (
"fmt" "fmt"
"time" "time"
"github.com/ethereum/go-ethereum/common"
"github.com/ethereum/go-ethereum/p2p" "github.com/ethereum/go-ethereum/p2p"
"github.com/ethereum/go-ethereum/rlp" "github.com/ethereum/go-ethereum/rlp"
"gopkg.in/fatih/set.v0" "gopkg.in/fatih/set.v0"
) )
// peer represents a whisper protocol peer connection.
type peer struct { type peer struct {
host *Whisper host *Whisper
peer *p2p.Peer peer *p2p.Peer
ws p2p.MsgReadWriter ws p2p.MsgReadWriter
// XXX Eventually this is going to reach exceptional large space. We need an expiry here known *set.Set // Messages already known by the peer to avoid wasting bandwidth
known *set.Set
quit chan struct{} quit chan struct{}
} }
func NewPeer(host *Whisper, p *p2p.Peer, ws p2p.MsgReadWriter) *peer { // newPeer creates and initializes a new whisper peer connection, returning either
return &peer{host, p, ws, set.New(), make(chan struct{})} // the newly constructed link or a failure reason.
} func newPeer(host *Whisper, remote *p2p.Peer, rw p2p.MsgReadWriter) (*peer, error) {
p := &peer{
func (self *peer) init() error { host: host,
if err := self.handleStatus(); err != nil { peer: remote,
return err ws: rw,
known: set.New(),
quit: make(chan struct{}),
} }
if err := p.handshake(); err != nil {
return nil return nil, err
}
return p, nil
} }
// start initiates the peer updater, periodically broadcasting the whisper packets
// into the network.
func (self *peer) start() { func (self *peer) start() {
go self.update() go self.update()
self.peer.Debugln("whisper started") self.peer.Debugln("whisper started")
} }
// stop terminates the peer updater, stopping message forwarding to it.
func (self *peer) stop() { func (self *peer) stop() {
close(self.quit)
self.peer.Debugln("whisper stopped") self.peer.Debugln("whisper stopped")
}
close(self.quit) // handshake sends the protocol initiation status message to the remote peer and
// verifies the remote status too.
func (self *peer) handshake() error {
// Send own status message, fetch remote one
if err := p2p.SendItems(self.ws, statusCode, protocolVersion); err != nil {
return err
}
packet, err := self.ws.ReadMsg()
if err != nil {
return err
}
if packet.Code != statusCode {
return fmt.Errorf("peer sent %x before status packet", packet.Code)
}
// Decode the rest of the status packet and verify protocol match
s := rlp.NewStream(packet.Payload)
if _, err := s.List(); err != nil {
return fmt.Errorf("bad status message: %v", err)
}
peerVersion, err := s.Uint()
if err != nil {
return fmt.Errorf("bad status message: %v", err)
}
if peerVersion != protocolVersion {
return fmt.Errorf("protocol version mismatch %d != %d", peerVersion, protocolVersion)
}
return packet.Discard() // ignore anything after protocol version
} }
// update executes periodic operations on the peer, including message transmission
// and expiration.
func (self *peer) update() { func (self *peer) update() {
relay := time.NewTicker(300 * time.Millisecond) // Start the tickers for the updates
out: expire := time.NewTicker(expirationTicks)
transmit := time.NewTicker(transmissionTicks)
// Loop and transmit until termination is requested
for { for {
select { select {
case <-relay.C: case <-expire.C:
err := self.broadcast(self.host.envelopes()) self.expire()
if err != nil {
self.peer.Infoln("broadcast err:", err) case <-transmit.C:
break out if err := self.broadcast(); err != nil {
self.peer.Infoln("broadcast failed:", err)
return
} }
case <-self.quit: case <-self.quit:
break out return
} }
} }
} }
func (self *peer) broadcast(envelopes []*Envelope) error { // mark marks an envelope known to the peer so that it won't be sent back.
envs := make([]*Envelope, 0, len(envelopes)) func (self *peer) mark(envelope *Envelope) {
for _, env := range envelopes { self.known.Add(envelope.Hash())
if !self.known.Has(env.Hash()) {
envs = append(envs, env)
self.known.Add(env.Hash())
}
}
if len(envs) > 0 {
if err := p2p.Send(self.ws, envelopesMsg, envs); err != nil {
return err
}
self.peer.DebugDetailln("broadcasted", len(envs), "message(s)")
}
return nil
} }
func (self *peer) addKnown(envelope *Envelope) { // marked checks if an envelope is already known to the remote peer.
self.known.Add(envelope.Hash()) func (self *peer) marked(envelope *Envelope) bool {
return self.known.Has(envelope.Hash())
} }
func (self *peer) handleStatus() error { // expire iterates over all the known envelopes in the host and removes all
ws := self.ws // expired (unknown) ones from the known list.
if err := p2p.SendItems(ws, statusMsg, protocolVersion); err != nil { func (self *peer) expire() {
return err // Assemble the list of available envelopes
} available := set.NewNonTS()
msg, err := ws.ReadMsg() for _, envelope := range self.host.envelopes() {
if err != nil { available.Add(envelope.Hash())
return err
}
if msg.Code != statusMsg {
return fmt.Errorf("peer send %x before status msg", msg.Code)
} }
s := rlp.NewStream(msg.Payload) // Cross reference availability with known status
if _, err := s.List(); err != nil { unmark := make(map[common.Hash]struct{})
return fmt.Errorf("bad status message: %v", err) self.known.Each(func(v interface{}) bool {
if !available.Has(v.(common.Hash)) {
unmark[v.(common.Hash)] = struct{}{}
}
return true
})
// Dump all known but unavailable
for hash, _ := range unmark {
self.known.Remove(hash)
} }
pv, err := s.Uint() }
if err != nil {
return fmt.Errorf("bad status message: %v", err) // broadcast iterates over the collection of envelopes and transmits yet unknown
// ones over the network.
func (self *peer) broadcast() error {
// Fetch the envelopes and collect the unknown ones
envelopes := self.host.envelopes()
transmit := make([]*Envelope, 0, len(envelopes))
for _, envelope := range envelopes {
if !self.marked(envelope) {
transmit = append(transmit, envelope)
self.mark(envelope)
}
} }
if pv != protocolVersion { // Transmit the unknown batch (potentially empty)
return fmt.Errorf("protocol version mismatch %d != %d", pv, protocolVersion) if err := p2p.Send(self.ws, messagesCode, transmit); err != nil {
return err
} }
return msg.Discard() // ignore anything after protocol version self.peer.DebugDetailln("broadcasted", len(transmit), "message(s)")
return nil
} }

@ -16,8 +16,8 @@ import (
) )
const ( const (
statusMsg = 0x00 statusCode = 0x00
envelopesMsg = 0x01 messagesCode = 0x01
protocolVersion uint64 = 0x02 protocolVersion uint64 = 0x02
protocolName = "shh" protocolName = "shh"
@ -25,7 +25,8 @@ const (
signatureFlag = byte(1 << 7) signatureFlag = byte(1 << 7)
signatureLength = 65 signatureLength = 65
expirationTicks = 800 * time.Millisecond expirationTicks = 800 * time.Millisecond
transmissionTicks = 300 * time.Millisecond
) )
const ( const (
@ -69,7 +70,7 @@ func New() *Whisper {
Name: protocolName, Name: protocolName,
Version: uint(protocolVersion), Version: uint(protocolVersion),
Length: 2, Length: 2,
Run: whisper.msgHandler, Run: whisper.handlePeer,
} }
return whisper return whisper
@ -168,6 +169,40 @@ func (self *Whisper) Stop() {
return return
}*/ }*/
// handlePeer is called by the underlying P2P layer when the whisper sub-protocol
// connection is negotiated.
func (self *Whisper) handlePeer(peer *p2p.Peer, rw p2p.MsgReadWriter) error {
// Create, initialize and start the whisper peer
whisperPeer, err := newPeer(self, peer, rw)
if err != nil {
return err
}
whisperPeer.start()
defer whisperPeer.stop()
// Read and process inbound messages directly to merge into client-global state
for {
// Fetch the next packet and decode the contained envelopes
packet, err := rw.ReadMsg()
if err != nil {
return err
}
var envelopes []*Envelope
if err := packet.Decode(&envelopes); err != nil {
peer.Infof("failed to decode enveloped: %v", err)
continue
}
// Inject all envelopes into the internal pool
for _, envelope := range envelopes {
if err := self.add(envelope); err != nil {
// TODO Punish peer here. Invalid envelope.
peer.Debugf("failed to pool envelope: %f", err)
}
whisperPeer.mark(envelope)
}
}
}
// add inserts a new envelope into the message pool to be distributed within the // add inserts a new envelope into the message pool to be distributed within the
// whisper network. It also inserts the envelope into the expiration pool at the // whisper network. It also inserts the envelope into the expiration pool at the
// appropriate time-stamp. // appropriate time-stamp.
@ -198,40 +233,6 @@ func (self *Whisper) add(envelope *Envelope) error {
return nil return nil
} }
// Main handler for passing whisper messages to whisper peer objects
func (self *Whisper) msgHandler(peer *p2p.Peer, ws p2p.MsgReadWriter) error {
wpeer := NewPeer(self, peer, ws)
// initialise whisper peer (handshake/status)
if err := wpeer.init(); err != nil {
return err
}
// kick of the main handler for broadcasting/managing envelopes
go wpeer.start()
defer wpeer.stop()
// Main *read* loop. Writing is done by the peer it self.
for {
msg, err := ws.ReadMsg()
if err != nil {
return err
}
var envelopes []*Envelope
if err := msg.Decode(&envelopes); err != nil {
peer.Infoln(err)
continue
}
for _, envelope := range envelopes {
if err := self.add(envelope); err != nil {
// TODO Punish peer here. Invalid envelope.
peer.Debugln(err)
}
wpeer.addKnown(envelope)
}
}
}
// postEvent opens an envelope with the configured identities and delivers the // postEvent opens an envelope with the configured identities and delivers the
// message upstream from application processing. // message upstream from application processing.
func (self *Whisper) postEvent(envelope *Envelope) { func (self *Whisper) postEvent(envelope *Envelope) {

Loading…
Cancel
Save