-
-
Notifications
You must be signed in to change notification settings - Fork 93
/
node.go
1681 lines (1525 loc) · 47.9 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
839
840
841
842
843
844
845
846
847
848
849
850
851
852
853
854
855
856
857
858
859
860
861
862
863
864
865
866
867
868
869
870
871
872
873
874
875
876
877
878
879
880
881
882
883
884
885
886
887
888
889
890
891
892
893
894
895
896
897
898
899
900
901
902
903
904
905
906
907
908
909
910
911
912
913
914
915
916
917
918
919
920
921
922
923
924
925
926
927
928
929
930
931
932
933
934
935
936
937
938
939
940
941
942
943
944
945
946
947
948
949
950
951
952
953
954
955
956
957
958
959
960
961
962
963
964
965
966
967
968
969
970
971
972
973
974
975
976
977
978
979
980
981
982
983
984
985
986
987
988
989
990
991
992
993
994
995
996
997
998
999
1000
package centrifuge
import (
"context"
"errors"
"fmt"
"hash/fnv"
"os"
"strconv"
"strings"
"sync"
"time"
"github.com/centrifugal/centrifuge/internal/controlpb"
"github.com/centrifugal/centrifuge/internal/controlproto"
"github.com/centrifugal/centrifuge/internal/dissolve"
"github.com/centrifugal/centrifuge/internal/nowtime"
"github.com/FZambia/eagle"
"github.com/centrifugal/protocol"
"github.com/google/uuid"
"github.com/prometheus/client_golang/prometheus"
"golang.org/x/sync/singleflight"
)
// Node is a heart of Centrifuge library – it keeps and manages client connections,
// maintains information about other Centrifuge nodes in cluster, keeps references
// to common things (like Broker and PresenceManager, Hub) etc.
// By default, Node uses in-memory implementations of Broker and PresenceManager -
// MemoryBroker and MemoryPresenceManager which allow running a single Node only.
// To scale use other implementations of Broker and PresenceManager like builtin
// RedisBroker and RedisPresenceManager.
type Node struct {
mu sync.RWMutex
// unique id for this node.
uid string
// startedAt is unix time of node start.
startedAt int64
// config for node.
config Config
// hub to manage client connections.
hub *Hub
// broker is responsible for PUB/SUB and history streaming mechanics.
broker Broker
// presenceManager is responsible for presence information management.
presenceManager PresenceManager
// nodes contains registry of known nodes.
nodes *nodeRegistry
// metrics registry.
metrics *metrics
// shutdown is a flag which is only true when node is going to shut down.
shutdown bool
// shutdownCh is a channel which is closed when node shutdown initiated.
shutdownCh chan struct{}
// clientEvents to manage event handlers attached to node.
clientEvents *eventHub
// logger allows to log throughout library code and proxy log entries to
// configured log handler.
logger *logger
// cache control encoder in Node.
controlEncoder controlproto.Encoder
// cache control decoder in Node.
controlDecoder controlproto.Decoder
// subLocks synchronizes access to adding/removing subscriptions.
subLocks map[int]*sync.Mutex
metricsMu sync.Mutex
metricsExporter *eagle.Eagle
metricsSnapshot *eagle.Metrics
// subDissolver used to reliably clear unused subscriptions in Broker.
subDissolver *dissolve.Dissolver
// nowTimeGetter provides access to current time.
nowTimeGetter nowtime.Getter
surveyHandler SurveyHandler
surveyRegistry map[uint64]chan survey
surveyMu sync.RWMutex
surveyID uint64
notificationHandler NotificationHandler
nodeInfoSendHandler NodeInfoSendHandler
emulationSurveyHandler *emulationSurveyHandler
mediums map[string]*channelMedium
mediumLocks map[int]*sync.Mutex // Sharded locks for mediums map.
}
const (
numSubLocks = 16384
numMediumLocks = 16384
numSubDissolverWorkers = 64
)
// New creates Node with provided Config.
func New(c Config) (*Node, error) {
if c.NodeInfoMetricsAggregateInterval == 0 {
c.NodeInfoMetricsAggregateInterval = 60 * time.Second
}
if c.ClientPresenceUpdateInterval == 0 {
c.ClientPresenceUpdateInterval = 25 * time.Second
}
if c.ClientChannelPositionCheckDelay == 0 {
c.ClientChannelPositionCheckDelay = 40 * time.Second
}
if c.ClientExpiredCloseDelay == 0 {
c.ClientExpiredCloseDelay = 25 * time.Second
}
if c.ClientExpiredSubCloseDelay == 0 {
c.ClientExpiredSubCloseDelay = 25 * time.Second
}
if c.ClientStaleCloseDelay == 0 {
c.ClientStaleCloseDelay = 15 * time.Second
}
if c.ClientQueueMaxSize == 0 {
c.ClientQueueMaxSize = 1048576 // 1MB by default.
}
if c.ClientChannelLimit == 0 {
c.ClientChannelLimit = 128
}
if c.ChannelMaxLength == 0 {
c.ChannelMaxLength = 255
}
if c.HistoryMetaTTL == 0 {
c.HistoryMetaTTL = 30 * 24 * time.Hour // 30 days by default.
}
uidObj, err := uuid.NewRandom()
if err != nil {
return nil, err
}
uid := uidObj.String()
subLocks := make(map[int]*sync.Mutex, numSubLocks)
for i := 0; i < numSubLocks; i++ {
subLocks[i] = &sync.Mutex{}
}
mediumLocks := make(map[int]*sync.Mutex, numMediumLocks)
for i := 0; i < numMediumLocks; i++ {
mediumLocks[i] = &sync.Mutex{}
}
if c.Name == "" {
hostname, err := os.Hostname()
if err != nil {
return nil, err
}
c.Name = hostname
}
var lg *logger
if c.LogHandler != nil {
lg = newLogger(c.LogLevel, c.LogHandler)
}
n := &Node{
uid: uid,
nodes: newNodeRegistry(uid),
config: c,
startedAt: time.Now().Unix(),
shutdownCh: make(chan struct{}),
logger: lg,
controlEncoder: controlproto.NewProtobufEncoder(),
controlDecoder: controlproto.NewProtobufDecoder(),
clientEvents: &eventHub{},
subLocks: subLocks,
subDissolver: dissolve.New(numSubDissolverWorkers),
nowTimeGetter: nowtime.Get,
surveyRegistry: make(map[uint64]chan survey),
mediums: map[string]*channelMedium{},
mediumLocks: mediumLocks,
}
n.emulationSurveyHandler = newEmulationSurveyHandler(n)
if m, err := initMetricsRegistry(prometheus.DefaultRegisterer, c.MetricsNamespace); err != nil {
return nil, err
} else {
n.metrics = m
}
n.hub = newHub(lg, n.metrics, c.ClientChannelPositionMaxTimeLag.Milliseconds())
b, err := NewMemoryBroker(n, MemoryBrokerConfig{})
if err != nil {
return nil, err
}
n.SetBroker(b)
m, err := NewMemoryPresenceManager(n, MemoryPresenceManagerConfig{})
if err != nil {
return nil, err
}
n.SetPresenceManager(m)
return n, nil
}
// index chooses bucket number in range [0, numBuckets).
func index(s string, numBuckets int) int {
if numBuckets == 1 {
return 0
}
hash := fnv.New64a()
_, _ = hash.Write([]byte(s))
return int(hash.Sum64() % uint64(numBuckets))
}
// Config returns Node's Config.
func (n *Node) Config() Config {
return n.config
}
// ID returns unique Node identifier. This is a UUID v4 value.
func (n *Node) ID() string {
return n.uid
}
func (n *Node) subLock(ch string) *sync.Mutex {
return n.subLocks[index(ch, numSubLocks)]
}
func (n *Node) mediumLock(ch string) *sync.Mutex {
return n.mediumLocks[index(ch, numMediumLocks)]
}
// SetBroker allows setting Broker implementation to use.
func (n *Node) SetBroker(b Broker) {
n.broker = b
}
// SetPresenceManager allows setting PresenceManager to use.
func (n *Node) SetPresenceManager(m PresenceManager) {
n.presenceManager = m
}
// Hub returns node's Hub.
func (n *Node) Hub() *Hub {
return n.hub
}
// Run performs node startup actions. At moment must be called once on start
// after Broker set to Node.
func (n *Node) Run() error {
if err := n.broker.Run(n); err != nil {
return err
}
err := n.initMetrics()
if err != nil {
n.logger.log(newLogEntry(LogLevelError, "error on init metrics", map[string]any{"error": err.Error()}))
return err
}
err = n.pubNode("")
if err != nil {
n.logger.log(newLogEntry(LogLevelError, "error publishing node control command", map[string]any{"error": err.Error()}))
return err
}
go n.sendNodePing()
go n.cleanNodeInfo()
go n.updateMetrics()
return n.subDissolver.Run()
}
// Log allows logging a LogEntry.
func (n *Node) Log(entry LogEntry) {
n.logger.log(entry)
}
// LogEnabled allows check whether a LogLevel enabled or not.
func (n *Node) LogEnabled(level LogLevel) bool {
return n.logger.enabled(level)
}
// Shutdown sets shutdown flag to Node so handlers could stop accepting
// new requests and disconnects clients with shutdown reason.
func (n *Node) Shutdown(ctx context.Context) error {
n.mu.Lock()
if n.shutdown {
n.mu.Unlock()
return nil
}
n.shutdown = true
close(n.shutdownCh)
n.mu.Unlock()
cmd := &controlpb.Command{
Uid: n.uid,
Shutdown: &controlpb.Shutdown{},
}
_ = n.publishControl(cmd, "")
if closer, ok := n.broker.(Closer); ok {
defer func() { _ = closer.Close(ctx) }()
}
if n.presenceManager != nil {
if closer, ok := n.presenceManager.(Closer); ok {
defer func() { _ = closer.Close(ctx) }()
}
}
var wg sync.WaitGroup
wg.Add(2)
go func() {
defer wg.Done()
_ = n.subDissolver.Close()
}()
go func() {
defer wg.Done()
_ = n.hub.shutdown(ctx)
}()
wg.Wait()
return ctx.Err()
}
// NotifyShutdown returns a channel which will be closed on node shutdown.
func (n *Node) NotifyShutdown() chan struct{} {
return n.shutdownCh
}
func (n *Node) updateGauges() {
n.metrics.setNumClients(float64(n.hub.NumClients()))
n.metrics.setNumUsers(float64(n.hub.NumUsers()))
n.metrics.setNumSubscriptions(float64(n.hub.NumSubscriptions()))
n.metrics.setNumChannels(float64(n.hub.NumChannels()))
n.metrics.setNumNodes(float64(n.nodes.size()))
version := n.config.Version
if version == "" {
version = "_"
}
n.metrics.setBuildInfo(version)
}
func (n *Node) updateMetrics() {
n.updateGauges()
for {
select {
case <-n.shutdownCh:
return
case <-time.After(10 * time.Second):
n.updateGauges()
}
}
}
// Centrifuge library uses Prometheus metrics for instrumentation. But we also try to
// aggregate Prometheus metrics periodically and share this information between Nodes.
func (n *Node) initMetrics() error {
if n.config.NodeInfoMetricsAggregateInterval == 0 {
return nil
}
metricsSink := make(chan eagle.Metrics)
n.metricsExporter = eagle.New(eagle.Config{
Gatherer: prometheus.DefaultGatherer,
Interval: n.config.NodeInfoMetricsAggregateInterval,
Sink: metricsSink,
})
metrics, err := n.metricsExporter.Export()
if err != nil {
return err
}
n.metricsMu.Lock()
n.metricsSnapshot = &metrics
n.metricsMu.Unlock()
go func() {
for {
select {
case <-n.NotifyShutdown():
return
case metrics := <-metricsSink:
n.metricsMu.Lock()
n.metricsSnapshot = &metrics
n.metricsMu.Unlock()
}
}
}()
return nil
}
func (n *Node) sendNodePing() {
for {
select {
case <-n.shutdownCh:
return
case <-time.After(nodeInfoPublishInterval):
err := n.pubNode("")
if err != nil {
n.logger.log(newLogEntry(LogLevelError, "error publishing node control command", map[string]any{"error": err.Error()}))
}
}
}
}
func (n *Node) cleanNodeInfo() {
for {
select {
case <-n.shutdownCh:
return
case <-time.After(nodeInfoCleanInterval):
n.nodes.clean(nodeInfoMaxDelay)
}
}
}
func (n *Node) handleNotification(fromNodeID string, req *controlpb.Notification) error {
if n.notificationHandler == nil {
return nil
}
n.notificationHandler(NotificationEvent{
FromNodeID: fromNodeID,
Op: req.Op,
Data: req.Data,
})
return nil
}
func (n *Node) handleSurveyRequest(fromNodeID string, req *controlpb.SurveyRequest) error {
if n.surveyHandler == nil && n.emulationSurveyHandler == nil {
return nil
}
cb := func(reply SurveyReply) {
surveyResponse := &controlpb.SurveyResponse{
Id: req.Id,
Code: reply.Code,
Data: reply.Data,
}
cmd := &controlpb.Command{
Uid: n.uid,
SurveyResponse: surveyResponse,
}
_ = n.publishControl(cmd, fromNodeID)
}
if req.Op == emulationOp && n.emulationSurveyHandler != nil {
n.emulationSurveyHandler.HandleEmulation(SurveyEvent{Op: req.Op, Data: req.Data}, cb)
return nil
}
if n.surveyHandler == nil {
return nil
}
n.surveyHandler(SurveyEvent{Op: req.Op, Data: req.Data}, cb)
return nil
}
func (n *Node) handleSurveyResponse(uid string, resp *controlpb.SurveyResponse) error {
n.surveyMu.RLock()
defer n.surveyMu.RUnlock()
if ch, ok := n.surveyRegistry[resp.Id]; ok {
select {
case ch <- survey{
UID: uid,
Result: SurveyResult{
Code: resp.Code,
Data: resp.Data,
},
}:
default:
// Survey channel allocated with capacity enough to receive all survey replies,
// default case here means that channel has no reader anymore, so it's safe to
// skip message. This extra survey reply can come from extra node that just
// joined.
}
}
return nil
}
// SurveyResult from node.
type SurveyResult struct {
Code uint32
Data []byte
}
type survey struct {
UID string
Result SurveyResult
}
var errSurveyHandlerNotRegistered = errors.New("no survey handler registered")
const defaultSurveyTimeout = 10 * time.Second
// Survey allows collecting data from all running Centrifuge nodes. This method publishes
// control messages, then waits for replies from all running nodes. The maximum time to wait
// can be controlled over context timeout. If provided context does not have a deadline for
// survey then this method uses default 10 seconds timeout. Keep in mind that Survey does not
// scale very well as number of Centrifuge Node grows. Though it has reasonably good performance
// to perform rare tasks even with relatively large number of nodes.
// If toNodeID is not an empty string then a survey will be sent only to the concrete node in
// a cluster, otherwise a survey sent to all running nodes. See a corresponding Node.OnSurvey
// method to handle received surveys.
// Survey ops starting with `centrifuge_` are reserved by Centrifuge library.
func (n *Node) Survey(ctx context.Context, op string, data []byte, toNodeID string) (map[string]SurveyResult, error) {
if n.surveyHandler == nil && op != emulationOp {
return nil, errSurveyHandlerNotRegistered
}
n.metrics.incActionCount("survey")
started := time.Now()
defer func() {
n.metrics.observeSurveyDuration(op, time.Since(started))
}()
if _, ok := ctx.Deadline(); !ok {
// If no timeout provided then fallback to defaultSurveyTimeout to avoid endless surveys.
var cancel context.CancelFunc
ctx, cancel = context.WithTimeout(ctx, defaultSurveyTimeout)
defer cancel()
}
var numNodes int
if toNodeID != "" {
numNodes = 1
} else {
numNodes = n.nodes.size()
}
n.surveyMu.Lock()
n.surveyID++
surveyRequest := &controlpb.SurveyRequest{
Id: n.surveyID,
Op: op,
Data: data,
}
surveyChan := make(chan survey, numNodes)
n.surveyRegistry[surveyRequest.Id] = surveyChan
n.surveyMu.Unlock()
defer func() {
n.surveyMu.Lock()
defer n.surveyMu.Unlock()
delete(n.surveyRegistry, surveyRequest.Id)
}()
results := map[string]SurveyResult{}
needDistributedPublish := true
// Invoke handler on this node since control message handler
// ignores those sent from the current Node.
if toNodeID == "" || toNodeID == n.ID() {
if toNodeID == n.ID() || (toNodeID == "" && numNodes == 1) {
needDistributedPublish = false
}
if op == emulationOp {
n.emulationSurveyHandler.HandleEmulation(SurveyEvent{Op: op, Data: data}, func(reply SurveyReply) {
surveyChan <- survey{
UID: n.uid,
Result: SurveyResult(reply),
}
})
} else {
n.surveyHandler(SurveyEvent{Op: op, Data: data}, func(reply SurveyReply) {
surveyChan <- survey{
UID: n.uid,
Result: SurveyResult(reply),
}
})
}
}
var wg sync.WaitGroup
wg.Add(1)
go func() {
defer wg.Done()
for {
select {
case resp := <-surveyChan:
results[resp.UID] = resp.Result
if len(results) == numNodes {
return
}
case <-ctx.Done():
return
}
}
}()
if needDistributedPublish {
cmd := &controlpb.Command{
Uid: n.uid,
SurveyRequest: surveyRequest,
}
err := n.publishControl(cmd, toNodeID)
if err != nil {
return nil, err
}
}
wg.Wait()
return results, ctx.Err()
}
// Info contains information about all known server nodes.
type Info struct {
Nodes []NodeInfo
}
// Metrics aggregation over time interval for node.
type Metrics struct {
Interval float64
Items map[string]float64
}
// NodeInfo contains information about node.
type NodeInfo struct {
UID string
Name string
Version string
NumClients uint32
NumUsers uint32
NumSubs uint32
NumChannels uint32
Uptime uint32
Metrics *Metrics
Data []byte
}
// Info returns aggregated stats from all nodes.
func (n *Node) Info() (Info, error) {
nodes := n.nodes.list()
nodeResults := make([]NodeInfo, len(nodes))
for i, nd := range nodes {
info := NodeInfo{
UID: nd.Uid,
Name: nd.Name,
Version: nd.Version,
NumClients: nd.NumClients,
NumUsers: nd.NumUsers,
NumSubs: nd.NumSubs,
NumChannels: nd.NumChannels,
Uptime: nd.Uptime,
Data: nd.Data,
}
if nd.Metrics != nil {
info.Metrics = &Metrics{
Interval: nd.Metrics.Interval,
Items: nd.Metrics.Items,
}
}
nodeResults[i] = info
}
return Info{
Nodes: nodeResults,
}, nil
}
// handleControl handles messages from control channel - control messages used for internal
// communication between nodes to share state or proto.
func (n *Node) handleControl(data []byte) error {
n.metrics.incMessagesReceived("control")
cmd, err := n.controlDecoder.DecodeCommand(data)
if err != nil {
n.logger.log(newLogEntry(LogLevelError, "error decoding control command", map[string]any{"error": err.Error()}))
return err
}
if cmd.Uid == n.uid {
// Sent by this node.
return nil
}
uid := cmd.Uid
// control proto v2.
if cmd.Node != nil {
return n.nodeCmd(cmd.Node)
} else if cmd.Shutdown != nil {
return n.shutdownCmd(uid)
} else if cmd.Unsubscribe != nil {
cmd := cmd.Unsubscribe
return n.hub.unsubscribe(cmd.User, cmd.Channel, Unsubscribe{Code: cmd.Code, Reason: cmd.Reason}, cmd.Client, cmd.Session)
} else if cmd.Subscribe != nil {
cmd := cmd.Subscribe
var recoverSince *StreamPosition
if cmd.RecoverSince != nil {
recoverSince = &StreamPosition{Offset: cmd.RecoverSince.Offset, Epoch: cmd.RecoverSince.Epoch}
}
return n.hub.subscribe(cmd.User, cmd.Channel, cmd.Client, cmd.Session, WithExpireAt(cmd.ExpireAt), WithChannelInfo(cmd.ChannelInfo), WithEmitPresence(cmd.EmitPresence), WithEmitJoinLeave(cmd.EmitJoinLeave), WithPushJoinLeave(cmd.PushJoinLeave), WithPositioning(cmd.Position), WithRecovery(cmd.Recover), WithSubscribeData(cmd.Data), WithRecoverSince(recoverSince), WithSubscribeSource(uint8(cmd.Source)))
} else if cmd.Disconnect != nil {
cmd := cmd.Disconnect
return n.hub.disconnect(cmd.User, Disconnect{Code: cmd.Code, Reason: cmd.Reason}, cmd.Client, cmd.Session, cmd.Whitelist)
} else if cmd.SurveyRequest != nil {
cmd := cmd.SurveyRequest
return n.handleSurveyRequest(uid, cmd)
} else if cmd.SurveyResponse != nil {
cmd := cmd.SurveyResponse
return n.handleSurveyResponse(uid, cmd)
} else if cmd.Notification != nil {
cmd := cmd.Notification
return n.handleNotification(uid, cmd)
} else if cmd.Refresh != nil {
cmd := cmd.Refresh
return n.hub.refresh(cmd.User, cmd.Client, cmd.Session, WithRefreshExpired(cmd.Expired), WithRefreshExpireAt(cmd.ExpireAt), WithRefreshInfo(cmd.Info))
}
n.logger.log(newLogEntry(LogLevelError, "unknown control command", map[string]any{"command": fmt.Sprintf("%#v", cmd)}))
return nil
}
// handlePublication handles messages published into channel and
// coming from Broker. The goal of method is to deliver this message
// to all clients on this node currently subscribed to channel.
func (n *Node) handlePublication(ch string, sp StreamPosition, pub, prevPub, localPrevPub *Publication) error {
n.metrics.incMessagesReceived("publication")
numSubscribers := n.hub.NumSubscribers(ch)
hasCurrentSubscribers := numSubscribers > 0
if !hasCurrentSubscribers {
return nil
}
return n.hub.broadcastPublication(ch, sp, pub, prevPub, localPrevPub)
}
// handleJoin handles join messages - i.e. broadcasts it to
// interested local clients subscribed to channel.
func (n *Node) handleJoin(ch string, info *ClientInfo) error {
n.metrics.incMessagesReceived("join")
numSubscribers := n.hub.NumSubscribers(ch)
hasCurrentSubscribers := numSubscribers > 0
if !hasCurrentSubscribers {
return nil
}
return n.hub.broadcastJoin(ch, info)
}
// handleLeave handles leave messages - i.e. broadcasts it to
// interested local clients subscribed to channel.
func (n *Node) handleLeave(ch string, info *ClientInfo) error {
n.metrics.incMessagesReceived("leave")
numSubscribers := n.hub.NumSubscribers(ch)
hasCurrentSubscribers := numSubscribers > 0
if !hasCurrentSubscribers {
return nil
}
return n.hub.broadcastLeave(ch, info)
}
func (n *Node) publish(ch string, data []byte, opts ...PublishOption) (PublishResult, error) {
pubOpts := &PublishOptions{}
for _, opt := range opts {
opt(pubOpts)
}
n.metrics.incMessagesSent("publication")
streamPos, fromCache, err := n.getBroker(ch).Publish(ch, data, *pubOpts)
if err != nil {
return PublishResult{}, err
}
return PublishResult{StreamPosition: streamPos, FromCache: fromCache}, nil
}
// PublishResult returned from Publish operation.
type PublishResult struct {
StreamPosition
FromCache bool
}
// Publish sends data to all clients subscribed on channel at this moment. All running
// nodes will receive Publication and send it to all local channel subscribers.
//
// Data expected to be valid marshaled JSON or any binary payload.
// Connections that work over JSON protocol can not handle binary payloads.
// Connections that work over Protobuf protocol can work both with JSON and binary payloads.
//
// So the rule here: if you have channel subscribers that work using JSON
// protocol then you can not publish binary data to these channel.
//
// Channels in Centrifuge are ephemeral and its settings not persisted over different
// publish operations. So if you want to have a channel with history stream behind you
// need to provide WithHistory option on every publish. To simplify working with different
// channels you can make some type of publish wrapper in your own code.
//
// The returned PublishResult contains embedded StreamPosition that describes
// position inside stream Publication was added too. For channels without history
// enabled (i.e. when Publications only sent to PUB/SUB system) StreamPosition will
// be an empty struct (i.e. PublishResult.Offset will be zero).
func (n *Node) Publish(channel string, data []byte, opts ...PublishOption) (PublishResult, error) {
return n.publish(channel, data, opts...)
}
// publishJoin allows publishing join message into channel when someone subscribes on it
// or leave message when someone unsubscribes from channel.
func (n *Node) publishJoin(ch string, info *ClientInfo) error {
n.metrics.incMessagesSent("join")
return n.getBroker(ch).PublishJoin(ch, info)
}
// publishLeave allows publishing join message into channel when someone subscribes on it
// or leave message when someone unsubscribes from channel.
func (n *Node) publishLeave(ch string, info *ClientInfo) error {
n.metrics.incMessagesSent("leave")
return n.getBroker(ch).PublishLeave(ch, info)
}
var errNotificationHandlerNotRegistered = errors.New("notification handler not registered")
// Notify allows sending an asynchronous notification to all other nodes
// (or to a single specific node). Unlike Survey, it does not wait for any
// response. If toNodeID is not an empty string then a notification will
// be sent to a concrete node in cluster, otherwise a notification sent to
// all running nodes. See a corresponding Node.OnNotification method to
// handle received notifications.
func (n *Node) Notify(op string, data []byte, toNodeID string) error {
if n.notificationHandler == nil {
return errNotificationHandlerNotRegistered
}
n.metrics.incActionCount("notify")
if toNodeID == "" || n.ID() == toNodeID {
// Invoke handler on this node since control message handler
// ignores those sent from the current Node.
n.notificationHandler(NotificationEvent{
FromNodeID: n.ID(),
Op: op,
Data: data,
})
}
if n.ID() == toNodeID {
// Already on this node and called notificationHandler above, no
// need to send notification over network.
return nil
}
notification := &controlpb.Notification{
Op: op,
Data: data,
}
cmd := &controlpb.Command{
Uid: n.uid,
Notification: notification,
}
return n.publishControl(cmd, toNodeID)
}
// publishControl publishes message into control channel so all running
// nodes will receive and handle it.
func (n *Node) publishControl(cmd *controlpb.Command, nodeID string) error {
n.metrics.incMessagesSent("control")
data, err := n.controlEncoder.EncodeCommand(cmd)
if err != nil {
return err
}
return n.broker.PublishControl(data, nodeID, "")
}
func (n *Node) getMetrics(metrics eagle.Metrics) *controlpb.Metrics {
return &controlpb.Metrics{
Interval: n.config.NodeInfoMetricsAggregateInterval.Seconds(),
Items: metrics.Flatten("."),
}
}
// pubNode sends control message to all nodes - this message
// contains information about current node.
func (n *Node) pubNode(nodeID string) error {
var data []byte
if n.nodeInfoSendHandler != nil {
reply := n.nodeInfoSendHandler()
data = reply.Data
}
n.mu.RLock()
node := &controlpb.Node{
Uid: n.uid,
Name: n.config.Name,
Version: n.config.Version,
NumClients: uint32(n.hub.NumClients()),
NumUsers: uint32(n.hub.NumUsers()),
NumChannels: uint32(n.hub.NumChannels()),
NumSubs: uint32(n.hub.NumSubscriptions()),
Uptime: uint32(time.Now().Unix() - n.startedAt),
Data: data,
}
n.metricsMu.Lock()
if n.metricsSnapshot != nil {
node.Metrics = n.getMetrics(*n.metricsSnapshot)
}
// We only send metrics once when updated.
n.metricsSnapshot = nil
n.metricsMu.Unlock()
n.mu.RUnlock()
cmd := &controlpb.Command{
Uid: n.uid,
Node: node,
}
err := n.nodeCmd(node)
if err != nil {
n.logger.log(newLogEntry(LogLevelError, "error handling node command", map[string]any{"error": err.Error()}))
}
return n.publishControl(cmd, nodeID)
}
func (n *Node) pubSubscribe(user string, ch string, opts SubscribeOptions) error {
subscribe := &controlpb.Subscribe{
User: user,
Channel: ch,
EmitPresence: opts.EmitPresence,
EmitJoinLeave: opts.EmitJoinLeave,
PushJoinLeave: opts.PushJoinLeave,
ChannelInfo: opts.ChannelInfo,
Position: opts.EnablePositioning,
Recover: opts.EnableRecovery,
ExpireAt: opts.ExpireAt,
Client: opts.clientID,
Session: opts.sessionID,
Data: opts.Data,
Source: uint32(opts.Source),
}
if opts.RecoverSince != nil {
subscribe.RecoverSince = &controlpb.StreamPosition{
Offset: opts.RecoverSince.Offset,
Epoch: opts.RecoverSince.Epoch,
}
}
cmd := &controlpb.Command{
Uid: n.uid,
Subscribe: subscribe,
}
return n.publishControl(cmd, "")
}
func (n *Node) pubRefresh(user string, opts RefreshOptions) error {
refresh := &controlpb.Refresh{
User: user,
Expired: opts.Expired,
ExpireAt: opts.ExpireAt,
Client: opts.clientID,
Session: opts.sessionID,
Info: opts.Info,
}
cmd := &controlpb.Command{
Uid: n.uid,
Refresh: refresh,
}
return n.publishControl(cmd, "")
}
// pubUnsubscribe publishes unsubscribe control message to all nodes – so all
// nodes could unsubscribe user from channel.
func (n *Node) pubUnsubscribe(user string, ch string, unsubscribe Unsubscribe, clientID, sessionID string) error {
unsub := &controlpb.Unsubscribe{
User: user,
Channel: ch,
Code: unsubscribe.Code,
Reason: unsubscribe.Reason,
Client: clientID,
Session: sessionID,
}
cmd := &controlpb.Command{
Uid: n.uid,
Unsubscribe: unsub,
}
return n.publishControl(cmd, "")
}
// pubDisconnect publishes disconnect control message to all nodes – so all
// nodes could disconnect user from server.
func (n *Node) pubDisconnect(user string, disconnect Disconnect, clientID string, sessionID string, whitelist []string) error {
protoDisconnect := &controlpb.Disconnect{
User: user,
Whitelist: whitelist,
Code: disconnect.Code,
Reason: disconnect.Reason,
Client: clientID,
Session: sessionID,
}
cmd := &controlpb.Command{
Uid: n.uid,
Disconnect: protoDisconnect,
}
return n.publishControl(cmd, "")
}
// addClient registers authenticated connection in clientConnectionHub
// this allows to make operations with user connection on demand.
func (n *Node) addClient(c *Client) error {
n.metrics.incActionCount("add_client")
return n.hub.add(c)
}
// removeClient removes client connection from connection registry.
func (n *Node) removeClient(c *Client) error {
n.metrics.incActionCount("remove_client")
return n.hub.remove(c)
}
// addSubscription registers subscription of connection on channel in both
// Hub and Broker.
func (n *Node) addSubscription(ch string, sub subInfo) error {
n.metrics.incActionCount("add_subscription")
mu := n.subLock(ch)
mu.Lock()
defer mu.Unlock()
first, err := n.hub.addSub(ch, sub)
if err != nil {
return err
}
if first {
if n.config.GetChannelMediumOptions != nil {