-
Notifications
You must be signed in to change notification settings - Fork 9
/
node.go
838 lines (693 loc) · 23.1 KB
/
node.go
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
411
412
413
414
415
416
417
418
419
420
421
422
423
424
425
426
427
428
429
430
431
432
433
434
435
436
437
438
439
440
441
442
443
444
445
446
447
448
449
450
451
452
453
454
455
456
457
458
459
460
461
462
463
464
465
466
467
468
469
470
471
472
473
474
475
476
477
478
479
480
481
482
483
484
485
486
487
488
489
490
491
492
493
494
495
496
497
498
499
500
501
502
503
504
505
506
507
508
509
510
511
512
513
514
515
516
517
518
519
520
521
522
523
524
525
526
527
528
529
530
531
532
533
534
535
536
537
538
539
540
541
542
543
544
545
546
547
548
549
550
551
552
553
554
555
556
557
558
559
560
561
562
563
564
565
566
567
568
569
570
571
572
573
574
575
576
577
578
579
580
581
582
583
584
585
586
587
588
589
590
591
592
593
594
595
596
597
598
599
600
601
602
603
604
605
606
607
608
609
610
611
612
613
614
615
616
617
618
619
620
621
622
623
624
625
626
627
628
629
630
631
632
633
634
635
636
637
638
639
640
641
642
643
644
645
646
647
648
649
650
651
652
653
654
655
656
657
658
659
660
661
662
663
664
665
666
667
668
669
670
671
672
673
674
675
676
677
678
679
680
681
682
683
684
685
686
687
688
689
690
691
692
693
694
695
696
697
698
699
700
701
702
703
704
705
706
707
708
709
710
711
712
713
714
715
716
717
718
719
720
721
722
723
724
725
726
727
728
729
730
731
732
733
734
735
736
737
738
739
740
741
742
743
744
745
746
747
748
749
750
751
752
753
754
755
756
757
758
759
760
761
762
763
764
765
766
767
768
769
770
771
772
773
774
775
776
777
778
779
780
781
782
783
784
785
786
787
788
789
790
791
792
793
794
795
796
797
798
799
800
801
802
803
804
805
806
807
808
809
810
811
812
813
814
815
816
817
818
819
820
821
822
823
824
825
826
827
828
829
830
831
832
833
834
835
836
837
838
package ckit
import (
"bytes"
"context"
"errors"
"fmt"
"io"
"net"
"net/http"
"sort"
"sync"
"time"
"github.com/go-kit/log"
"github.com/go-kit/log/level"
"github.com/grafana/ckit/internal/gossiphttp"
"github.com/grafana/ckit/internal/lamport"
"github.com/grafana/ckit/internal/messages"
"github.com/grafana/ckit/internal/queue"
"github.com/grafana/ckit/peer"
"github.com/grafana/ckit/shard"
"github.com/hashicorp/go-msgpack/codec"
"github.com/hashicorp/memberlist"
"github.com/prometheus/client_golang/prometheus"
)
var (
// ErrStopped is returned by invoking methods against Node when it is
// stopped.
ErrStopped = errors.New("node stopped")
)
// StateTransitionError is returned when a node requests an invalid state
// transition.
type StateTransitionError struct {
From, To peer.State
}
// Error implements error.
func (e StateTransitionError) Error() string {
return fmt.Sprintf("invalid transition from %s to %s", e.From, e.To)
}
// Config configures a Node within the cluster.
type Config struct {
// Name of the Node. Must be unique across the cluster. Required.
Name string
// host:port address other nodes should use to connect to this Node.
// Required.
AdvertiseAddr string
// Optional logger to use.
Log log.Logger
// Optional sharder to synchronize cluster changes to. Synchronization of the
// Sharder happens prior to Observers being notified of changes.
Sharder shard.Sharder
// Optional identifier to prevent clusters from accidentally merging.
// Nodes are prevented from joining a cluster with an explicit label if
// they do not share the same label.
Label string
// EnableTLS optionally specifies whether TLS should be
// used for communication between peers.
// Defaults to false.
EnableTLS bool
}
func (c *Config) validate() error {
if len(c.Name) == 0 {
return fmt.Errorf("node name is required")
}
if len(c.AdvertiseAddr) == 0 {
return fmt.Errorf("advertise address is required")
}
if c.Log == nil {
c.Log = log.NewNopLogger()
}
return nil
}
// A Node is a participant in a cluster. Nodes keep track of all of their peers
// and emit events to Observers when the cluster state changes.
type Node struct {
log log.Logger
cfg Config
ml *memberlist.Memberlist
broadcasts memberlist.TransmitLimitedQueue // Make sure peerMut isn't held when updating
notifyObserversQueue *queue.Queue
m *metrics
baseRoute string
handler http.Handler
// The clock for the node. Nodes have their own clock for the sake of
// testing; using the global clock could cause clock synchronization issues
// to be missed if you use multiple in-process nodes.
clock lamport.Clock
stateMut sync.RWMutex
localState peer.State
shutdownMut sync.Mutex
runCancel context.CancelFunc
stopped bool
observersMut sync.Mutex
observers []Observer
// peerStates is updated any time a messages.State broadcast is received, and
// may have keys for node names that do not exist in the peers map. These
// keys get gradually cleaned up during local state synchronization.
//
// Use peers for the definitive list of current peers.
// TODO(rfratto): should this block be replaced with a single struct that
// supports updating peers in-place?
peerMut sync.RWMutex
peerStates map[string]messages.State // State lookup for a node name
peers map[string]peer.Peer // Current list of peers & their states
peerCache []peer.Peer // Slice version of peers; keep in sync with peers
}
// NewNode creates an unstarted Node to participulate in a cluster. An error
// will be returned if the provided config is invalid.
//
// Before starting the Node, the caller has to wire up the Node's HTTP handlers
// on the base route provided by the Handler method.
//
// If Node is intended to be reachable over non-TLS HTTP/2 connections, then
// the http.Server the routes are registered on must make use of the
// golang.org/x/net/http2/h2c package to enable upgrading incoming plain HTTP
// connections to HTTP/2.
//
// Similarly, if the Node is intended to initiate non-TLS outgoing connections,
// the provided cli should be configured properly (with AllowHTTP set to true
// and using a custom DialTLS function to create a non-TLS net.Conn).
func NewNode(cli *http.Client, cfg Config) (*Node, error) {
if err := cfg.validate(); err != nil {
return nil, err
}
advertiseAddr, advertisePortString, err := net.SplitHostPort(cfg.AdvertiseAddr)
if err != nil {
return nil, fmt.Errorf("failed to read advertise address: %w", err)
}
advertiseIP, err := net.ResolveIPAddr("ip", advertiseAddr)
if err != nil {
return nil, fmt.Errorf("failed to lookup advertise address %q: %w", advertiseAddr, err)
}
advertisePort, err := net.LookupPort("tcp", advertisePortString)
if err != nil {
return nil, fmt.Errorf("failed to parse advertise port %q: %w", advertisePortString, err)
}
httpTransport, transportMetrics, err := gossiphttp.NewTransport(gossiphttp.Options{
Log: cfg.Log,
Client: cli,
PacketTimeout: 1 * time.Second,
UseHTTPS: cfg.EnableTLS,
})
if err != nil {
return nil, fmt.Errorf("failed to build transport: %w", err)
}
baseRoute, handler := httpTransport.Handler()
mlc := memberlist.DefaultLANConfig()
mlc.Name = cfg.Name
mlc.Transport = httpTransport
mlc.AdvertiseAddr = advertiseIP.String()
mlc.AdvertisePort = advertisePort
mlc.LogOutput = io.Discard
mlc.Label = cfg.Label
if cfg.Log != nil {
mlc.LogOutput = log.NewStdlibAdapter(level.Debug(log.With(cfg.Log, "component", "memberlist")))
}
n := &Node{
log: cfg.Log,
cfg: cfg,
m: newMetrics(mlc.Label),
notifyObserversQueue: queue.New(1),
peerStates: make(map[string]messages.State),
peers: make(map[string]peer.Peer),
baseRoute: baseRoute,
handler: handler,
}
nd := &nodeDelegate{Node: n}
mlc.Events = nd
mlc.Delegate = nd
mlc.Conflict = nd
ml, err := memberlist.Create(mlc)
if err != nil {
return nil, fmt.Errorf("failed to create memberlist: %w", err)
}
n.ml = ml
n.broadcasts.NumNodes = func() int { return len(n.Peers()) }
n.broadcasts.RetransmitMult = mlc.RetransmitMult
// Include some extra metrics.
n.m.Add(
newMemberlistCollector(ml, mlc.Label),
transportMetrics,
prometheus.NewGaugeFunc(prometheus.GaugeOpts{
Name: "cluster_node_lamport_time",
Help: "The current lamport time of the node.",
}, func() float64 {
return float64(n.clock.Now())
}),
)
return n, nil
}
// Metrics returns a prometheus.Collector that can be used to collect metrics
// about the Node.
func (n *Node) Metrics() prometheus.Collector { return n.m }
// Handler returns the base route and http.Handler used by the Node for
// communicating over HTTP/2.
//
// The base route and handler must be configured properly by registering them
// with an HTTP server before starting the Node.
func (n *Node) Handler() (string, http.Handler) { return n.baseRoute, n.handler }
// Start starts the Node with a set of peers to connect to. Start may be called
// multiple times to add additional peers into the memberlist.
//
// Start may not be called after [Stop] has been called.
func (n *Node) Start(peers []string) error {
n.shutdownMut.Lock()
defer n.shutdownMut.Unlock()
if n.stopped {
// n.ml can't be re-used after we stopped, so we need to force error the
// Start.
//
// TODO: maybe create a new n.ml instead?
return ErrStopped
}
if n.runCancel == nil {
ctx, cancel := context.WithCancel(context.Background())
go n.run(ctx)
n.runCancel = cancel
}
_, err := n.ml.Join(peers)
if err != nil {
return fmt.Errorf("failed to join memberlist: %w", err)
}
// Broadcast our current state of the node to all peers now that our lamport
// clock is roughly synchronized.
return n.broadcastCurrentState()
}
func (n *Node) run(ctx context.Context) {
var lastPeers []peer.Peer
for {
v, err := n.notifyObserversQueue.Dequeue(ctx)
if err != nil {
break
}
peers := v.([]peer.Peer)
// Ignore events if the peer set hasn't changed.
if peersEqual(lastPeers, peers) {
continue
}
lastPeers = peers
n.notifyObservers(peers)
}
}
// broadcastCurrentState queues a message to send the current state of the node
// to the cluster. This should be done after joining a new set of nodes once
// the lamport clock is synchronized.
func (n *Node) broadcastCurrentState() error {
n.stateMut.RLock()
defer n.stateMut.RUnlock()
stateMsg := messages.State{
NodeName: n.cfg.Name,
NewState: n.localState,
Time: n.clock.Tick(),
}
// Treat the stateMsg as if it was received externally to track our own state
// along with other nodes.
n.handleStateMessage(stateMsg)
bcast, err := messages.Broadcast(&stateMsg, nil)
if err != nil {
return err
}
n.broadcasts.QueueBroadcast(bcast)
return nil
}
// Stop stops the Node, removing it from the cluster. Callers should first
// first transition to StateTerminating to gracefully leave the cluster.
// Observers will no longer be notified about cluster changes after Stop
// returns.
func (n *Node) Stop() error {
n.shutdownMut.Lock()
defer n.shutdownMut.Unlock()
if n.runCancel != nil {
n.runCancel()
n.runCancel = nil
}
if n.stopped {
// n.ml.Leave will panic if being called twice. We'll be defensive and
// prevent anything from happening here.
return nil
}
n.stopped = true
// TODO(rfratto): configurable leave timeout
leaveTimeout := time.Second * 5
if err := n.ml.Leave(leaveTimeout); err != nil {
level.Error(n.log).Log("msg", "failed to broadcast leave message to cluster", "err", err)
}
return n.ml.Shutdown()
}
// CurrentState returns n's current State. Other nodes may not have the same
// State value for n as the current state propagates throughout the cluster.
func (n *Node) CurrentState() peer.State {
n.stateMut.RLock()
defer n.stateMut.RUnlock()
return n.localState
}
// ChangeState changes the state of the node. ChangeState will block until the
// message has been broadcast or until the provided ctx is canceled. Canceling
// the context does not stop the message from being broadcast; it just stops
// waiting for it.
//
// The "to" state must be valid to move to from the current state. Acceptable
// transitions are:
//
// StateViewer -> StateParticipant
// StateParticipant -> StateTerminating
//
// Nodes intended to only be viewers should never transition to another state.
func (n *Node) ChangeState(ctx context.Context, to peer.State) error {
n.stateMut.Lock()
defer n.stateMut.Unlock()
t := stateTransition{From: n.localState, To: to}
if _, valid := validStateTransitions[t]; !valid {
return StateTransitionError(t)
}
level.Debug(n.log).Log("msg", "changing node state", "from", n.localState, "to", to)
return n.waitChangeState(ctx, to)
}
type stateTransition struct{ From, To peer.State }
var validStateTransitions = map[stateTransition]struct{}{
{peer.StateViewer, peer.StateParticipant}: {},
{peer.StateParticipant, peer.StateTerminating}: {},
}
func (n *Node) waitChangeState(ctx context.Context, to peer.State) error {
waitBroadcast := make(chan struct{}, 1)
afterBroadcast := func() {
select {
case waitBroadcast <- struct{}{}:
default:
}
}
if err := n.changeState(to, afterBroadcast); err != nil {
return err
}
// We need at least one remote peer to broadcast the state change to. If it's
// just us, we can return immediately.
n.peerMut.RLock()
hasPeers := len(n.peers) > 1
n.peerMut.RUnlock()
if !hasPeers {
return nil
}
select {
case <-ctx.Done():
return ctx.Err()
case <-waitBroadcast:
return nil
}
}
func (n *Node) changeState(to peer.State, onDone func()) error {
n.localState = to
n.m.nodeInfo.MustSet("state", to.String())
stateMsg := messages.State{
NodeName: n.cfg.Name,
NewState: n.localState,
Time: n.clock.Tick(),
}
// Treat the stateMsg as if it was received externally to track our own state
// along with other nodes.
n.handleStateMessage(stateMsg)
bcast, err := messages.Broadcast(&stateMsg, onDone)
if err != nil {
return err
}
n.broadcasts.QueueBroadcast(bcast)
return nil
}
// handleStateMessage handles a state message from a peer. Returns true if the
// message hasn't been seen before.
//
// handleStateMessage must be called with n.stateMut held for reading.
func (n *Node) handleStateMessage(msg messages.State) (newMessage bool) {
n.clock.Observe(msg.Time)
n.peerMut.Lock()
defer n.peerMut.Unlock()
curr, exist := n.peerStates[msg.NodeName]
if exist && msg.Time <= curr.Time {
// Ignore a state message if we have the same or a newer one.
return false
} else if exist && msg.NodeName == n.cfg.Name {
level.Debug(n.log).Log("msg", "got stale message about self", "msg", msg)
// A peer has a newer message about ourselves, likely from a previous
// instance of the process. We'll ignore the message and replace it with a
// newer message reflecting our current state.
msg = messages.State{
NodeName: n.cfg.Name,
NewState: n.localState,
Time: n.clock.Tick(),
}
} else {
level.Debug(n.log).Log("msg", "handling state message", "msg", msg)
}
n.peerStates[msg.NodeName] = msg
if p, ok := n.peers[msg.NodeName]; ok {
p.State = msg.NewState
n.peers[msg.NodeName] = p
n.handlePeersChanged()
}
return true
}
// Peers returns all Peers currently known by n. The Peers list will include
// peers regardless of their current State. The returned slice should not be
// modified.
func (n *Node) Peers() []peer.Peer {
n.peerMut.RLock()
defer n.peerMut.RUnlock()
return n.peerCache
}
// handlePeersChanged should be called when the peers map is updated. The peer
// cache will be updated before notifying observers that peers have changed.
//
// peerMut should be held when this function is called.
func (n *Node) handlePeersChanged() {
var (
newPeers = make([]peer.Peer, 0, len(n.peers))
peerCountByState = make(map[peer.State]int, len(peer.AllStates))
)
for _, peer := range n.peers {
newPeers = append(newPeers, peer)
peerCountByState[peer.State]++
}
// Update the metric based on the peers we just processed.
for _, state := range peer.AllStates {
count := peerCountByState[state]
n.m.nodePeers.WithLabelValues(state.String()).Set(float64(count))
}
// Sort the new peers by name.
sort.Slice(newPeers, func(i, j int) bool {
return newPeers[i].Name < newPeers[j].Name
})
// Notify the sharder first if it's set.
if n.cfg.Sharder != nil {
n.cfg.Sharder.SetPeers(newPeers)
}
n.peerCache = newPeers
n.notifyObserversQueue.Enqueue(newPeers)
}
// Observe registers o to be informed when the cluster changes. o will be
// notified when a new peer is discovered, an existing peer shuts down, or the
// state of a peer changes. Observers are invoked in the order they were
// registered.
//
// Observers are notified in the background about the most recent state of the
// cluster, ignoring intermediate changed events that occurred while a
// long-running observer is still processing an older change.
func (n *Node) Observe(o Observer) {
n.observersMut.Lock()
defer n.observersMut.Unlock()
n.observers = append(n.observers, o)
n.m.nodeObservers.Set(float64(len(n.observers)))
}
func (n *Node) notifyObservers(peers []peer.Peer) {
n.observersMut.Lock()
defer n.observersMut.Unlock()
n.m.nodeUpdating.Set(1)
defer n.m.nodeUpdating.Set(0)
timer := prometheus.NewTimer(n.m.nodeUpdateDuration)
defer timer.ObserveDuration()
newObservers := make([]Observer, 0, len(n.observers))
for _, o := range n.observers {
rereg := o.NotifyPeersChanged(peers)
if rereg {
newObservers = append(newObservers, o)
}
}
n.observers = newObservers
n.m.nodeObservers.Set(float64(len(n.observers)))
}
// nodeDelegate is used to implement memberlist.*Delegate types without
// exposing their methods publicly.
type nodeDelegate struct {
*Node
}
// Delegate types nodeDelegate should implement
var (
_ memberlist.Delegate = (*nodeDelegate)(nil)
_ memberlist.EventDelegate = (*nodeDelegate)(nil)
_ memberlist.ConflictDelegate = (*nodeDelegate)(nil)
)
//
// memberlist.Delegate methods
//
func (nd *nodeDelegate) NodeMeta(limit int) []byte {
// Nodes don't have any additional metadata to send; return nil.
return nil
}
func (nd *nodeDelegate) NotifyMsg(raw []byte) {
buf, ty, err := messages.Parse(raw)
if err != nil {
level.Error(nd.log).Log("msg", "failed to parse gossip message", "ty", ty, "err", err)
return
}
switch ty {
case messages.TypeState:
nd.m.gossipEventsTotal.WithLabelValues(eventStateChange).Inc()
var s messages.State
if err := messages.Decode(buf, &s); err != nil {
level.Error(nd.log).Log("msg", "failed to decode state message", "err", err)
return
}
// nd.handleStateMessage must be called with stateMut held.
nd.stateMut.RLock()
defer nd.stateMut.RUnlock()
if nd.handleStateMessage(s) {
// We should continue gossiping the message to other peers if we haven't
// seen it before.
//
// We can ignore errors from the broadcast here. It shouldn't fail to
// encode since we just decoded it successfully, but even if it did fail,
// messages would still converge eventually using push/pulls.
bcast, _ := messages.Broadcast(&s, nil)
nd.broadcasts.QueueBroadcast(bcast)
}
default:
nd.m.gossipEventsTotal.WithLabelValues(eventUnkownMessage).Inc()
level.Warn(nd.log).Log("msg", "unexpected gossip message", "ty", ty)
}
}
func (nd *nodeDelegate) GetBroadcasts(overhead, limit int) [][]byte {
return nd.broadcasts.GetBroadcasts(overhead, limit)
}
func (nd *nodeDelegate) LocalState(join bool) []byte {
nd.peerMut.RLock()
defer nd.peerMut.RUnlock()
nd.m.gossipEventsTotal.WithLabelValues(eventGetLocalState).Inc()
ls := localState{
CurrentTime: nd.clock.Now(),
NodeStates: make([]messages.State, 0, len(nd.peers)),
}
// Our local state will have one NodeState for each peer we're currently
// aware of. This is different from each state we're aware of, since our
// nodeStates map may track states for nodes we haven't seen.
//
// Returning states for known peers allows MergeRemoteState to clean up
// nodeStates and remove entries for nodes that neither peer knows about.
for p := range nd.peers {
if s, hasState := nd.peerStates[p]; hasState {
ls.NodeStates = append(ls.NodeStates, s)
continue
}
ls.NodeStates = append(ls.NodeStates, messages.State{
NodeName: p,
NewState: peer.StateViewer,
Time: lamport.Time(0),
})
}
bb, err := encodeLocalState(&ls)
if err != nil {
level.Error(nd.log).Log("msg", "failed to encode local state", "err", err)
return nil
}
return bb
}
func (nd *nodeDelegate) MergeRemoteState(buf []byte, join bool) {
rs, err := decodeLocalState(buf)
if err != nil {
level.Error(nd.log).Log("msg", "failed to decode remote state", "join", join, "err", err)
return
}
nd.clock.Observe(rs.CurrentTime)
level.Debug(nd.log).Log("msg", "merging remote state", "remote_time", rs.CurrentTime)
// We'll be doing a full sync of state messages that another peer knows
// about. After the end of the full sync, we'll want to gossip new messages
// we've discovered to our peers.
var newMessages = make([]messages.State, 0, len(rs.NodeStates))
defer func() {
// This must be done after we unlock nd.peerMut, since QueueBroadcast will
// call nd.Peers.
for _, msg := range newMessages {
bcast, _ := messages.Broadcast(&msg, nil)
nd.broadcasts.QueueBroadcast(bcast)
}
}()
nd.peerMut.Lock()
defer nd.peerMut.Unlock()
nd.m.gossipEventsTotal.WithLabelValues(eventMergeRemoteState).Inc()
var (
peersChanged bool
// Map of remote states by name to optimize lookups.
remoteStates = make(map[string]messages.State, len(rs.NodeStates))
)
// Merge in node states that the remote peer kept.
for _, msg := range rs.NodeStates {
// We don't use handleStateMessage here so we can defer recalculating peers
// to the end of the merge.
remoteStates[msg.NodeName] = msg
curr, exist := nd.peerStates[msg.NodeName]
if exist && msg.Time <= curr.Time {
// Ignore a state message if we have a newer one.
continue
} else if msg.NodeName == nd.cfg.Name {
level.Debug(nd.log).Log("msg", "got stale message about self", "msg", msg)
// Our remote peer has a newer message about ourselves, likely from a
// previous instance of the process. We'll ignore the message and replace
// it with a newer message reflecting our current state.
msg = messages.State{
NodeName: nd.cfg.Name,
NewState: nd.CurrentState(),
Time: nd.clock.Tick(),
}
} else {
level.Debug(nd.log).Log("msg", "handling state message", "msg", msg)
}
nd.peerStates[msg.NodeName] = msg
if p, ok := nd.peers[msg.NodeName]; ok {
p.State = msg.NewState
nd.peers[msg.NodeName] = p
peersChanged = true
}
newMessages = append(newMessages, msg)
}
// Clean up stale entries in peerStates.
for nodeName := range nd.peerStates {
// If nodeName exists, it is not a stale reference.
if _, peerExists := nd.peers[nodeName]; peerExists {
continue
}
// We don't know about this peer. If the remote state also doesn't have an
// entry for this peer, we can treat it as stale and delete it.
_, peerExistsRemote := remoteStates[nodeName]
if !peerExistsRemote {
level.Debug(nd.log).Log("msg", "deleting stale reference to node", "node", nodeName)
delete(nd.peerStates, nodeName)
}
}
if peersChanged {
nd.handlePeersChanged()
}
}
type localState struct {
// CurrentTime is the current lamport time.
CurrentTime lamport.Time
// NodeStates holds the set of states for all peers of a node. States may
// have a lamport time of 0 for nodes that have not broadcast a state yet.
NodeStates []messages.State
}
func encodeLocalState(ls *localState) ([]byte, error) {
buf := bytes.NewBuffer(nil)
var handle codec.MsgpackHandle
enc := codec.NewEncoder(buf, &handle)
err := enc.Encode(ls)
return buf.Bytes(), err
}
func decodeLocalState(buf []byte) (*localState, error) {
var ls localState
r := bytes.NewReader(buf)
var handle codec.MsgpackHandle
dec := codec.NewDecoder(r, &handle)
err := dec.Decode(&ls)
return &ls, err
}
//
// memberlist.EventDelegate methods
//
func (nd *nodeDelegate) NotifyJoin(node *memberlist.Node) {
nd.peerMut.Lock()
defer nd.peerMut.Unlock()
nd.m.gossipEventsTotal.WithLabelValues(eventNodeJoin).Inc()
nd.updatePeer(nd.nodeToPeer(node))
}
// nodeToPeer converts a memberlist Node to a Peer. Should only be called with
// peerMut held.
func (nd *nodeDelegate) nodeToPeer(node *memberlist.Node) peer.Peer {
return peer.Peer{
Name: node.Name,
Addr: node.Address(),
Self: node.Name == nd.cfg.Name,
State: nd.peerStates[node.Name].NewState,
}
}
func (nd *nodeDelegate) NotifyLeave(node *memberlist.Node) {
nd.peerMut.Lock()
defer nd.peerMut.Unlock()
nd.m.gossipEventsTotal.WithLabelValues(eventNodeLeave).Inc()
nd.removePeer(node.Name)
}
func (nd *nodeDelegate) NotifyUpdate(node *memberlist.Node) {
nd.peerMut.Lock()
defer nd.peerMut.Unlock()
nd.m.gossipEventsTotal.WithLabelValues(eventNodeUpdate).Inc()
nd.updatePeer(nd.nodeToPeer(node))
}
func (nd *nodeDelegate) updatePeer(p peer.Peer) {
nd.peers[p.Name] = p
nd.handlePeersChanged()
}
func (nd *nodeDelegate) removePeer(name string) {
delete(nd.peers, name)
nd.handlePeersChanged()
}
//
// memberlist.ConflictDelegate methods
//
func (nd *nodeDelegate) NotifyConflict(existing, other *memberlist.Node) {
nd.m.gossipEventsTotal.WithLabelValues(eventNodeConflict).Inc()
}