]>
git.saurik.com Git - redis.git/blob - src/cluster.c
2 #include "endianconv.h"
8 void clusterAcceptHandler(aeEventLoop
*el
, int fd
, void *privdata
, int mask
);
9 void clusterReadHandler(aeEventLoop
*el
, int fd
, void *privdata
, int mask
);
10 void clusterSendPing(clusterLink
*link
, int type
);
11 void clusterSendFail(char *nodename
);
12 void clusterUpdateState(void);
13 int clusterNodeGetSlotBit(clusterNode
*n
, int slot
);
14 sds
clusterGenNodesDescription(void);
15 clusterNode
*clusterLookupNode(char *name
);
16 int clusterNodeAddSlave(clusterNode
*master
, clusterNode
*slave
);
17 int clusterAddSlot(clusterNode
*n
, int slot
);
19 /* -----------------------------------------------------------------------------
21 * -------------------------------------------------------------------------- */
23 int clusterLoadConfig(char *filename
) {
24 FILE *fp
= fopen(filename
,"r");
28 if (fp
== NULL
) return REDIS_ERR
;
30 /* Parse the file. Note that single liens of the cluster config file can
31 * be really long as they include all the hash slots of the node.
32 * This means in the worst possible case REDIS_CLUSTER_SLOTS/2 integers.
33 * To simplify we allocate 1024+REDIS_CLUSTER_SLOTS*16 bytes per line. */
34 maxline
= 1024+REDIS_CLUSTER_SLOTS
*16;
35 line
= zmalloc(maxline
);
36 while(fgets(line
,maxline
,fp
) != NULL
) {
38 sds
*argv
= sdssplitargs(line
,&argc
);
39 clusterNode
*n
, *master
;
42 /* Create this node if it does not exist */
43 n
= clusterLookupNode(argv
[0]);
45 n
= createClusterNode(argv
[0],0);
48 /* Address and port */
49 if ((p
= strchr(argv
[1],':')) == NULL
) goto fmterr
;
51 memcpy(n
->ip
,argv
[1],strlen(argv
[1])+1);
59 if (!strcasecmp(s
,"myself")) {
60 redisAssert(server
.cluster
.myself
== NULL
);
61 server
.cluster
.myself
= n
;
62 n
->flags
|= REDIS_NODE_MYSELF
;
63 } else if (!strcasecmp(s
,"master")) {
64 n
->flags
|= REDIS_NODE_MASTER
;
65 } else if (!strcasecmp(s
,"slave")) {
66 n
->flags
|= REDIS_NODE_SLAVE
;
67 } else if (!strcasecmp(s
,"fail?")) {
68 n
->flags
|= REDIS_NODE_PFAIL
;
69 } else if (!strcasecmp(s
,"fail")) {
70 n
->flags
|= REDIS_NODE_FAIL
;
71 } else if (!strcasecmp(s
,"handshake")) {
72 n
->flags
|= REDIS_NODE_HANDSHAKE
;
73 } else if (!strcasecmp(s
,"noaddr")) {
74 n
->flags
|= REDIS_NODE_NOADDR
;
75 } else if (!strcasecmp(s
,"noflags")) {
78 redisPanic("Unknown flag in redis cluster config file");
83 /* Get master if any. Set the master and populate master's
85 if (argv
[3][0] != '-') {
86 master
= clusterLookupNode(argv
[3]);
88 master
= createClusterNode(argv
[3],0);
89 clusterAddNode(master
);
92 clusterNodeAddSlave(master
,n
);
95 /* Set ping sent / pong received timestamps */
96 if (atoi(argv
[4])) n
->ping_sent
= time(NULL
);
97 if (atoi(argv
[5])) n
->pong_received
= time(NULL
);
99 /* Populate hash slots served by this instance. */
100 for (j
= 7; j
< argc
; j
++) {
103 if (argv
[j
][0] == '[') {
104 /* Here we handle migrating / importing slots */
109 p
= strchr(argv
[j
],'-');
110 redisAssert(p
!= NULL
);
112 direction
= p
[1]; /* Either '>' or '<' */
113 slot
= atoi(argv
[j
]+1);
115 cn
= clusterLookupNode(p
);
117 cn
= createClusterNode(p
,0);
120 if (direction
== '>') {
121 server
.cluster
.migrating_slots_to
[slot
] = cn
;
123 server
.cluster
.importing_slots_from
[slot
] = cn
;
126 } else if ((p
= strchr(argv
[j
],'-')) != NULL
) {
128 start
= atoi(argv
[j
]);
131 start
= stop
= atoi(argv
[j
]);
133 while(start
<= stop
) clusterAddSlot(n
, start
++);
136 sdssplitargs_free(argv
,argc
);
141 /* Config sanity check */
142 redisAssert(server
.cluster
.myself
!= NULL
);
143 redisLog(REDIS_NOTICE
,"Node configuration loaded, I'm %.40s",
144 server
.cluster
.myself
->name
);
145 clusterUpdateState();
149 redisLog(REDIS_WARNING
,"Unrecovarable error: corrupted cluster config file.");
154 /* Cluster node configuration is exactly the same as CLUSTER NODES output.
156 * This function writes the node config and returns 0, on error -1
158 int clusterSaveConfig(void) {
159 sds ci
= clusterGenNodesDescription();
162 if ((fd
= open(server
.cluster
.configfile
,O_WRONLY
|O_CREAT
|O_TRUNC
,0644))
164 if (write(fd
,ci
,sdslen(ci
)) != (ssize_t
)sdslen(ci
)) goto err
;
174 void clusterSaveConfigOrDie(void) {
175 if (clusterSaveConfig() == -1) {
176 redisLog(REDIS_WARNING
,"Fatal: can't update cluster config file.");
181 void clusterInit(void) {
184 server
.cluster
.myself
= NULL
;
185 server
.cluster
.state
= REDIS_CLUSTER_FAIL
;
186 server
.cluster
.nodes
= dictCreate(&clusterNodesDictType
,NULL
);
187 server
.cluster
.node_timeout
= 15;
188 memset(server
.cluster
.migrating_slots_to
,0,
189 sizeof(server
.cluster
.migrating_slots_to
));
190 memset(server
.cluster
.importing_slots_from
,0,
191 sizeof(server
.cluster
.importing_slots_from
));
192 memset(server
.cluster
.slots
,0,
193 sizeof(server
.cluster
.slots
));
194 if (clusterLoadConfig(server
.cluster
.configfile
) == REDIS_ERR
) {
195 /* No configuration found. We will just use the random name provided
196 * by the createClusterNode() function. */
197 server
.cluster
.myself
= createClusterNode(NULL
,REDIS_NODE_MYSELF
);
198 redisLog(REDIS_NOTICE
,"No cluster configuration found, I'm %.40s",
199 server
.cluster
.myself
->name
);
200 clusterAddNode(server
.cluster
.myself
);
203 if (saveconf
) clusterSaveConfigOrDie();
204 /* We need a listening TCP port for our cluster messaging needs */
205 server
.cfd
= anetTcpServer(server
.neterr
,
206 server
.port
+REDIS_CLUSTER_PORT_INCR
, server
.bindaddr
);
207 if (server
.cfd
== -1) {
208 redisLog(REDIS_WARNING
, "Opening cluster TCP port: %s", server
.neterr
);
211 if (aeCreateFileEvent(server
.el
, server
.cfd
, AE_READABLE
,
212 clusterAcceptHandler
, NULL
) == AE_ERR
) oom("creating file event");
213 server
.cluster
.slots_to_keys
= zslCreate();
216 /* -----------------------------------------------------------------------------
217 * CLUSTER communication link
218 * -------------------------------------------------------------------------- */
220 clusterLink
*createClusterLink(clusterNode
*node
) {
221 clusterLink
*link
= zmalloc(sizeof(*link
));
222 link
->sndbuf
= sdsempty();
223 link
->rcvbuf
= sdsempty();
229 /* Free a cluster link, but does not free the associated node of course.
230 * Just this function will make sure that the original node associated
231 * with this link will have the 'link' field set to NULL. */
232 void freeClusterLink(clusterLink
*link
) {
233 if (link
->fd
!= -1) {
234 aeDeleteFileEvent(server
.el
, link
->fd
, AE_WRITABLE
);
235 aeDeleteFileEvent(server
.el
, link
->fd
, AE_READABLE
);
237 sdsfree(link
->sndbuf
);
238 sdsfree(link
->rcvbuf
);
240 link
->node
->link
= NULL
;
245 void clusterAcceptHandler(aeEventLoop
*el
, int fd
, void *privdata
, int mask
) {
251 REDIS_NOTUSED(privdata
);
253 cfd
= anetTcpAccept(server
.neterr
, fd
, cip
, &cport
);
255 redisLog(REDIS_VERBOSE
,"Accepting cluster node: %s", server
.neterr
);
258 redisLog(REDIS_VERBOSE
,"Accepted cluster node %s:%d", cip
, cport
);
259 /* We need to create a temporary node in order to read the incoming
260 * packet in a valid contest. This node will be released once we
261 * read the packet and reply. */
262 link
= createClusterLink(NULL
);
264 aeCreateFileEvent(server
.el
,cfd
,AE_READABLE
,clusterReadHandler
,link
);
267 /* -----------------------------------------------------------------------------
269 * -------------------------------------------------------------------------- */
271 /* We have 4096 hash slots. The hash slot of a given key is obtained
272 * as the least significant 12 bits of the crc16 of the key. */
273 unsigned int keyHashSlot(char *key
, int keylen
) {
274 return crc16(key
,keylen
) & 0x0FFF;
277 /* -----------------------------------------------------------------------------
279 * -------------------------------------------------------------------------- */
281 /* Create a new cluster node, with the specified flags.
282 * If "nodename" is NULL this is considered a first handshake and a random
283 * node name is assigned to this node (it will be fixed later when we'll
284 * receive the first pong).
286 * The node is created and returned to the user, but it is not automatically
287 * added to the nodes hash table. */
288 clusterNode
*createClusterNode(char *nodename
, int flags
) {
289 clusterNode
*node
= zmalloc(sizeof(*node
));
292 memcpy(node
->name
, nodename
, REDIS_CLUSTER_NAMELEN
);
294 getRandomHexChars(node
->name
, REDIS_CLUSTER_NAMELEN
);
296 memset(node
->slots
,0,sizeof(node
->slots
));
299 node
->slaveof
= NULL
;
300 node
->ping_sent
= node
->pong_received
= 0;
301 node
->configdigest
= NULL
;
302 node
->configdigest_ts
= 0;
307 int clusterNodeRemoveSlave(clusterNode
*master
, clusterNode
*slave
) {
310 for (j
= 0; j
< master
->numslaves
; j
++) {
311 if (master
->slaves
[j
] == slave
) {
312 memmove(master
->slaves
+j
,master
->slaves
+(j
+1),
313 (master
->numslaves
-1)-j
);
321 int clusterNodeAddSlave(clusterNode
*master
, clusterNode
*slave
) {
324 /* If it's already a slave, don't add it again. */
325 for (j
= 0; j
< master
->numslaves
; j
++)
326 if (master
->slaves
[j
] == slave
) return REDIS_ERR
;
327 master
->slaves
= zrealloc(master
->slaves
,
328 sizeof(clusterNode
*)*(master
->numslaves
+1));
329 master
->slaves
[master
->numslaves
] = slave
;
334 void clusterNodeResetSlaves(clusterNode
*n
) {
339 void freeClusterNode(clusterNode
*n
) {
342 nodename
= sdsnewlen(n
->name
, REDIS_CLUSTER_NAMELEN
);
343 redisAssert(dictDelete(server
.cluster
.nodes
,nodename
) == DICT_OK
);
345 if (n
->slaveof
) clusterNodeRemoveSlave(n
->slaveof
, n
);
346 if (n
->link
) freeClusterLink(n
->link
);
350 /* Add a node to the nodes hash table */
351 int clusterAddNode(clusterNode
*node
) {
354 retval
= dictAdd(server
.cluster
.nodes
,
355 sdsnewlen(node
->name
,REDIS_CLUSTER_NAMELEN
), node
);
356 return (retval
== DICT_OK
) ? REDIS_OK
: REDIS_ERR
;
359 /* Node lookup by name */
360 clusterNode
*clusterLookupNode(char *name
) {
361 sds s
= sdsnewlen(name
, REDIS_CLUSTER_NAMELEN
);
362 struct dictEntry
*de
;
364 de
= dictFind(server
.cluster
.nodes
,s
);
366 if (de
== NULL
) return NULL
;
367 return dictGetVal(de
);
370 /* This is only used after the handshake. When we connect a given IP/PORT
371 * as a result of CLUSTER MEET we don't have the node name yet, so we
372 * pick a random one, and will fix it when we receive the PONG request using
374 void clusterRenameNode(clusterNode
*node
, char *newname
) {
376 sds s
= sdsnewlen(node
->name
, REDIS_CLUSTER_NAMELEN
);
378 redisLog(REDIS_DEBUG
,"Renaming node %.40s into %.40s",
379 node
->name
, newname
);
380 retval
= dictDelete(server
.cluster
.nodes
, s
);
382 redisAssert(retval
== DICT_OK
);
383 memcpy(node
->name
, newname
, REDIS_CLUSTER_NAMELEN
);
384 clusterAddNode(node
);
387 /* -----------------------------------------------------------------------------
388 * CLUSTER messages exchange - PING/PONG and gossip
389 * -------------------------------------------------------------------------- */
391 /* Process the gossip section of PING or PONG packets.
392 * Note that this function assumes that the packet is already sanity-checked
393 * by the caller, not in the content of the gossip section, but in the
395 void clusterProcessGossipSection(clusterMsg
*hdr
, clusterLink
*link
) {
396 uint16_t count
= ntohs(hdr
->count
);
397 clusterMsgDataGossip
*g
= (clusterMsgDataGossip
*) hdr
->data
.ping
.gossip
;
398 clusterNode
*sender
= link
->node
? link
->node
: clusterLookupNode(hdr
->sender
);
402 uint16_t flags
= ntohs(g
->flags
);
405 if (flags
== 0) ci
= sdscat(ci
,"noflags,");
406 if (flags
& REDIS_NODE_MYSELF
) ci
= sdscat(ci
,"myself,");
407 if (flags
& REDIS_NODE_MASTER
) ci
= sdscat(ci
,"master,");
408 if (flags
& REDIS_NODE_SLAVE
) ci
= sdscat(ci
,"slave,");
409 if (flags
& REDIS_NODE_PFAIL
) ci
= sdscat(ci
,"fail?,");
410 if (flags
& REDIS_NODE_FAIL
) ci
= sdscat(ci
,"fail,");
411 if (flags
& REDIS_NODE_HANDSHAKE
) ci
= sdscat(ci
,"handshake,");
412 if (flags
& REDIS_NODE_NOADDR
) ci
= sdscat(ci
,"noaddr,");
413 if (ci
[sdslen(ci
)-1] == ',') ci
[sdslen(ci
)-1] = ' ';
415 redisLog(REDIS_DEBUG
,"GOSSIP %.40s %s:%d %s",
422 /* Update our state accordingly to the gossip sections */
423 node
= clusterLookupNode(g
->nodename
);
425 /* We already know this node. Let's start updating the last
426 * time PONG figure if it is newer than our figure.
427 * Note that it's not a problem if we have a PING already
428 * in progress against this node. */
429 if (node
->pong_received
< (signed) ntohl(g
->pong_received
)) {
430 redisLog(REDIS_DEBUG
,"Node pong_received updated by gossip");
431 node
->pong_received
= ntohl(g
->pong_received
);
433 /* Mark this node as FAILED if we think it is possibly failing
434 * and another node also thinks it's failing. */
435 if (node
->flags
& REDIS_NODE_PFAIL
&&
436 (flags
& (REDIS_NODE_FAIL
|REDIS_NODE_PFAIL
)))
438 redisLog(REDIS_NOTICE
,"Received a PFAIL acknowledge from node %.40s, marking node %.40s as FAIL!", hdr
->sender
, node
->name
);
439 node
->flags
&= ~REDIS_NODE_PFAIL
;
440 node
->flags
|= REDIS_NODE_FAIL
;
441 /* Broadcast the failing node name to everybody */
442 clusterSendFail(node
->name
);
443 clusterUpdateState();
444 clusterSaveConfigOrDie();
447 /* If it's not in NOADDR state and we don't have it, we
448 * start an handshake process against this IP/PORT pairs.
450 * Note that we require that the sender of this gossip message
451 * is a well known node in our cluster, otherwise we risk
452 * joining another cluster. */
453 if (sender
&& !(flags
& REDIS_NODE_NOADDR
)) {
454 clusterNode
*newnode
;
456 redisLog(REDIS_DEBUG
,"Adding the new node");
457 newnode
= createClusterNode(NULL
,REDIS_NODE_HANDSHAKE
);
458 memcpy(newnode
->ip
,g
->ip
,sizeof(g
->ip
));
459 newnode
->port
= ntohs(g
->port
);
460 clusterAddNode(newnode
);
469 /* IP -> string conversion. 'buf' is supposed to at least be 16 bytes. */
470 void nodeIp2String(char *buf
, clusterLink
*link
) {
471 struct sockaddr_in sa
;
472 socklen_t salen
= sizeof(sa
);
474 if (getpeername(link
->fd
, (struct sockaddr
*) &sa
, &salen
) == -1)
475 redisPanic("getpeername() failed.");
476 strncpy(buf
,inet_ntoa(sa
.sin_addr
),sizeof(link
->node
->ip
));
480 /* Update the node address to the IP address that can be extracted
481 * from link->fd, and at the specified port. */
482 void nodeUpdateAddress(clusterNode
*node
, clusterLink
*link
, int port
) {
486 /* When this function is called, there is a packet to process starting
487 * at node->rcvbuf. Releasing the buffer is up to the caller, so this
488 * function should just handle the higher level stuff of processing the
489 * packet, modifying the cluster state if needed.
491 * The function returns 1 if the link is still valid after the packet
492 * was processed, otherwise 0 if the link was freed since the packet
493 * processing lead to some inconsistency error (for instance a PONG
494 * received from the wrong sender ID). */
495 int clusterProcessPacket(clusterLink
*link
) {
496 clusterMsg
*hdr
= (clusterMsg
*) link
->rcvbuf
;
497 uint32_t totlen
= ntohl(hdr
->totlen
);
498 uint16_t type
= ntohs(hdr
->type
);
501 redisLog(REDIS_DEBUG
,"--- Processing packet of type %d, %lu bytes",
502 type
, (unsigned long) totlen
);
504 /* Perform sanity checks */
505 if (totlen
< 8) return 1;
506 if (totlen
> sdslen(link
->rcvbuf
)) return 1;
507 if (type
== CLUSTERMSG_TYPE_PING
|| type
== CLUSTERMSG_TYPE_PONG
||
508 type
== CLUSTERMSG_TYPE_MEET
)
510 uint16_t count
= ntohs(hdr
->count
);
511 uint32_t explen
; /* expected length of this packet */
513 explen
= sizeof(clusterMsg
)-sizeof(union clusterMsgData
);
514 explen
+= (sizeof(clusterMsgDataGossip
)*count
);
515 if (totlen
!= explen
) return 1;
517 if (type
== CLUSTERMSG_TYPE_FAIL
) {
518 uint32_t explen
= sizeof(clusterMsg
)-sizeof(union clusterMsgData
);
520 explen
+= sizeof(clusterMsgDataFail
);
521 if (totlen
!= explen
) return 1;
523 if (type
== CLUSTERMSG_TYPE_PUBLISH
) {
524 uint32_t explen
= sizeof(clusterMsg
)-sizeof(union clusterMsgData
);
526 explen
+= sizeof(clusterMsgDataPublish
) +
527 ntohl(hdr
->data
.publish
.msg
.channel_len
) +
528 ntohl(hdr
->data
.publish
.msg
.message_len
);
529 if (totlen
!= explen
) return 1;
532 /* Ready to process the packet. Dispatch by type. */
533 sender
= clusterLookupNode(hdr
->sender
);
534 if (type
== CLUSTERMSG_TYPE_PING
|| type
== CLUSTERMSG_TYPE_MEET
) {
535 int update_config
= 0;
536 redisLog(REDIS_DEBUG
,"Ping packet received: %p", link
->node
);
538 /* Add this node if it is new for us and the msg type is MEET.
539 * In this stage we don't try to add the node with the right
540 * flags, slaveof pointer, and so forth, as this details will be
541 * resolved when we'll receive PONGs from the server. */
542 if (!sender
&& type
== CLUSTERMSG_TYPE_MEET
) {
545 node
= createClusterNode(NULL
,REDIS_NODE_HANDSHAKE
);
546 nodeIp2String(node
->ip
,link
);
547 node
->port
= ntohs(hdr
->port
);
548 clusterAddNode(node
);
552 /* Get info from the gossip section */
553 clusterProcessGossipSection(hdr
,link
);
555 /* Anyway reply with a PONG */
556 clusterSendPing(link
,CLUSTERMSG_TYPE_PONG
);
558 /* Update config if needed */
559 if (update_config
) clusterSaveConfigOrDie();
560 } else if (type
== CLUSTERMSG_TYPE_PONG
) {
561 int update_state
= 0;
562 int update_config
= 0;
564 redisLog(REDIS_DEBUG
,"Pong packet received: %p", link
->node
);
566 if (link
->node
->flags
& REDIS_NODE_HANDSHAKE
) {
567 /* If we already have this node, try to change the
568 * IP/port of the node with the new one. */
570 redisLog(REDIS_WARNING
,
571 "Handshake error: we already know node %.40s, updating the address if needed.", sender
->name
);
572 nodeUpdateAddress(sender
,link
,ntohs(hdr
->port
));
573 freeClusterNode(link
->node
); /* will free the link too */
577 /* First thing to do is replacing the random name with the
578 * right node name if this was an handshake stage. */
579 clusterRenameNode(link
->node
, hdr
->sender
);
580 redisLog(REDIS_DEBUG
,"Handshake with node %.40s completed.",
582 link
->node
->flags
&= ~REDIS_NODE_HANDSHAKE
;
584 } else if (memcmp(link
->node
->name
,hdr
->sender
,
585 REDIS_CLUSTER_NAMELEN
) != 0)
587 /* If the reply has a non matching node ID we
588 * disconnect this node and set it as not having an associated
590 redisLog(REDIS_DEBUG
,"PONG contains mismatching sender ID");
591 link
->node
->flags
|= REDIS_NODE_NOADDR
;
592 freeClusterLink(link
);
594 /* FIXME: remove this node if we already have it.
596 * If we already have it but the IP is different, use
597 * the new one if the old node is in FAIL, PFAIL, or NOADDR
602 /* Update our info about the node */
603 if (link
->node
) link
->node
->pong_received
= time(NULL
);
605 /* Update master/slave info */
607 if (!memcmp(hdr
->slaveof
,REDIS_NODE_NULL_NAME
,
608 sizeof(hdr
->slaveof
)))
610 sender
->flags
&= ~REDIS_NODE_SLAVE
;
611 sender
->flags
|= REDIS_NODE_MASTER
;
612 sender
->slaveof
= NULL
;
614 clusterNode
*master
= clusterLookupNode(hdr
->slaveof
);
616 sender
->flags
&= ~REDIS_NODE_MASTER
;
617 sender
->flags
|= REDIS_NODE_SLAVE
;
618 if (sender
->numslaves
) clusterNodeResetSlaves(sender
);
619 if (master
) clusterNodeAddSlave(master
,sender
);
623 /* Update our info about served slots if this new node is serving
624 * slots that are not served from our point of view. */
625 if (sender
&& sender
->flags
& REDIS_NODE_MASTER
) {
629 memcmp(sender
->slots
,hdr
->myslots
,sizeof(hdr
->myslots
)) != 0;
630 memcpy(sender
->slots
,hdr
->myslots
,sizeof(hdr
->myslots
));
632 for (j
= 0; j
< REDIS_CLUSTER_SLOTS
; j
++) {
633 if (clusterNodeGetSlotBit(sender
,j
)) {
634 if (server
.cluster
.slots
[j
] == sender
) continue;
635 if (server
.cluster
.slots
[j
] == NULL
||
636 server
.cluster
.slots
[j
]->flags
& REDIS_NODE_FAIL
)
638 server
.cluster
.slots
[j
] = sender
;
639 update_state
= update_config
= 1;
646 /* Get info from the gossip section */
647 clusterProcessGossipSection(hdr
,link
);
649 /* Update the cluster state if needed */
650 if (update_state
) clusterUpdateState();
651 if (update_config
) clusterSaveConfigOrDie();
652 } else if (type
== CLUSTERMSG_TYPE_FAIL
&& sender
) {
653 clusterNode
*failing
;
655 failing
= clusterLookupNode(hdr
->data
.fail
.about
.nodename
);
656 if (failing
&& !(failing
->flags
& (REDIS_NODE_FAIL
|REDIS_NODE_MYSELF
)))
658 redisLog(REDIS_NOTICE
,
659 "FAIL message received from %.40s about %.40s",
660 hdr
->sender
, hdr
->data
.fail
.about
.nodename
);
661 failing
->flags
|= REDIS_NODE_FAIL
;
662 failing
->flags
&= ~REDIS_NODE_PFAIL
;
663 clusterUpdateState();
664 clusterSaveConfigOrDie();
666 } else if (type
== CLUSTERMSG_TYPE_PUBLISH
) {
667 robj
*channel
, *message
;
668 uint32_t channel_len
, message_len
;
670 /* Don't bother creating useless objects if there are no Pub/Sub subscribers. */
671 if (dictSize(server
.pubsub_channels
) || listLength(server
.pubsub_patterns
)) {
672 channel_len
= ntohl(hdr
->data
.publish
.msg
.channel_len
);
673 message_len
= ntohl(hdr
->data
.publish
.msg
.message_len
);
674 channel
= createStringObject(
675 (char*)hdr
->data
.publish
.msg
.bulk_data
,channel_len
);
676 message
= createStringObject(
677 (char*)hdr
->data
.publish
.msg
.bulk_data
+channel_len
, message_len
);
678 pubsubPublishMessage(channel
,message
);
679 decrRefCount(channel
);
680 decrRefCount(message
);
683 redisLog(REDIS_WARNING
,"Received unknown packet type: %d", type
);
688 /* This function is called when we detect the link with this node is lost.
689 We set the node as no longer connected. The Cluster Cron will detect
690 this connection and will try to get it connected again.
692 Instead if the node is a temporary node used to accept a query, we
693 completely free the node on error. */
694 void handleLinkIOError(clusterLink
*link
) {
695 freeClusterLink(link
);
698 /* Send data. This is handled using a trivial send buffer that gets
699 * consumed by write(). We don't try to optimize this for speed too much
700 * as this is a very low traffic channel. */
701 void clusterWriteHandler(aeEventLoop
*el
, int fd
, void *privdata
, int mask
) {
702 clusterLink
*link
= (clusterLink
*) privdata
;
707 nwritten
= write(fd
, link
->sndbuf
, sdslen(link
->sndbuf
));
709 redisLog(REDIS_NOTICE
,"I/O error writing to node link: %s",
711 handleLinkIOError(link
);
714 link
->sndbuf
= sdsrange(link
->sndbuf
,nwritten
,-1);
715 if (sdslen(link
->sndbuf
) == 0)
716 aeDeleteFileEvent(server
.el
, link
->fd
, AE_WRITABLE
);
719 /* Read data. Try to read the first field of the header first to check the
720 * full length of the packet. When a whole packet is in memory this function
721 * will call the function to process the packet. And so forth. */
722 void clusterReadHandler(aeEventLoop
*el
, int fd
, void *privdata
, int mask
) {
726 clusterLink
*link
= (clusterLink
*) privdata
;
732 if (sdslen(link
->rcvbuf
) >= 4) {
733 hdr
= (clusterMsg
*) link
->rcvbuf
;
734 readlen
= ntohl(hdr
->totlen
) - sdslen(link
->rcvbuf
);
736 readlen
= 4 - sdslen(link
->rcvbuf
);
739 nread
= read(fd
,buf
,readlen
);
740 if (nread
== -1 && errno
== EAGAIN
) return; /* Just no data */
744 redisLog(REDIS_NOTICE
,"I/O error reading from node link: %s",
745 (nread
== 0) ? "connection closed" : strerror(errno
));
746 handleLinkIOError(link
);
749 /* Read data and recast the pointer to the new buffer. */
750 link
->rcvbuf
= sdscatlen(link
->rcvbuf
,buf
,nread
);
751 hdr
= (clusterMsg
*) link
->rcvbuf
;
754 /* Total length obtained? read the payload now instead of burning
755 * cycles waiting for a new event to fire. */
756 if (sdslen(link
->rcvbuf
) == 4) goto again
;
758 /* Whole packet in memory? We can process it. */
759 if (sdslen(link
->rcvbuf
) == ntohl(hdr
->totlen
)) {
760 if (clusterProcessPacket(link
)) {
761 sdsfree(link
->rcvbuf
);
762 link
->rcvbuf
= sdsempty();
767 /* Put stuff into the send buffer. */
768 void clusterSendMessage(clusterLink
*link
, unsigned char *msg
, size_t msglen
) {
769 if (sdslen(link
->sndbuf
) == 0 && msglen
!= 0)
770 aeCreateFileEvent(server
.el
,link
->fd
,AE_WRITABLE
,
771 clusterWriteHandler
,link
);
773 link
->sndbuf
= sdscatlen(link
->sndbuf
, msg
, msglen
);
776 /* Send a message to all the nodes with a reliable link */
777 void clusterBroadcastMessage(void *buf
, size_t len
) {
781 di
= dictGetIterator(server
.cluster
.nodes
);
782 while((de
= dictNext(di
)) != NULL
) {
783 clusterNode
*node
= dictGetVal(de
);
785 if (!node
->link
) continue;
786 if (node
->flags
& (REDIS_NODE_MYSELF
|REDIS_NODE_NOADDR
)) continue;
787 clusterSendMessage(node
->link
,buf
,len
);
789 dictReleaseIterator(di
);
792 /* Build the message header */
793 void clusterBuildMessageHdr(clusterMsg
*hdr
, int type
) {
796 memset(hdr
,0,sizeof(*hdr
));
797 hdr
->type
= htons(type
);
798 memcpy(hdr
->sender
,server
.cluster
.myself
->name
,REDIS_CLUSTER_NAMELEN
);
799 memcpy(hdr
->myslots
,server
.cluster
.myself
->slots
,
800 sizeof(hdr
->myslots
));
801 memset(hdr
->slaveof
,0,REDIS_CLUSTER_NAMELEN
);
802 if (server
.cluster
.myself
->slaveof
!= NULL
) {
803 memcpy(hdr
->slaveof
,server
.cluster
.myself
->slaveof
->name
,
804 REDIS_CLUSTER_NAMELEN
);
806 hdr
->port
= htons(server
.port
);
807 hdr
->state
= server
.cluster
.state
;
808 memset(hdr
->configdigest
,0,32); /* FIXME: set config digest */
810 if (type
== CLUSTERMSG_TYPE_FAIL
) {
811 totlen
= sizeof(clusterMsg
)-sizeof(union clusterMsgData
);
812 totlen
+= sizeof(clusterMsgDataFail
);
814 hdr
->totlen
= htonl(totlen
);
815 /* For PING, PONG, and MEET, fixing the totlen field is up to the caller */
818 /* Send a PING or PONG packet to the specified node, making sure to add enough
819 * gossip informations. */
820 void clusterSendPing(clusterLink
*link
, int type
) {
821 unsigned char buf
[1024];
822 clusterMsg
*hdr
= (clusterMsg
*) buf
;
823 int gossipcount
= 0, totlen
;
824 /* freshnodes is the number of nodes we can still use to populate the
825 * gossip section of the ping packet. Basically we start with the nodes
826 * we have in memory minus two (ourself and the node we are sending the
827 * message to). Every time we add a node we decrement the counter, so when
828 * it will drop to <= zero we know there is no more gossip info we can
830 int freshnodes
= dictSize(server
.cluster
.nodes
)-2;
832 if (link
->node
&& type
== CLUSTERMSG_TYPE_PING
)
833 link
->node
->ping_sent
= time(NULL
);
834 clusterBuildMessageHdr(hdr
,type
);
836 /* Populate the gossip fields */
837 while(freshnodes
> 0 && gossipcount
< 3) {
838 struct dictEntry
*de
= dictGetRandomKey(server
.cluster
.nodes
);
839 clusterNode
*this = dictGetVal(de
);
840 clusterMsgDataGossip
*gossip
;
843 /* Not interesting to gossip about ourself.
844 * Nor to send gossip info about HANDSHAKE state nodes (zero info). */
845 if (this == server
.cluster
.myself
||
846 this->flags
& REDIS_NODE_HANDSHAKE
) {
847 freshnodes
--; /* otherwise we may loop forever. */
851 /* Check if we already added this node */
852 for (j
= 0; j
< gossipcount
; j
++) {
853 if (memcmp(hdr
->data
.ping
.gossip
[j
].nodename
,this->name
,
854 REDIS_CLUSTER_NAMELEN
) == 0) break;
856 if (j
!= gossipcount
) continue;
860 gossip
= &(hdr
->data
.ping
.gossip
[gossipcount
]);
861 memcpy(gossip
->nodename
,this->name
,REDIS_CLUSTER_NAMELEN
);
862 gossip
->ping_sent
= htonl(this->ping_sent
);
863 gossip
->pong_received
= htonl(this->pong_received
);
864 memcpy(gossip
->ip
,this->ip
,sizeof(this->ip
));
865 gossip
->port
= htons(this->port
);
866 gossip
->flags
= htons(this->flags
);
869 totlen
= sizeof(clusterMsg
)-sizeof(union clusterMsgData
);
870 totlen
+= (sizeof(clusterMsgDataGossip
)*gossipcount
);
871 hdr
->count
= htons(gossipcount
);
872 hdr
->totlen
= htonl(totlen
);
873 clusterSendMessage(link
,buf
,totlen
);
876 /* Send a PUBLISH message.
878 * If link is NULL, then the message is broadcasted to the whole cluster. */
879 void clusterSendPublish(clusterLink
*link
, robj
*channel
, robj
*message
) {
880 unsigned char buf
[4096], *payload
;
881 clusterMsg
*hdr
= (clusterMsg
*) buf
;
883 uint32_t channel_len
, message_len
;
885 channel
= getDecodedObject(channel
);
886 message
= getDecodedObject(message
);
887 channel_len
= sdslen(channel
->ptr
);
888 message_len
= sdslen(message
->ptr
);
890 clusterBuildMessageHdr(hdr
,CLUSTERMSG_TYPE_PUBLISH
);
891 totlen
= sizeof(clusterMsg
)-sizeof(union clusterMsgData
);
892 totlen
+= sizeof(clusterMsgDataPublish
) + channel_len
+ message_len
;
894 hdr
->data
.publish
.msg
.channel_len
= htonl(channel_len
);
895 hdr
->data
.publish
.msg
.message_len
= htonl(message_len
);
896 hdr
->totlen
= htonl(totlen
);
898 /* Try to use the local buffer if possible */
899 if (totlen
< sizeof(buf
)) {
902 payload
= zmalloc(totlen
);
903 hdr
= (clusterMsg
*) payload
;
904 memcpy(payload
,hdr
,sizeof(hdr
));
906 memcpy(hdr
->data
.publish
.msg
.bulk_data
,channel
->ptr
,sdslen(channel
->ptr
));
907 memcpy(hdr
->data
.publish
.msg
.bulk_data
+sdslen(channel
->ptr
),
908 message
->ptr
,sdslen(message
->ptr
));
911 clusterSendMessage(link
,payload
,totlen
);
913 clusterBroadcastMessage(payload
,totlen
);
915 decrRefCount(channel
);
916 decrRefCount(message
);
917 if (payload
!= buf
) zfree(payload
);
920 /* Send a FAIL message to all the nodes we are able to contact.
921 * The FAIL message is sent when we detect that a node is failing
922 * (REDIS_NODE_PFAIL) and we also receive a gossip confirmation of this:
923 * we switch the node state to REDIS_NODE_FAIL and ask all the other
924 * nodes to do the same ASAP. */
925 void clusterSendFail(char *nodename
) {
926 unsigned char buf
[1024];
927 clusterMsg
*hdr
= (clusterMsg
*) buf
;
929 clusterBuildMessageHdr(hdr
,CLUSTERMSG_TYPE_FAIL
);
930 memcpy(hdr
->data
.fail
.about
.nodename
,nodename
,REDIS_CLUSTER_NAMELEN
);
931 clusterBroadcastMessage(buf
,ntohl(hdr
->totlen
));
934 /* -----------------------------------------------------------------------------
935 * CLUSTER Pub/Sub support
937 * For now we do very little, just propagating PUBLISH messages across the whole
938 * cluster. In the future we'll try to get smarter and avoiding propagating those
939 * messages to hosts without receives for a given channel.
940 * -------------------------------------------------------------------------- */
941 void clusterPropagatePublish(robj
*channel
, robj
*message
) {
942 clusterSendPublish(NULL
, channel
, message
);
945 /* -----------------------------------------------------------------------------
947 * -------------------------------------------------------------------------- */
949 /* This is executed 1 time every second */
950 void clusterCron(void) {
954 time_t min_ping_sent
= 0;
955 clusterNode
*min_ping_node
= NULL
;
957 /* Check if we have disconnected nodes and reestablish the connection. */
958 di
= dictGetIterator(server
.cluster
.nodes
);
959 while((de
= dictNext(di
)) != NULL
) {
960 clusterNode
*node
= dictGetVal(de
);
962 if (node
->flags
& (REDIS_NODE_MYSELF
|REDIS_NODE_NOADDR
)) continue;
963 if (node
->link
== NULL
) {
967 fd
= anetTcpNonBlockConnect(server
.neterr
, node
->ip
,
968 node
->port
+REDIS_CLUSTER_PORT_INCR
);
969 if (fd
== -1) continue;
970 link
= createClusterLink(node
);
973 aeCreateFileEvent(server
.el
,link
->fd
,AE_READABLE
,clusterReadHandler
,link
);
974 /* If the node is flagged as MEET, we send a MEET message instead
975 * of a PING one, to force the receiver to add us in its node
977 clusterSendPing(link
, node
->flags
& REDIS_NODE_MEET
?
978 CLUSTERMSG_TYPE_MEET
: CLUSTERMSG_TYPE_PING
);
979 /* We can clear the flag after the first packet is sent.
980 * If we'll never receive a PONG, we'll never send new packets
981 * to this node. Instead after the PONG is received and we
982 * are no longer in meet/handshake status, we want to send
983 * normal PING packets. */
984 node
->flags
&= ~REDIS_NODE_MEET
;
986 redisLog(REDIS_NOTICE
,"Connecting with Node %.40s at %s:%d", node
->name
, node
->ip
, node
->port
+REDIS_CLUSTER_PORT_INCR
);
989 dictReleaseIterator(di
);
991 /* Ping some random node. Check a few random nodes and ping the one with
992 * the oldest ping_sent time */
993 for (j
= 0; j
< 5; j
++) {
994 de
= dictGetRandomKey(server
.cluster
.nodes
);
995 clusterNode
*this = dictGetVal(de
);
997 if (this->link
== NULL
) continue;
998 if (this->flags
& (REDIS_NODE_MYSELF
|REDIS_NODE_HANDSHAKE
)) continue;
999 if (min_ping_node
== NULL
|| min_ping_sent
> this->ping_sent
) {
1000 min_ping_node
= this;
1001 min_ping_sent
= this->ping_sent
;
1004 if (min_ping_node
) {
1005 redisLog(REDIS_DEBUG
,"Pinging node %40s", min_ping_node
->name
);
1006 clusterSendPing(min_ping_node
->link
, CLUSTERMSG_TYPE_PING
);
1009 /* Iterate nodes to check if we need to flag something as failing */
1010 di
= dictGetIterator(server
.cluster
.nodes
);
1011 while((de
= dictNext(di
)) != NULL
) {
1012 clusterNode
*node
= dictGetVal(de
);
1016 (REDIS_NODE_MYSELF
|REDIS_NODE_NOADDR
|REDIS_NODE_HANDSHAKE
))
1018 /* Check only if we already sent a ping and did not received
1020 if (node
->ping_sent
== 0 ||
1021 node
->ping_sent
<= node
->pong_received
) continue;
1023 delay
= time(NULL
) - node
->pong_received
;
1024 if (delay
< server
.cluster
.node_timeout
) {
1025 /* The PFAIL condition can be reversed without external
1026 * help if it is not transitive (that is, if it does not
1027 * turn into a FAIL state).
1029 * The FAIL condition is also reversible if there are no slaves
1030 * for this host, so no slave election should be in progress.
1032 * TODO: consider all the implications of resurrecting a
1034 if (node
->flags
& REDIS_NODE_PFAIL
) {
1035 node
->flags
&= ~REDIS_NODE_PFAIL
;
1036 } else if (node
->flags
& REDIS_NODE_FAIL
&& !node
->numslaves
) {
1037 node
->flags
&= ~REDIS_NODE_FAIL
;
1038 clusterUpdateState();
1041 /* Timeout reached. Set the noad se possibly failing if it is
1042 * not already in this state. */
1043 if (!(node
->flags
& (REDIS_NODE_PFAIL
|REDIS_NODE_FAIL
))) {
1044 redisLog(REDIS_DEBUG
,"*** NODE %.40s possibly failing",
1046 node
->flags
|= REDIS_NODE_PFAIL
;
1050 dictReleaseIterator(di
);
1053 /* -----------------------------------------------------------------------------
1055 * -------------------------------------------------------------------------- */
1057 /* Set the slot bit and return the old value. */
1058 int clusterNodeSetSlotBit(clusterNode
*n
, int slot
) {
1059 off_t byte
= slot
/8;
1061 int old
= (n
->slots
[byte
] & (1<<bit
)) != 0;
1062 n
->slots
[byte
] |= 1<<bit
;
1066 /* Clear the slot bit and return the old value. */
1067 int clusterNodeClearSlotBit(clusterNode
*n
, int slot
) {
1068 off_t byte
= slot
/8;
1070 int old
= (n
->slots
[byte
] & (1<<bit
)) != 0;
1071 n
->slots
[byte
] &= ~(1<<bit
);
1075 /* Return the slot bit from the cluster node structure. */
1076 int clusterNodeGetSlotBit(clusterNode
*n
, int slot
) {
1077 off_t byte
= slot
/8;
1079 return (n
->slots
[byte
] & (1<<bit
)) != 0;
1082 /* Add the specified slot to the list of slots that node 'n' will
1083 * serve. Return REDIS_OK if the operation ended with success.
1084 * If the slot is already assigned to another instance this is considered
1085 * an error and REDIS_ERR is returned. */
1086 int clusterAddSlot(clusterNode
*n
, int slot
) {
1087 if (clusterNodeSetSlotBit(n
,slot
) != 0)
1089 server
.cluster
.slots
[slot
] = n
;
1093 /* Delete the specified slot marking it as unassigned.
1094 * Returns REDIS_OK if the slot was assigned, otherwise if the slot was
1095 * already unassigned REDIS_ERR is returned. */
1096 int clusterDelSlot(int slot
) {
1097 clusterNode
*n
= server
.cluster
.slots
[slot
];
1099 if (!n
) return REDIS_ERR
;
1100 redisAssert(clusterNodeClearSlotBit(n
,slot
) == 1);
1101 server
.cluster
.slots
[slot
] = NULL
;
1105 /* -----------------------------------------------------------------------------
1106 * Cluster state evaluation function
1107 * -------------------------------------------------------------------------- */
1108 void clusterUpdateState(void) {
1112 for (j
= 0; j
< REDIS_CLUSTER_SLOTS
; j
++) {
1113 if (server
.cluster
.slots
[j
] == NULL
||
1114 server
.cluster
.slots
[j
]->flags
& (REDIS_NODE_FAIL
))
1121 if (server
.cluster
.state
== REDIS_CLUSTER_NEEDHELP
) {
1122 server
.cluster
.state
= REDIS_CLUSTER_NEEDHELP
;
1124 server
.cluster
.state
= REDIS_CLUSTER_OK
;
1127 server
.cluster
.state
= REDIS_CLUSTER_FAIL
;
1131 /* -----------------------------------------------------------------------------
1133 * -------------------------------------------------------------------------- */
1135 sds
clusterGenNodesDescription(void) {
1136 sds ci
= sdsempty();
1141 di
= dictGetIterator(server
.cluster
.nodes
);
1142 while((de
= dictNext(di
)) != NULL
) {
1143 clusterNode
*node
= dictGetVal(de
);
1145 /* Node coordinates */
1146 ci
= sdscatprintf(ci
,"%.40s %s:%d ",
1152 if (node
->flags
== 0) ci
= sdscat(ci
,"noflags,");
1153 if (node
->flags
& REDIS_NODE_MYSELF
) ci
= sdscat(ci
,"myself,");
1154 if (node
->flags
& REDIS_NODE_MASTER
) ci
= sdscat(ci
,"master,");
1155 if (node
->flags
& REDIS_NODE_SLAVE
) ci
= sdscat(ci
,"slave,");
1156 if (node
->flags
& REDIS_NODE_PFAIL
) ci
= sdscat(ci
,"fail?,");
1157 if (node
->flags
& REDIS_NODE_FAIL
) ci
= sdscat(ci
,"fail,");
1158 if (node
->flags
& REDIS_NODE_HANDSHAKE
) ci
=sdscat(ci
,"handshake,");
1159 if (node
->flags
& REDIS_NODE_NOADDR
) ci
= sdscat(ci
,"noaddr,");
1160 if (ci
[sdslen(ci
)-1] == ',') ci
[sdslen(ci
)-1] = ' ';
1162 /* Slave of... or just "-" */
1164 ci
= sdscatprintf(ci
,"%.40s ",node
->slaveof
->name
);
1166 ci
= sdscatprintf(ci
,"- ");
1168 /* Latency from the POV of this node, link status */
1169 ci
= sdscatprintf(ci
,"%ld %ld %s",
1170 (long) node
->ping_sent
,
1171 (long) node
->pong_received
,
1172 (node
->link
|| node
->flags
& REDIS_NODE_MYSELF
) ?
1173 "connected" : "disconnected");
1175 /* Slots served by this instance */
1177 for (j
= 0; j
< REDIS_CLUSTER_SLOTS
; j
++) {
1180 if ((bit
= clusterNodeGetSlotBit(node
,j
)) != 0) {
1181 if (start
== -1) start
= j
;
1183 if (start
!= -1 && (!bit
|| j
== REDIS_CLUSTER_SLOTS
-1)) {
1184 if (j
== REDIS_CLUSTER_SLOTS
-1) j
++;
1187 ci
= sdscatprintf(ci
," %d",start
);
1189 ci
= sdscatprintf(ci
," %d-%d",start
,j
-1);
1195 /* Just for MYSELF node we also dump info about slots that
1196 * we are migrating to other instances or importing from other
1198 if (node
->flags
& REDIS_NODE_MYSELF
) {
1199 for (j
= 0; j
< REDIS_CLUSTER_SLOTS
; j
++) {
1200 if (server
.cluster
.migrating_slots_to
[j
]) {
1201 ci
= sdscatprintf(ci
," [%d->-%.40s]",j
,
1202 server
.cluster
.migrating_slots_to
[j
]->name
);
1203 } else if (server
.cluster
.importing_slots_from
[j
]) {
1204 ci
= sdscatprintf(ci
," [%d-<-%.40s]",j
,
1205 server
.cluster
.importing_slots_from
[j
]->name
);
1209 ci
= sdscatlen(ci
,"\n",1);
1211 dictReleaseIterator(di
);
1215 int getSlotOrReply(redisClient
*c
, robj
*o
) {
1218 if (getLongLongFromObject(o
,&slot
) != REDIS_OK
||
1219 slot
< 0 || slot
> REDIS_CLUSTER_SLOTS
)
1221 addReplyError(c
,"Invalid or out of range slot");
1227 void clusterCommand(redisClient
*c
) {
1228 if (server
.cluster_enabled
== 0) {
1229 addReplyError(c
,"This instance has cluster support disabled");
1233 if (!strcasecmp(c
->argv
[1]->ptr
,"meet") && c
->argc
== 4) {
1235 struct sockaddr_in sa
;
1238 /* Perform sanity checks on IP/port */
1239 if (inet_aton(c
->argv
[2]->ptr
,&sa
.sin_addr
) == 0) {
1240 addReplyError(c
,"Invalid IP address in MEET");
1243 if (getLongFromObjectOrReply(c
, c
->argv
[3], &port
, NULL
) != REDIS_OK
||
1244 port
< 0 || port
> (65535-REDIS_CLUSTER_PORT_INCR
))
1246 addReplyError(c
,"Invalid TCP port specified");
1250 /* Finally add the node to the cluster with a random name, this
1251 * will get fixed in the first handshake (ping/pong). */
1252 n
= createClusterNode(NULL
,REDIS_NODE_HANDSHAKE
|REDIS_NODE_MEET
);
1253 strncpy(n
->ip
,inet_ntoa(sa
.sin_addr
),sizeof(n
->ip
));
1256 addReply(c
,shared
.ok
);
1257 } else if (!strcasecmp(c
->argv
[1]->ptr
,"nodes") && c
->argc
== 2) {
1259 sds ci
= clusterGenNodesDescription();
1261 o
= createObject(REDIS_STRING
,ci
);
1264 } else if ((!strcasecmp(c
->argv
[1]->ptr
,"addslots") ||
1265 !strcasecmp(c
->argv
[1]->ptr
,"delslots")) && c
->argc
>= 3)
1267 /* CLUSTER ADDSLOTS <slot> [slot] ... */
1268 /* CLUSTER DELSLOTS <slot> [slot] ... */
1270 unsigned char *slots
= zmalloc(REDIS_CLUSTER_SLOTS
);
1271 int del
= !strcasecmp(c
->argv
[1]->ptr
,"delslots");
1273 memset(slots
,0,REDIS_CLUSTER_SLOTS
);
1274 /* Check that all the arguments are parsable and that all the
1275 * slots are not already busy. */
1276 for (j
= 2; j
< c
->argc
; j
++) {
1277 if ((slot
= getSlotOrReply(c
,c
->argv
[j
])) == -1) {
1281 if (del
&& server
.cluster
.slots
[slot
] == NULL
) {
1282 addReplyErrorFormat(c
,"Slot %d is already unassigned", slot
);
1285 } else if (!del
&& server
.cluster
.slots
[slot
]) {
1286 addReplyErrorFormat(c
,"Slot %d is already busy", slot
);
1290 if (slots
[slot
]++ == 1) {
1291 addReplyErrorFormat(c
,"Slot %d specified multiple times",
1297 for (j
= 0; j
< REDIS_CLUSTER_SLOTS
; j
++) {
1301 /* If this slot was set as importing we can clear this
1302 * state as now we are the real owner of the slot. */
1303 if (server
.cluster
.importing_slots_from
[j
])
1304 server
.cluster
.importing_slots_from
[j
] = NULL
;
1306 retval
= del
? clusterDelSlot(j
) :
1307 clusterAddSlot(server
.cluster
.myself
,j
);
1308 redisAssertWithInfo(c
,NULL
,retval
== REDIS_OK
);
1312 clusterUpdateState();
1313 clusterSaveConfigOrDie();
1314 addReply(c
,shared
.ok
);
1315 } else if (!strcasecmp(c
->argv
[1]->ptr
,"setslot") && c
->argc
>= 4) {
1316 /* SETSLOT 10 MIGRATING <node ID> */
1317 /* SETSLOT 10 IMPORTING <node ID> */
1318 /* SETSLOT 10 STABLE */
1319 /* SETSLOT 10 NODE <node ID> */
1323 if ((slot
= getSlotOrReply(c
,c
->argv
[2])) == -1) return;
1325 if (!strcasecmp(c
->argv
[3]->ptr
,"migrating") && c
->argc
== 5) {
1326 if (server
.cluster
.slots
[slot
] != server
.cluster
.myself
) {
1327 addReplyErrorFormat(c
,"I'm not the owner of hash slot %u",slot
);
1330 if ((n
= clusterLookupNode(c
->argv
[4]->ptr
)) == NULL
) {
1331 addReplyErrorFormat(c
,"I don't know about node %s",
1332 (char*)c
->argv
[4]->ptr
);
1335 server
.cluster
.migrating_slots_to
[slot
] = n
;
1336 } else if (!strcasecmp(c
->argv
[3]->ptr
,"importing") && c
->argc
== 5) {
1337 if (server
.cluster
.slots
[slot
] == server
.cluster
.myself
) {
1338 addReplyErrorFormat(c
,
1339 "I'm already the owner of hash slot %u",slot
);
1342 if ((n
= clusterLookupNode(c
->argv
[4]->ptr
)) == NULL
) {
1343 addReplyErrorFormat(c
,"I don't know about node %s",
1344 (char*)c
->argv
[3]->ptr
);
1347 server
.cluster
.importing_slots_from
[slot
] = n
;
1348 } else if (!strcasecmp(c
->argv
[3]->ptr
,"stable") && c
->argc
== 4) {
1349 /* CLUSTER SETSLOT <SLOT> STABLE */
1350 server
.cluster
.importing_slots_from
[slot
] = NULL
;
1351 server
.cluster
.migrating_slots_to
[slot
] = NULL
;
1352 } else if (!strcasecmp(c
->argv
[3]->ptr
,"node") && c
->argc
== 5) {
1353 /* CLUSTER SETSLOT <SLOT> NODE <NODE ID> */
1354 clusterNode
*n
= clusterLookupNode(c
->argv
[4]->ptr
);
1356 if (!n
) addReplyErrorFormat(c
,"Unknown node %s",
1357 (char*)c
->argv
[4]->ptr
);
1358 /* If this hash slot was served by 'myself' before to switch
1359 * make sure there are no longer local keys for this hash slot. */
1360 if (server
.cluster
.slots
[slot
] == server
.cluster
.myself
&&
1361 n
!= server
.cluster
.myself
)
1366 keys
= zmalloc(sizeof(robj
*)*1);
1367 numkeys
= GetKeysInSlot(slot
, keys
, 1);
1370 addReplyErrorFormat(c
, "Can't assign hashslot %d to a different node while I still hold keys for this hash slot.", slot
);
1374 /* If this node was the slot owner and the slot was marked as
1375 * migrating, assigning the slot to another node will clear
1376 * the migratig status. */
1377 if (server
.cluster
.slots
[slot
] == server
.cluster
.myself
&&
1378 server
.cluster
.migrating_slots_to
[slot
])
1379 server
.cluster
.migrating_slots_to
[slot
] = NULL
;
1381 /* If this node was importing this slot, assigning the slot to
1382 * itself also clears the importing status. */
1383 if (n
== server
.cluster
.myself
&& server
.cluster
.importing_slots_from
[slot
])
1384 server
.cluster
.importing_slots_from
[slot
] = NULL
;
1386 clusterDelSlot(slot
);
1387 clusterAddSlot(n
,slot
);
1389 addReplyError(c
,"Invalid CLUSTER SETSLOT action or number of arguments");
1392 clusterSaveConfigOrDie();
1393 addReply(c
,shared
.ok
);
1394 } else if (!strcasecmp(c
->argv
[1]->ptr
,"info") && c
->argc
== 2) {
1395 char *statestr
[] = {"ok","fail","needhelp"};
1396 int slots_assigned
= 0, slots_ok
= 0, slots_pfail
= 0, slots_fail
= 0;
1399 for (j
= 0; j
< REDIS_CLUSTER_SLOTS
; j
++) {
1400 clusterNode
*n
= server
.cluster
.slots
[j
];
1402 if (n
== NULL
) continue;
1404 if (n
->flags
& REDIS_NODE_FAIL
) {
1406 } else if (n
->flags
& REDIS_NODE_PFAIL
) {
1413 sds info
= sdscatprintf(sdsempty(),
1414 "cluster_state:%s\r\n"
1415 "cluster_slots_assigned:%d\r\n"
1416 "cluster_slots_ok:%d\r\n"
1417 "cluster_slots_pfail:%d\r\n"
1418 "cluster_slots_fail:%d\r\n"
1419 "cluster_known_nodes:%lu\r\n"
1420 , statestr
[server
.cluster
.state
],
1425 dictSize(server
.cluster
.nodes
)
1427 addReplySds(c
,sdscatprintf(sdsempty(),"$%lu\r\n",
1428 (unsigned long)sdslen(info
)));
1429 addReplySds(c
,info
);
1430 addReply(c
,shared
.crlf
);
1431 } else if (!strcasecmp(c
->argv
[1]->ptr
,"keyslot") && c
->argc
== 3) {
1432 sds key
= c
->argv
[2]->ptr
;
1434 addReplyLongLong(c
,keyHashSlot(key
,sdslen(key
)));
1435 } else if (!strcasecmp(c
->argv
[1]->ptr
,"getkeysinslot") && c
->argc
== 4) {
1436 long long maxkeys
, slot
;
1437 unsigned int numkeys
, j
;
1440 if (getLongLongFromObjectOrReply(c
,c
->argv
[2],&slot
,NULL
) != REDIS_OK
)
1442 if (getLongLongFromObjectOrReply(c
,c
->argv
[3],&maxkeys
,NULL
) != REDIS_OK
)
1444 if (slot
< 0 || slot
>= REDIS_CLUSTER_SLOTS
|| maxkeys
< 0 ||
1445 maxkeys
> 1024*1024) {
1446 addReplyError(c
,"Invalid slot or number of keys");
1450 keys
= zmalloc(sizeof(robj
*)*maxkeys
);
1451 numkeys
= GetKeysInSlot(slot
, keys
, maxkeys
);
1452 addReplyMultiBulkLen(c
,numkeys
);
1453 for (j
= 0; j
< numkeys
; j
++) addReplyBulk(c
,keys
[j
]);
1456 addReplyError(c
,"Wrong CLUSTER subcommand or number of arguments");
1460 /* -----------------------------------------------------------------------------
1461 * DUMP, RESTORE and MIGRATE commands
1462 * -------------------------------------------------------------------------- */
1464 /* Generates a DUMP-format representation of the object 'o', adding it to the
1465 * io stream pointed by 'rio'. This function can't fail. */
1466 void createDumpPayload(rio
*payload
, robj
*o
) {
1467 unsigned char buf
[2];
1470 /* Serialize the object in a RDB-like format. It consist of an object type
1471 * byte followed by the serialized object. This is understood by RESTORE. */
1472 rioInitWithBuffer(payload
,sdsempty());
1473 redisAssert(rdbSaveObjectType(payload
,o
));
1474 redisAssert(rdbSaveObject(payload
,o
));
1476 /* Write the footer, this is how it looks like:
1477 * ----------------+---------------------+---------------+
1478 * ... RDB payload | 2 bytes RDB version | 8 bytes CRC64 |
1479 * ----------------+---------------------+---------------+
1480 * RDB version and CRC are both in little endian.
1484 buf
[0] = REDIS_RDB_VERSION
& 0xff;
1485 buf
[1] = (REDIS_RDB_VERSION
>> 8) & 0xff;
1486 payload
->io
.buffer
.ptr
= sdscatlen(payload
->io
.buffer
.ptr
,buf
,2);
1489 crc
= crc64(0,(unsigned char*)payload
->io
.buffer
.ptr
,
1490 sdslen(payload
->io
.buffer
.ptr
));
1492 payload
->io
.buffer
.ptr
= sdscatlen(payload
->io
.buffer
.ptr
,&crc
,8);
1495 /* Verify that the RDB version of the dump payload matches the one of this Redis
1496 * instance and that the checksum is ok.
1497 * If the DUMP payload looks valid REDIS_OK is returned, otherwise REDIS_ERR
1499 int verifyDumpPayload(unsigned char *p
, size_t len
) {
1500 unsigned char *footer
;
1504 /* At least 2 bytes of RDB version and 8 of CRC64 should be present. */
1505 if (len
< 10) return REDIS_ERR
;
1506 footer
= p
+(len
-10);
1508 /* Verify RDB version */
1509 rdbver
= (footer
[1] << 8) | footer
[0];
1510 if (rdbver
!= REDIS_RDB_VERSION
) return REDIS_ERR
;
1513 crc
= crc64(0,p
,len
-8);
1515 return (memcmp(&crc
,footer
+2,8) == 0) ? REDIS_OK
: REDIS_ERR
;
1519 * DUMP is actually not used by Redis Cluster but it is the obvious
1520 * complement of RESTORE and can be useful for different applications. */
1521 void dumpCommand(redisClient
*c
) {
1525 /* Check if the key is here. */
1526 if ((o
= lookupKeyRead(c
->db
,c
->argv
[1])) == NULL
) {
1527 addReply(c
,shared
.nullbulk
);
1531 /* Create the DUMP encoded representation. */
1532 createDumpPayload(&payload
,o
);
1534 /* Transfer to the client */
1535 dumpobj
= createObject(REDIS_STRING
,payload
.io
.buffer
.ptr
);
1536 addReplyBulk(c
,dumpobj
);
1537 decrRefCount(dumpobj
);
1541 /* RESTORE key ttl serialized-value */
1542 void restoreCommand(redisClient
*c
) {
1548 /* Make sure this key does not already exist here... */
1549 if (lookupKeyWrite(c
->db
,c
->argv
[1]) != NULL
) {
1550 addReplyError(c
,"Target key name is busy.");
1554 /* Check if the TTL value makes sense */
1555 if (getLongFromObjectOrReply(c
,c
->argv
[2],&ttl
,NULL
) != REDIS_OK
) {
1557 } else if (ttl
< 0) {
1558 addReplyError(c
,"Invalid TTL value, must be >= 0");
1562 /* Verify RDB version and data checksum. */
1563 if (verifyDumpPayload(c
->argv
[3]->ptr
,sdslen(c
->argv
[3]->ptr
)) == REDIS_ERR
) {
1564 addReplyError(c
,"DUMP payload version or checksum are wrong");
1568 rioInitWithBuffer(&payload
,c
->argv
[3]->ptr
);
1569 if (((type
= rdbLoadObjectType(&payload
)) == -1) ||
1570 ((obj
= rdbLoadObject(type
,&payload
)) == NULL
))
1572 addReplyError(c
,"Bad data format");
1576 /* Create the key and set the TTL if any */
1577 dbAdd(c
->db
,c
->argv
[1],obj
);
1578 if (ttl
) setExpire(c
->db
,c
->argv
[1],mstime()+ttl
);
1579 signalModifiedKey(c
->db
,c
->argv
[1]);
1580 addReply(c
,shared
.ok
);
1584 /* MIGRATE host port key dbid timeout */
1585 void migrateCommand(redisClient
*c
) {
1589 long long ttl
= 0, expireat
;
1594 if (getLongFromObjectOrReply(c
,c
->argv
[5],&timeout
,NULL
) != REDIS_OK
)
1596 if (getLongFromObjectOrReply(c
,c
->argv
[4],&dbid
,NULL
) != REDIS_OK
)
1598 if (timeout
<= 0) timeout
= 1;
1600 /* Check if the key is here. If not we reply with success as there is
1601 * nothing to migrate (for instance the key expired in the meantime), but
1602 * we include such information in the reply string. */
1603 if ((o
= lookupKeyRead(c
->db
,c
->argv
[3])) == NULL
) {
1604 addReplySds(c
,sdsnew("+NOKEY\r\n"));
1609 fd
= anetTcpNonBlockConnect(server
.neterr
,c
->argv
[1]->ptr
,
1610 atoi(c
->argv
[2]->ptr
));
1612 addReplyErrorFormat(c
,"Can't connect to target node: %s",
1616 if ((aeWait(fd
,AE_WRITABLE
,timeout
*1000) & AE_WRITABLE
) == 0) {
1617 addReplySds(c
,sdsnew("-IOERR error or timeout connecting to the client\r\n"));
1621 /* Create RESTORE payload and generate the protocol to call the command. */
1622 rioInitWithBuffer(&cmd
,sdsempty());
1623 redisAssertWithInfo(c
,NULL
,rioWriteBulkCount(&cmd
,'*',2));
1624 redisAssertWithInfo(c
,NULL
,rioWriteBulkString(&cmd
,"SELECT",6));
1625 redisAssertWithInfo(c
,NULL
,rioWriteBulkLongLong(&cmd
,dbid
));
1627 expireat
= getExpire(c
->db
,c
->argv
[3]);
1628 if (expireat
!= -1) {
1629 ttl
= expireat
-mstime();
1630 if (ttl
< 1) ttl
= 1;
1632 redisAssertWithInfo(c
,NULL
,rioWriteBulkCount(&cmd
,'*',4));
1633 redisAssertWithInfo(c
,NULL
,rioWriteBulkString(&cmd
,"RESTORE",7));
1634 redisAssertWithInfo(c
,NULL
,c
->argv
[3]->encoding
== REDIS_ENCODING_RAW
);
1635 redisAssertWithInfo(c
,NULL
,rioWriteBulkString(&cmd
,c
->argv
[3]->ptr
,sdslen(c
->argv
[3]->ptr
)));
1636 redisAssertWithInfo(c
,NULL
,rioWriteBulkLongLong(&cmd
,ttl
));
1638 /* Finally the last argument that is the serailized object payload
1639 * in the DUMP format. */
1640 createDumpPayload(&payload
,o
);
1641 redisAssertWithInfo(c
,NULL
,rioWriteBulkString(&cmd
,payload
.io
.buffer
.ptr
,
1642 sdslen(payload
.io
.buffer
.ptr
)));
1643 sdsfree(payload
.io
.buffer
.ptr
);
1645 /* Tranfer the query to the other node in 64K chunks. */
1647 sds buf
= cmd
.io
.buffer
.ptr
;
1648 size_t pos
= 0, towrite
;
1651 while ((towrite
= sdslen(buf
)-pos
) > 0) {
1652 towrite
= (towrite
> (64*1024) ? (64*1024) : towrite
);
1653 nwritten
= syncWrite(fd
,buf
+pos
,towrite
,timeout
);
1654 if (nwritten
!= (signed)towrite
) goto socket_wr_err
;
1659 /* Read back the reply. */
1664 /* Read the two replies */
1665 if (syncReadLine(fd
, buf1
, sizeof(buf1
), timeout
) <= 0)
1667 if (syncReadLine(fd
, buf2
, sizeof(buf2
), timeout
) <= 0)
1669 if (buf1
[0] == '-' || buf2
[0] == '-') {
1670 addReplyErrorFormat(c
,"Target instance replied with error: %s",
1671 (buf1
[0] == '-') ? buf1
+1 : buf2
+1);
1675 dbDelete(c
->db
,c
->argv
[3]);
1676 signalModifiedKey(c
->db
,c
->argv
[3]);
1677 addReply(c
,shared
.ok
);
1680 /* Translate MIGRATE as DEL for replication/AOF. */
1681 aux
= createStringObject("DEL",3);
1682 rewriteClientCommandVector(c
,2,aux
,c
->argv
[3]);
1687 sdsfree(cmd
.io
.buffer
.ptr
);
1692 addReplySds(c
,sdsnew("-IOERR error or timeout writing to target instance\r\n"));
1693 sdsfree(cmd
.io
.buffer
.ptr
);
1698 addReplySds(c
,sdsnew("-IOERR error or timeout reading from target node\r\n"));
1699 sdsfree(cmd
.io
.buffer
.ptr
);
1704 /* The ASKING command is required after a -ASK redirection.
1705 * The client should issue ASKING before to actualy send the command to
1706 * the target instance. See the Redis Cluster specification for more
1708 void askingCommand(redisClient
*c
) {
1709 if (server
.cluster_enabled
== 0) {
1710 addReplyError(c
,"This instance has cluster support disabled");
1713 c
->flags
|= REDIS_ASKING
;
1714 addReply(c
,shared
.ok
);
1717 /* -----------------------------------------------------------------------------
1718 * Cluster functions related to serving / redirecting clients
1719 * -------------------------------------------------------------------------- */
1721 /* Return the pointer to the cluster node that is able to serve the query
1722 * as all the keys belong to hash slots for which the node is in charge.
1724 * If the returned node should be used only for this request, the *ask
1725 * integer is set to '1', otherwise to '0'. This is used in order to
1726 * let the caller know if we should reply with -MOVED or with -ASK.
1728 * If the request contains more than a single key NULL is returned,
1729 * however a request with more then a key argument where the key is always
1730 * the same is valid, like in: RPOPLPUSH mylist mylist.*/
1731 clusterNode
*getNodeByQuery(redisClient
*c
, struct redisCommand
*cmd
, robj
**argv
, int argc
, int *hashslot
, int *ask
) {
1732 clusterNode
*n
= NULL
;
1733 robj
*firstkey
= NULL
;
1734 multiState
*ms
, _ms
;
1738 /* We handle all the cases as if they were EXEC commands, so we have
1739 * a common code path for everything */
1740 if (cmd
->proc
== execCommand
) {
1741 /* If REDIS_MULTI flag is not set EXEC is just going to return an
1743 if (!(c
->flags
& REDIS_MULTI
)) return server
.cluster
.myself
;
1746 /* In order to have a single codepath create a fake Multi State
1747 * structure if the client is not in MULTI/EXEC state, this way
1748 * we have a single codepath below. */
1757 /* Check that all the keys are the same key, and get the slot and
1758 * node for this key. */
1759 for (i
= 0; i
< ms
->count
; i
++) {
1760 struct redisCommand
*mcmd
;
1762 int margc
, *keyindex
, numkeys
, j
;
1764 mcmd
= ms
->commands
[i
].cmd
;
1765 margc
= ms
->commands
[i
].argc
;
1766 margv
= ms
->commands
[i
].argv
;
1768 keyindex
= getKeysFromCommand(mcmd
,margv
,margc
,&numkeys
,
1770 for (j
= 0; j
< numkeys
; j
++) {
1771 if (firstkey
== NULL
) {
1772 /* This is the first key we see. Check what is the slot
1774 firstkey
= margv
[keyindex
[j
]];
1776 slot
= keyHashSlot((char*)firstkey
->ptr
, sdslen(firstkey
->ptr
));
1777 n
= server
.cluster
.slots
[slot
];
1778 redisAssertWithInfo(c
,firstkey
,n
!= NULL
);
1780 /* If it is not the first key, make sure it is exactly
1781 * the same key as the first we saw. */
1782 if (!equalStringObjects(firstkey
,margv
[keyindex
[j
]])) {
1783 decrRefCount(firstkey
);
1784 getKeysFreeResult(keyindex
);
1789 getKeysFreeResult(keyindex
);
1791 if (ask
) *ask
= 0; /* This is the default. Set to 1 if needed later. */
1792 /* No key at all in command? then we can serve the request
1793 * without redirections. */
1794 if (n
== NULL
) return server
.cluster
.myself
;
1795 if (hashslot
) *hashslot
= slot
;
1796 /* This request is about a slot we are migrating into another instance?
1797 * Then we need to check if we have the key. If we have it we can reply.
1798 * If instead is a new key, we pass the request to the node that is
1799 * receiving the slot. */
1800 if (n
== server
.cluster
.myself
&&
1801 server
.cluster
.migrating_slots_to
[slot
] != NULL
)
1803 if (lookupKeyRead(&server
.db
[0],firstkey
) == NULL
) {
1805 return server
.cluster
.migrating_slots_to
[slot
];
1808 /* Handle the case in which we are receiving this hash slot from
1809 * another instance, so we'll accept the query even if in the table
1810 * it is assigned to a different node, but only if the client
1811 * issued an ASKING command before. */
1812 if (server
.cluster
.importing_slots_from
[slot
] != NULL
&&
1813 c
->flags
& REDIS_ASKING
) {
1814 return server
.cluster
.myself
;
1816 /* It's not a -ASK case. Base case: just return the right node. */