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 1001 1002 1003 1004 1005 1006 1007 1008 1009 1010 1011 1012 1013 1014 1015 1016 1017 1018 1019 1020 1021 1022 1023 1024 1025 1026 1027 1028 1029 1030 1031 1032 1033 1034 1035 1036 1037 1038 1039 1040 1041 1042 1043 1044 1045 1046 1047 1048 1049 1050 1051 1052 1053 1054 1055 1056 1057 1058 1059 1060 1061 1062 1063 1064 1065 1066 1067 1068 1069 1070 1071 1072 1073 1074 1075 1076 1077 1078 1079 1080 1081 1082 1083 1084 1085 1086 1087 1088 1089 1090 1091 1092 1093 1094 1095 1096 1097 1098 1099 1100 1101 1102 1103 1104 1105 1106 1107 1108 1109 1110 1111 1112 1113 1114 1115 1116 1117 1118 1119 1120 1121 1122 1123 1124 1125 1126 1127 1128 1129 1130 1131 1132 1133 1134 1135 1136 1137 1138 1139 1140 1141 1142 1143 1144 1145 1146 1147 1148 1149 1150 1151 1152 1153 1154 1155 1156 1157 1158 1159 1160 1161 1162 1163 1164 1165 1166 1167 1168 1169 1170 1171 1172 1173 1174 1175 1176 1177 1178 1179 1180 1181 1182 1183 1184 1185 1186 1187 1188 1189 1190 1191 1192 1193 1194 1195 1196 1197 1198 1199 1200 1201 1202 1203 1204 1205 1206 1207 1208 1209 1210 1211 1212 1213 1214 1215
|
package centrifuge
import (
"context"
"errors"
"fmt"
"hash/fnv"
"os"
"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"
)
// Node is a heart of Centrifuge library – it keeps and manages client connections,
// maintains information about other centrifuge nodes, keeps references to common
// things (like Broker and PresenceManager, Hub) etc.
// By default Node uses in-memory implementations of Broker and PresenceManager
// (see Node.SetBroker and Node.SetPresenceManager to set other implementations to use).
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
// 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
}
const (
numSubLocks = 16384
numSubDissolverWorkers = 64
)
// New creates Node with provided Config.
func New(c Config) (*Node, error) {
uid := uuid.Must(uuid.NewRandom()).String()
subLocks := make(map[int]*sync.Mutex, numSubLocks)
for i := 0; i < numSubLocks; i++ {
subLocks[i] = &sync.Mutex{}
}
if c.Name == "" {
hostname, err := os.Hostname()
if err != nil {
return nil, err
}
c.Name = hostname
}
n := &Node{
uid: uid,
nodes: newNodeRegistry(uid),
config: c,
hub: newHub(),
startedAt: time.Now().Unix(),
shutdownCh: make(chan struct{}),
logger: nil,
controlEncoder: controlproto.NewProtobufEncoder(),
controlDecoder: controlproto.NewProtobufDecoder(),
clientEvents: &eventHub{},
subLocks: subLocks,
subDissolver: dissolve.New(numSubDissolverWorkers),
nowTimeGetter: nowtime.Get,
surveyRegistry: make(map[uint64]chan survey),
}
if c.LogHandler != nil {
n.logger = newLogger(c.LogLevel, c.LogHandler)
}
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)
if err := initMetricsRegistry(prometheus.DefaultRegisterer, c.MetricsNamespace); err != nil {
switch err.(type) {
case prometheus.AlreadyRegisteredError:
// Can happens when node initialized several times since we use DefaultRegisterer,
// skip for now.
default:
return nil, err
}
}
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))
}
// 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)]
}
// SetBroker allows to set Broker implementation to use.
func (n *Node) SetBroker(b Broker) {
n.broker = b
}
// SetPresenceManager allows to set 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 {
eventHandler := &brokerEventHandler{n}
if err := n.broker.Run(eventHandler); err != nil {
return err
}
err := n.initMetrics()
if err != nil {
n.logger.log(newLogEntry(LogLevelError, "error on init metrics", map[string]interface{}{"error": err.Error()}))
return err
}
err = n.pubNode("")
if err != nil {
n.logger.log(newLogEntry(LogLevelError, "error publishing node control command", map[string]interface{}{"error": err.Error()}))
return err
}
go n.sendNodePing()
go n.cleanNodeInfo()
go n.updateMetrics()
return n.subDissolver.Run()
}
// Log allows to log entry.
func (n *Node) Log(entry LogEntry) {
n.logger.log(entry)
}
// LogEnabled allows to log entry.
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,
Method: controlpb.MethodTypeShutdown,
}
_ = 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() {
setNumClients(float64(n.hub.NumClients()))
setNumUsers(float64(n.hub.NumUsers()))
setNumChannels(float64(n.hub.NumChannels()))
setNumNodes(float64(len(n.nodes.list())))
version := n.config.Version
if version == "" {
version = "_"
}
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]interface{}{"error": err.Error()}))
}
}
}
}
func (n *Node) cleanNodeInfo() {
for {
select {
case <-n.shutdownCh:
return
case <-time.After(nodeInfoCleanInterval):
n.mu.RLock()
delay := nodeInfoMaxDelay
n.mu.RUnlock()
n.nodes.clean(delay)
}
}
}
func (n *Node) handleSurveyRequest(fromNodeID string, req *controlpb.SurveyRequest) error {
if n.surveyHandler == nil {
return nil
}
cb := func(reply SurveyReply) {
surveyResponse := &controlpb.SurveyResponse{
ID: req.ID,
Code: reply.Code,
Data: reply.Data,
}
params, _ := n.controlEncoder.EncodeSurveyResponse(surveyResponse)
cmd := &controlpb.Command{
UID: n.uid,
Method: controlpb.MethodTypeSurveyResponse,
Params: params,
}
_ = n.publishControl(cmd, fromNodeID)
}
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.
func (n *Node) Survey(ctx context.Context, op string, data []byte) (map[string]SurveyResult, error) {
if n.surveyHandler == nil {
return nil, errSurveyHandlerNotRegistered
}
incActionCount("survey")
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()
}
numNodes := len(n.nodes.list())
n.surveyMu.Lock()
n.surveyID++
surveyRequest := &controlpb.SurveyRequest{
ID: n.surveyID,
Op: op,
Data: data,
}
params, err := n.controlEncoder.EncodeSurveyRequest(surveyRequest)
if err != nil {
n.surveyMu.Unlock()
return nil, err
}
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{}
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
}
}
}()
cmd := &controlpb.Command{
UID: n.uid,
Method: controlpb.MethodTypeSurveyRequest,
Params: params,
}
err = n.publishControl(cmd, "")
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
NumChannels uint32
Uptime uint32
Metrics *Metrics
}
// 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,
NumChannels: nd.NumChannels,
Uptime: nd.Uptime,
}
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 {
incMessagesReceived("control")
cmd, err := n.controlDecoder.DecodeCommand(data)
if err != nil {
n.logger.log(newLogEntry(LogLevelError, "error decoding control command", map[string]interface{}{"error": err.Error()}))
return err
}
if cmd.UID == n.uid {
// Sent by this node.
return nil
}
uid := cmd.UID
method := cmd.Method
params := cmd.Params
switch method {
case controlpb.MethodTypeNode:
cmd, err := n.controlDecoder.DecodeNode(params)
if err != nil {
n.logger.log(newLogEntry(LogLevelError, "error decoding node control params", map[string]interface{}{"error": err.Error()}))
return err
}
return n.nodeCmd(cmd)
case controlpb.MethodTypeShutdown:
return n.shutdownCmd(uid)
case controlpb.MethodTypeUnsubscribe:
cmd, err := n.controlDecoder.DecodeUnsubscribe(params)
if err != nil {
n.logger.log(newLogEntry(LogLevelError, "error decoding unsubscribe control params", map[string]interface{}{"error": err.Error()}))
return err
}
return n.hub.unsubscribe(cmd.User, cmd.Channel)
case controlpb.MethodTypeDisconnect:
cmd, err := n.controlDecoder.DecodeDisconnect(params)
if err != nil {
n.logger.log(newLogEntry(LogLevelError, "error decoding disconnect control params", map[string]interface{}{"error": err.Error()}))
return err
}
return n.hub.disconnect(cmd.User, &Disconnect{Code: cmd.Code, Reason: cmd.Reason, Reconnect: cmd.Reconnect}, cmd.Whitelist)
case controlpb.MethodTypeSurveyRequest:
cmd, err := n.controlDecoder.DecodeSurveyRequest(params)
if err != nil {
n.logger.log(newLogEntry(LogLevelError, "error decoding survey request control params", map[string]interface{}{"error": err.Error()}))
return err
}
return n.handleSurveyRequest(uid, cmd)
case controlpb.MethodTypeSurveyResponse:
cmd, err := n.controlDecoder.DecodeSurveyResponse(params)
if err != nil {
n.logger.log(newLogEntry(LogLevelError, "error decoding survey response control params", map[string]interface{}{"error": err.Error()}))
return err
}
return n.handleSurveyResponse(uid, cmd)
default:
n.logger.log(newLogEntry(LogLevelError, "unknown control message method", map[string]interface{}{"method": method}))
return fmt.Errorf("control method not found: %d", method)
}
}
// 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, pub *protocol.Publication, sp StreamPosition) error {
incMessagesReceived("publication")
numSubscribers := n.hub.NumSubscribers(ch)
hasCurrentSubscribers := numSubscribers > 0
if !hasCurrentSubscribers {
return nil
}
return n.hub.broadcastPublication(ch, pub, sp)
}
// handleJoin handles join messages - i.e. broadcasts it to
// interested local clients subscribed to channel.
func (n *Node) handleJoin(ch string, join *protocol.Join) error {
incMessagesReceived("join")
hasCurrentSubscribers := n.hub.NumSubscribers(ch) > 0
if !hasCurrentSubscribers {
return nil
}
return n.hub.broadcastJoin(ch, join)
}
// handleLeave handles leave messages - i.e. broadcasts it to
// interested local clients subscribed to channel.
func (n *Node) handleLeave(ch string, leave *protocol.Leave) error {
incMessagesReceived("leave")
hasCurrentSubscribers := n.hub.NumSubscribers(ch) > 0
if !hasCurrentSubscribers {
return nil
}
return n.hub.broadcastLeave(ch, leave)
}
func (n *Node) publish(ch string, data []byte, opts ...PublishOption) (PublishResult, error) {
pubOpts := &PublishOptions{}
for _, opt := range opts {
opt(pubOpts)
}
incMessagesSent("publication")
streamPos, err := n.broker.Publish(ch, data, *pubOpts)
if err != nil {
return PublishResult{}, err
}
return PublishResult{StreamPosition: streamPos}, nil
}
// PublishResult returned from Publish operation.
type PublishResult struct {
StreamPosition
}
// 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 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 to publish 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 {
incMessagesSent("join")
return n.broker.PublishJoin(ch, info)
}
// publishLeave allows to publish 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 {
incMessagesSent("leave")
return n.broker.PublishLeave(ch, info)
}
// 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 {
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 {
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()),
Uptime: uint32(time.Now().Unix() - n.startedAt),
}
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()
params, _ := n.controlEncoder.EncodeNode(node)
cmd := &controlpb.Command{
UID: n.uid,
Method: controlpb.MethodTypeNode,
Params: params,
}
err := n.nodeCmd(node)
if err != nil {
n.logger.log(newLogEntry(LogLevelError, "error handling node command", map[string]interface{}{"error": err.Error()}))
}
return n.publishControl(cmd, nodeID)
}
// pubUnsubscribe publishes unsubscribe control message to all nodes – so all
// nodes could unsubscribe user from channel.
func (n *Node) pubUnsubscribe(user string, ch string) error {
unsubscribe := &controlpb.Unsubscribe{
User: user,
Channel: ch,
}
params, _ := n.controlEncoder.EncodeUnsubscribe(unsubscribe)
cmd := &controlpb.Command{
UID: n.uid,
Method: controlpb.MethodTypeUnsubscribe,
Params: params,
}
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, whitelist []string) error {
protoDisconnect := &controlpb.Disconnect{
User: user,
Whitelist: whitelist,
Code: disconnect.Code,
Reason: disconnect.Reason,
Reconnect: disconnect.Reconnect,
}
params, _ := n.controlEncoder.EncodeDisconnect(protoDisconnect)
cmd := &controlpb.Command{
UID: n.uid,
Method: controlpb.MethodTypeDisconnect,
Params: params,
}
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 {
incActionCount("add_client")
return n.hub.add(c)
}
// removeClient removes client connection from connection registry.
func (n *Node) removeClient(c *Client) error {
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, c *Client) error {
incActionCount("add_subscription")
mu := n.subLock(ch)
mu.Lock()
defer mu.Unlock()
first, err := n.hub.addSub(ch, c)
if err != nil {
return err
}
if first {
err := n.broker.Subscribe(ch)
if err != nil {
_, _ = n.hub.removeSub(ch, c)
return err
}
}
return nil
}
// removeSubscription removes subscription of connection on channel
// from Hub and Broker.
func (n *Node) removeSubscription(ch string, c *Client) error {
incActionCount("remove_subscription")
mu := n.subLock(ch)
mu.Lock()
defer mu.Unlock()
empty, err := n.hub.removeSub(ch, c)
if err != nil {
return err
}
if empty {
submittedAt := time.Now()
_ = n.subDissolver.Submit(func() error {
timeSpent := time.Since(submittedAt)
if timeSpent < time.Second {
time.Sleep(time.Second - timeSpent)
}
mu := n.subLock(ch)
mu.Lock()
defer mu.Unlock()
empty := n.hub.NumSubscribers(ch) == 0
if empty {
return n.broker.Unsubscribe(ch)
}
return nil
})
}
return nil
}
// nodeCmd handles node control command i.e. updates information about known nodes.
func (n *Node) nodeCmd(node *controlpb.Node) error {
isNewNode := n.nodes.add(node)
if isNewNode && node.UID != n.uid {
// New Node in cluster
_ = n.pubNode(node.UID)
}
return nil
}
// shutdownCmd handles shutdown control command sent when node leaves cluster.
func (n *Node) shutdownCmd(nodeID string) error {
n.nodes.remove(nodeID)
return nil
}
// Unsubscribe unsubscribes user from channel, if channel is equal to empty
// string then user will be unsubscribed from all channels.
func (n *Node) Unsubscribe(user string, ch string, opts ...UnsubscribeOption) error {
unsubscribeOpts := &UnsubscribeOptions{}
for _, opt := range opts {
opt(unsubscribeOpts)
}
// First unsubscribe on this node.
err := n.hub.unsubscribe(user, ch, opts...)
if err != nil {
return err
}
// Second send unsubscribe control message to other nodes.
return n.pubUnsubscribe(user, ch)
}
// Disconnect allows to close all user connections through all nodes.
func (n *Node) Disconnect(user string, opts ...DisconnectOption) error {
disconnectOpts := &DisconnectOptions{}
for _, opt := range opts {
opt(disconnectOpts)
}
// first disconnect user from this node
customDisconnect := disconnectOpts.Disconnect
if customDisconnect == nil {
customDisconnect = DisconnectForceNoReconnect
}
err := n.hub.disconnect(user, customDisconnect, disconnectOpts.ClientWhitelist)
if err != nil {
return err
}
// second send disconnect control message to other nodes
return n.pubDisconnect(user, customDisconnect, disconnectOpts.ClientWhitelist)
}
// addPresence proxies presence adding to PresenceManager.
func (n *Node) addPresence(ch string, uid string, info *ClientInfo) error {
if n.presenceManager == nil {
return nil
}
incActionCount("add_presence")
return n.presenceManager.AddPresence(ch, uid, info)
}
// removePresence proxies presence removing to PresenceManager.
func (n *Node) removePresence(ch string, uid string) error {
if n.presenceManager == nil {
return nil
}
incActionCount("remove_presence")
return n.presenceManager.RemovePresence(ch, uid)
}
// PresenceResult wraps presence.
type PresenceResult struct {
Presence map[string]*ClientInfo
}
// Presence returns a map with information about active clients in channel.
func (n *Node) Presence(ch string) (PresenceResult, error) {
if n.presenceManager == nil {
return PresenceResult{}, ErrorNotAvailable
}
incActionCount("presence")
presence, err := n.presenceManager.Presence(ch)
if err != nil {
return PresenceResult{}, err
}
return PresenceResult{Presence: presence}, nil
}
func infoFromProto(v *protocol.ClientInfo) *ClientInfo {
if v == nil {
return nil
}
info := &ClientInfo{
ClientID: v.GetClient(),
UserID: v.GetUser(),
}
if len(v.ConnInfo) > 0 {
info.ConnInfo = v.ConnInfo
}
if len(v.ChanInfo) > 0 {
info.ChanInfo = v.ChanInfo
}
return info
}
func infoToProto(v *ClientInfo) *protocol.ClientInfo {
if v == nil {
return nil
}
info := &protocol.ClientInfo{
Client: v.ClientID,
User: v.UserID,
}
if len(v.ConnInfo) > 0 {
info.ConnInfo = v.ConnInfo
}
if len(v.ChanInfo) > 0 {
info.ChanInfo = v.ChanInfo
}
return info
}
func pubToProto(pub *Publication) *protocol.Publication {
if pub == nil {
return nil
}
return &protocol.Publication{
Offset: pub.Offset,
Data: pub.Data,
Info: infoToProto(pub.Info),
}
}
func pubFromProto(pub *protocol.Publication) *Publication {
if pub == nil {
return nil
}
return &Publication{
Offset: pub.GetOffset(),
Data: pub.Data,
Info: infoFromProto(pub.GetInfo()),
}
}
// PresenceStatsResult wraps presence stats.
type PresenceStatsResult struct {
PresenceStats
}
// PresenceStats returns presence stats from PresenceManager.
func (n *Node) PresenceStats(ch string) (PresenceStatsResult, error) {
if n.presenceManager == nil {
return PresenceStatsResult{}, ErrorNotAvailable
}
incActionCount("presence_stats")
presenceStats, err := n.presenceManager.PresenceStats(ch)
if err != nil {
return PresenceStatsResult{}, err
}
return PresenceStatsResult{PresenceStats: presenceStats}, nil
}
// HistoryResult contains Publications and current stream top StreamPosition.
type HistoryResult struct {
// StreamPosition embedded here describes current stream top offset and epoch.
StreamPosition
// Publications extracted from history storage according to HistoryFilter.
Publications []*Publication
}
// History allows to extract Publications in channel.
// The channel must belong to namespace where history is on.
func (n *Node) History(ch string, opts ...HistoryOption) (HistoryResult, error) {
incActionCount("history")
historyOpts := &HistoryOptions{}
for _, opt := range opts {
opt(historyOpts)
}
pubs, streamTop, err := n.broker.History(ch, HistoryFilter{
Limit: historyOpts.Limit,
Since: historyOpts.Since,
})
if err != nil {
return HistoryResult{}, err
}
return HistoryResult{
StreamPosition: streamTop,
Publications: pubs,
}, nil
}
// recoverHistory recovers publications since StreamPosition last seen by client.
func (n *Node) recoverHistory(ch string, since StreamPosition) (HistoryResult, error) {
incActionCount("history_recover")
limit := NoLimit
maxPublicationLimit := n.config.RecoveryMaxPublicationLimit
if maxPublicationLimit > 0 {
limit = maxPublicationLimit
}
return n.History(ch, WithLimit(limit), Since(&since))
}
// streamTop returns current stream top StreamPosition for a channel.
func (n *Node) streamTop(ch string) (StreamPosition, error) {
incActionCount("history_stream_top")
historyResult, err := n.History(ch)
if err != nil {
return StreamPosition{}, err
}
return historyResult.StreamPosition, nil
}
// RemoveHistory removes channel history.
func (n *Node) RemoveHistory(ch string) error {
incActionCount("history_remove")
return n.broker.RemoveHistory(ch)
}
type nodeRegistry struct {
// mu allows to synchronize access to node registry.
mu sync.RWMutex
// currentUID keeps uid of current node
currentUID string
// nodes is a map with information about known nodes.
nodes map[string]controlpb.Node
// updates track time we last received ping from node. Used to clean up nodes map.
updates map[string]int64
}
func newNodeRegistry(currentUID string) *nodeRegistry {
return &nodeRegistry{
currentUID: currentUID,
nodes: make(map[string]controlpb.Node),
updates: make(map[string]int64),
}
}
func (r *nodeRegistry) list() []controlpb.Node {
r.mu.RLock()
nodes := make([]controlpb.Node, len(r.nodes))
i := 0
for _, info := range r.nodes {
nodes[i] = info
i++
}
r.mu.RUnlock()
return nodes
}
func (r *nodeRegistry) get(uid string) controlpb.Node {
r.mu.RLock()
info := r.nodes[uid]
r.mu.RUnlock()
return info
}
func (r *nodeRegistry) add(info *controlpb.Node) bool {
var isNewNode bool
r.mu.Lock()
if node, ok := r.nodes[info.UID]; ok {
if info.Metrics != nil {
r.nodes[info.UID] = *info
} else {
node.Version = info.Version
node.NumChannels = info.NumChannels
node.NumClients = info.NumClients
node.NumUsers = info.NumUsers
node.Uptime = info.Uptime
r.nodes[info.UID] = node
}
} else {
r.nodes[info.UID] = *info
isNewNode = true
}
r.updates[info.UID] = time.Now().Unix()
r.mu.Unlock()
return isNewNode
}
func (r *nodeRegistry) remove(uid string) {
r.mu.Lock()
delete(r.nodes, uid)
delete(r.updates, uid)
r.mu.Unlock()
}
func (r *nodeRegistry) clean(delay time.Duration) {
r.mu.Lock()
for uid := range r.nodes {
if uid == r.currentUID {
// No need to clean info for current node.
continue
}
updated, ok := r.updates[uid]
if !ok {
// As we do all operations with nodes under lock this should never happen.
delete(r.nodes, uid)
continue
}
if time.Now().Unix()-updated > int64(delay.Seconds()) {
// Too many seconds since this node have been last seen - remove it from map.
delete(r.nodes, uid)
delete(r.updates, uid)
}
}
r.mu.Unlock()
}
// OnSurvey allows to set SurveyHandler. This should be done before Node.Run called.
func (n *Node) OnSurvey(handler SurveyHandler) {
n.surveyHandler = handler
}
// eventHub allows binding client event handlers.
// All eventHub methods are not goroutine-safe and supposed
// to be called once before Node Run called.
type eventHub struct {
connectingHandler ConnectingHandler
connectHandler ConnectHandler
}
// OnConnecting allows setting ConnectingHandler.
// ConnectingHandler will be called when client sends Connect command to server.
// In this handler server can reject connection or provide Credentials for it.
func (n *Node) OnConnecting(handler ConnectingHandler) {
n.clientEvents.connectingHandler = handler
}
// OnConnect allows setting ConnectHandler.
// ConnectHandler called after client connection successfully established,
// authenticated and Connect Reply already sent to client. This is a place where
// application can start communicating with client.
func (n *Node) OnConnect(handler ConnectHandler) {
n.clientEvents.connectHandler = handler
}
type brokerEventHandler struct {
node *Node
}
// HandlePublication coming from Broker.
func (h *brokerEventHandler) HandlePublication(ch string, pub *Publication, sp StreamPosition) error {
if pub == nil {
panic("nil Publication received, this should never happen")
}
return h.node.handlePublication(ch, pubToProto(pub), sp)
}
// HandleJoin coming from Broker.
func (h *brokerEventHandler) HandleJoin(ch string, info *ClientInfo) error {
if info == nil {
panic("nil join info received, this should never happen")
}
return h.node.handleJoin(ch, &protocol.Join{Info: *infoToProto(info)})
}
// HandleLeave coming from Broker.
func (h *brokerEventHandler) HandleLeave(ch string, info *ClientInfo) error {
if info == nil {
panic("nil leave info received, this should never happen")
}
return h.node.handleLeave(ch, &protocol.Leave{Info: *infoToProto(info)})
}
// HandleControl coming from Broker.
func (h *brokerEventHandler) HandleControl(data []byte) error {
return h.node.handleControl(data)
}
|