4 static void setProtocolError(redisClient
*c
, int pos
);
6 /* To evaluate the output buffer size of a client we need to get size of
7 * allocated objects, however we can't used zmalloc_size() directly on sds
8 * strings because of the trick they use to work (the header is before the
9 * returned pointer), so we use this helper function. */
10 size_t zmalloc_size_sds(sds s
) {
11 return zmalloc_size(s
-sizeof(struct sdshdr
));
14 void *dupClientReplyValue(void *o
) {
15 incrRefCount((robj
*)o
);
19 int listMatchObjects(void *a
, void *b
) {
20 return equalStringObjects(a
,b
);
23 redisClient
*createClient(int fd
) {
24 redisClient
*c
= zmalloc(sizeof(redisClient
));
26 /* passing -1 as fd it is possible to create a non connected client.
27 * This is useful since all the Redis commands needs to be executed
28 * in the context of a client. When commands are executed in other
29 * contexts (for instance a Lua script) we need a non connected client. */
31 anetNonBlock(NULL
,fd
);
32 anetTcpNoDelay(NULL
,fd
);
33 if (aeCreateFileEvent(server
.el
,fd
,AE_READABLE
,
34 readQueryFromClient
, c
) == AE_ERR
)
45 c
->querybuf
= sdsempty();
50 c
->cmd
= c
->lastcmd
= NULL
;
55 c
->ctime
= c
->lastinteraction
= server
.unixtime
;
57 c
->replstate
= REDIS_REPL_NONE
;
58 c
->reply
= listCreate();
60 c
->obuf_soft_limit_reached_time
= 0;
61 listSetFreeMethod(c
->reply
,decrRefCount
);
62 listSetDupMethod(c
->reply
,dupClientReplyValue
);
66 c
->bpop
.target
= NULL
;
67 c
->io_keys
= listCreate();
68 c
->watched_keys
= listCreate();
69 listSetFreeMethod(c
->io_keys
,decrRefCount
);
70 c
->pubsub_channels
= dictCreate(&setDictType
,NULL
);
71 c
->pubsub_patterns
= listCreate();
72 listSetFreeMethod(c
->pubsub_patterns
,decrRefCount
);
73 listSetMatchMethod(c
->pubsub_patterns
,listMatchObjects
);
74 if (fd
!= -1) listAddNodeTail(server
.clients
,c
);
75 initClientMultiState(c
);
79 /* This function is called every time we are going to transmit new data
80 * to the client. The behavior is the following:
82 * If the client should receive new data (normal clients will) the function
83 * returns REDIS_OK, and make sure to install the write handler in our event
84 * loop so that when the socket is writable new data gets written.
86 * If the client should not receive new data, because it is a fake client
87 * or a slave, or because the setup of the write handler failed, the function
90 * Typically gets called every time a reply is built, before adding more
91 * data to the clients output buffers. If the function returns REDIS_ERR no
92 * data should be appended to the output buffers. */
93 int prepareClientToWrite(redisClient
*c
) {
94 if (c
->flags
& REDIS_LUA_CLIENT
) return REDIS_OK
;
95 if (c
->fd
<= 0) return REDIS_ERR
; /* Fake client */
96 if (c
->bufpos
== 0 && listLength(c
->reply
) == 0 &&
97 (c
->replstate
== REDIS_REPL_NONE
||
98 c
->replstate
== REDIS_REPL_ONLINE
) &&
99 aeCreateFileEvent(server
.el
, c
->fd
, AE_WRITABLE
,
100 sendReplyToClient
, c
) == AE_ERR
) return REDIS_ERR
;
104 /* Create a duplicate of the last object in the reply list when
105 * it is not exclusively owned by the reply list. */
106 robj
*dupLastObjectIfNeeded(list
*reply
) {
109 redisAssert(listLength(reply
) > 0);
110 ln
= listLast(reply
);
111 cur
= listNodeValue(ln
);
112 if (cur
->refcount
> 1) {
113 new = dupStringObject(cur
);
115 listNodeValue(ln
) = new;
117 return listNodeValue(ln
);
120 /* -----------------------------------------------------------------------------
121 * Low level functions to add more data to output buffers.
122 * -------------------------------------------------------------------------- */
124 int _addReplyToBuffer(redisClient
*c
, char *s
, size_t len
) {
125 size_t available
= sizeof(c
->buf
)-c
->bufpos
;
127 if (c
->flags
& REDIS_CLOSE_AFTER_REPLY
) return REDIS_OK
;
129 /* If there already are entries in the reply list, we cannot
130 * add anything more to the static buffer. */
131 if (listLength(c
->reply
) > 0) return REDIS_ERR
;
133 /* Check that the buffer has enough space available for this string. */
134 if (len
> available
) return REDIS_ERR
;
136 memcpy(c
->buf
+c
->bufpos
,s
,len
);
141 void _addReplyObjectToList(redisClient
*c
, robj
*o
) {
144 if (c
->flags
& REDIS_CLOSE_AFTER_REPLY
) return;
146 if (listLength(c
->reply
) == 0) {
148 listAddNodeTail(c
->reply
,o
);
149 c
->reply_bytes
+= zmalloc_size_sds(o
->ptr
);
151 tail
= listNodeValue(listLast(c
->reply
));
153 /* Append to this object when possible. */
154 if (tail
->ptr
!= NULL
&&
155 sdslen(tail
->ptr
)+sdslen(o
->ptr
) <= REDIS_REPLY_CHUNK_BYTES
)
157 c
->reply_bytes
-= zmalloc_size_sds(tail
->ptr
);
158 tail
= dupLastObjectIfNeeded(c
->reply
);
159 tail
->ptr
= sdscatlen(tail
->ptr
,o
->ptr
,sdslen(o
->ptr
));
160 c
->reply_bytes
+= zmalloc_size_sds(tail
->ptr
);
163 listAddNodeTail(c
->reply
,o
);
164 c
->reply_bytes
+= zmalloc_size_sds(o
->ptr
);
167 asyncCloseClientOnOutputBufferLimitReached(c
);
170 /* This method takes responsibility over the sds. When it is no longer
171 * needed it will be free'd, otherwise it ends up in a robj. */
172 void _addReplySdsToList(redisClient
*c
, sds s
) {
175 if (c
->flags
& REDIS_CLOSE_AFTER_REPLY
) {
180 if (listLength(c
->reply
) == 0) {
181 listAddNodeTail(c
->reply
,createObject(REDIS_STRING
,s
));
182 c
->reply_bytes
+= zmalloc_size_sds(s
);
184 tail
= listNodeValue(listLast(c
->reply
));
186 /* Append to this object when possible. */
187 if (tail
->ptr
!= NULL
&&
188 sdslen(tail
->ptr
)+sdslen(s
) <= REDIS_REPLY_CHUNK_BYTES
)
190 c
->reply_bytes
-= zmalloc_size_sds(tail
->ptr
);
191 tail
= dupLastObjectIfNeeded(c
->reply
);
192 tail
->ptr
= sdscatlen(tail
->ptr
,s
,sdslen(s
));
193 c
->reply_bytes
+= zmalloc_size_sds(tail
->ptr
);
196 listAddNodeTail(c
->reply
,createObject(REDIS_STRING
,s
));
197 c
->reply_bytes
+= zmalloc_size_sds(s
);
200 asyncCloseClientOnOutputBufferLimitReached(c
);
203 void _addReplyStringToList(redisClient
*c
, char *s
, size_t len
) {
206 if (c
->flags
& REDIS_CLOSE_AFTER_REPLY
) return;
208 if (listLength(c
->reply
) == 0) {
209 robj
*o
= createStringObject(s
,len
);
211 listAddNodeTail(c
->reply
,o
);
212 c
->reply_bytes
+= zmalloc_size_sds(o
->ptr
);
214 tail
= listNodeValue(listLast(c
->reply
));
216 /* Append to this object when possible. */
217 if (tail
->ptr
!= NULL
&&
218 sdslen(tail
->ptr
)+len
<= REDIS_REPLY_CHUNK_BYTES
)
220 c
->reply_bytes
-= zmalloc_size_sds(tail
->ptr
);
221 tail
= dupLastObjectIfNeeded(c
->reply
);
222 tail
->ptr
= sdscatlen(tail
->ptr
,s
,len
);
223 c
->reply_bytes
+= zmalloc_size_sds(tail
->ptr
);
225 robj
*o
= createStringObject(s
,len
);
227 listAddNodeTail(c
->reply
,o
);
228 c
->reply_bytes
+= zmalloc_size_sds(o
->ptr
);
231 asyncCloseClientOnOutputBufferLimitReached(c
);
234 /* -----------------------------------------------------------------------------
235 * Higher level functions to queue data on the client output buffer.
236 * The following functions are the ones that commands implementations will call.
237 * -------------------------------------------------------------------------- */
239 void addReply(redisClient
*c
, robj
*obj
) {
240 if (prepareClientToWrite(c
) != REDIS_OK
) return;
242 /* This is an important place where we can avoid copy-on-write
243 * when there is a saving child running, avoiding touching the
244 * refcount field of the object if it's not needed.
246 * If the encoding is RAW and there is room in the static buffer
247 * we'll be able to send the object to the client without
248 * messing with its page. */
249 if (obj
->encoding
== REDIS_ENCODING_RAW
) {
250 if (_addReplyToBuffer(c
,obj
->ptr
,sdslen(obj
->ptr
)) != REDIS_OK
)
251 _addReplyObjectToList(c
,obj
);
252 } else if (obj
->encoding
== REDIS_ENCODING_INT
) {
253 /* Optimization: if there is room in the static buffer for 32 bytes
254 * (more than the max chars a 64 bit integer can take as string) we
255 * avoid decoding the object and go for the lower level approach. */
256 if (listLength(c
->reply
) == 0 && (sizeof(c
->buf
) - c
->bufpos
) >= 32) {
260 len
= ll2string(buf
,sizeof(buf
),(long)obj
->ptr
);
261 if (_addReplyToBuffer(c
,buf
,len
) == REDIS_OK
)
263 /* else... continue with the normal code path, but should never
264 * happen actually since we verified there is room. */
266 obj
= getDecodedObject(obj
);
267 if (_addReplyToBuffer(c
,obj
->ptr
,sdslen(obj
->ptr
)) != REDIS_OK
)
268 _addReplyObjectToList(c
,obj
);
271 redisPanic("Wrong obj->encoding in addReply()");
275 void addReplySds(redisClient
*c
, sds s
) {
276 if (prepareClientToWrite(c
) != REDIS_OK
) {
277 /* The caller expects the sds to be free'd. */
281 if (_addReplyToBuffer(c
,s
,sdslen(s
)) == REDIS_OK
) {
284 /* This method free's the sds when it is no longer needed. */
285 _addReplySdsToList(c
,s
);
289 void addReplyString(redisClient
*c
, char *s
, size_t len
) {
290 if (prepareClientToWrite(c
) != REDIS_OK
) return;
291 if (_addReplyToBuffer(c
,s
,len
) != REDIS_OK
)
292 _addReplyStringToList(c
,s
,len
);
295 void addReplyErrorLength(redisClient
*c
, char *s
, size_t len
) {
296 addReplyString(c
,"-ERR ",5);
297 addReplyString(c
,s
,len
);
298 addReplyString(c
,"\r\n",2);
301 void addReplyError(redisClient
*c
, char *err
) {
302 addReplyErrorLength(c
,err
,strlen(err
));
305 void addReplyErrorFormat(redisClient
*c
, const char *fmt
, ...) {
309 sds s
= sdscatvprintf(sdsempty(),fmt
,ap
);
311 /* Make sure there are no newlines in the string, otherwise invalid protocol
314 for (j
= 0; j
< l
; j
++) {
315 if (s
[j
] == '\r' || s
[j
] == '\n') s
[j
] = ' ';
317 addReplyErrorLength(c
,s
,sdslen(s
));
321 void addReplyStatusLength(redisClient
*c
, char *s
, size_t len
) {
322 addReplyString(c
,"+",1);
323 addReplyString(c
,s
,len
);
324 addReplyString(c
,"\r\n",2);
327 void addReplyStatus(redisClient
*c
, char *status
) {
328 addReplyStatusLength(c
,status
,strlen(status
));
331 void addReplyStatusFormat(redisClient
*c
, const char *fmt
, ...) {
334 sds s
= sdscatvprintf(sdsempty(),fmt
,ap
);
336 addReplyStatusLength(c
,s
,sdslen(s
));
340 /* Adds an empty object to the reply list that will contain the multi bulk
341 * length, which is not known when this function is called. */
342 void *addDeferredMultiBulkLength(redisClient
*c
) {
343 /* Note that we install the write event here even if the object is not
344 * ready to be sent, since we are sure that before returning to the
345 * event loop setDeferredMultiBulkLength() will be called. */
346 if (prepareClientToWrite(c
) != REDIS_OK
) return NULL
;
347 listAddNodeTail(c
->reply
,createObject(REDIS_STRING
,NULL
));
348 return listLast(c
->reply
);
351 /* Populate the length object and try glueing it to the next chunk. */
352 void setDeferredMultiBulkLength(redisClient
*c
, void *node
, long length
) {
353 listNode
*ln
= (listNode
*)node
;
356 /* Abort when *node is NULL (see addDeferredMultiBulkLength). */
357 if (node
== NULL
) return;
359 len
= listNodeValue(ln
);
360 len
->ptr
= sdscatprintf(sdsempty(),"*%ld\r\n",length
);
361 c
->reply_bytes
+= zmalloc_size_sds(len
->ptr
);
362 if (ln
->next
!= NULL
) {
363 next
= listNodeValue(ln
->next
);
365 /* Only glue when the next node is non-NULL (an sds in this case) */
366 if (next
->ptr
!= NULL
) {
367 c
->reply_bytes
-= zmalloc_size_sds(len
->ptr
);
368 c
->reply_bytes
-= zmalloc_size_sds(next
->ptr
);
369 len
->ptr
= sdscatlen(len
->ptr
,next
->ptr
,sdslen(next
->ptr
));
370 c
->reply_bytes
+= zmalloc_size_sds(len
->ptr
);
371 listDelNode(c
->reply
,ln
->next
);
374 asyncCloseClientOnOutputBufferLimitReached(c
);
377 /* Add a duble as a bulk reply */
378 void addReplyDouble(redisClient
*c
, double d
) {
379 char dbuf
[128], sbuf
[128];
381 dlen
= snprintf(dbuf
,sizeof(dbuf
),"%.17g",d
);
382 slen
= snprintf(sbuf
,sizeof(sbuf
),"$%d\r\n%s\r\n",dlen
,dbuf
);
383 addReplyString(c
,sbuf
,slen
);
386 /* Add a long long as integer reply or bulk len / multi bulk count.
387 * Basically this is used to output <prefix><long long><crlf>. */
388 void addReplyLongLongWithPrefix(redisClient
*c
, long long ll
, char prefix
) {
392 /* Things like $3\r\n or *2\r\n are emitted very often by the protocol
393 * so we have a few shared objects to use if the integer is small
394 * like it is most of the times. */
395 if (prefix
== '*' && ll
< REDIS_SHARED_BULKHDR_LEN
) {
396 addReply(c
,shared
.mbulkhdr
[ll
]);
398 } else if (prefix
== '$' && ll
< REDIS_SHARED_BULKHDR_LEN
) {
399 addReply(c
,shared
.bulkhdr
[ll
]);
404 len
= ll2string(buf
+1,sizeof(buf
)-1,ll
);
407 addReplyString(c
,buf
,len
+3);
410 void addReplyLongLong(redisClient
*c
, long long ll
) {
412 addReply(c
,shared
.czero
);
414 addReply(c
,shared
.cone
);
416 addReplyLongLongWithPrefix(c
,ll
,':');
419 void addReplyMultiBulkLen(redisClient
*c
, long length
) {
420 addReplyLongLongWithPrefix(c
,length
,'*');
423 /* Create the length prefix of a bulk reply, example: $2234 */
424 void addReplyBulkLen(redisClient
*c
, robj
*obj
) {
427 if (obj
->encoding
== REDIS_ENCODING_RAW
) {
428 len
= sdslen(obj
->ptr
);
430 long n
= (long)obj
->ptr
;
432 /* Compute how many bytes will take this integer as a radix 10 string */
438 while((n
= n
/10) != 0) {
442 addReplyLongLongWithPrefix(c
,len
,'$');
445 /* Add a Redis Object as a bulk reply */
446 void addReplyBulk(redisClient
*c
, robj
*obj
) {
447 addReplyBulkLen(c
,obj
);
449 addReply(c
,shared
.crlf
);
452 /* Add a C buffer as bulk reply */
453 void addReplyBulkCBuffer(redisClient
*c
, void *p
, size_t len
) {
454 addReplyLongLongWithPrefix(c
,len
,'$');
455 addReplyString(c
,p
,len
);
456 addReply(c
,shared
.crlf
);
459 /* Add a C nul term string as bulk reply */
460 void addReplyBulkCString(redisClient
*c
, char *s
) {
462 addReply(c
,shared
.nullbulk
);
464 addReplyBulkCBuffer(c
,s
,strlen(s
));
468 /* Add a long long as a bulk reply */
469 void addReplyBulkLongLong(redisClient
*c
, long long ll
) {
473 len
= ll2string(buf
,64,ll
);
474 addReplyBulkCBuffer(c
,buf
,len
);
477 /* Copy 'src' client output buffers into 'dst' client output buffers.
478 * The function takes care of freeing the old output buffers of the
479 * destination client. */
480 void copyClientOutputBuffer(redisClient
*dst
, redisClient
*src
) {
481 listRelease(dst
->reply
);
482 dst
->reply
= listDup(src
->reply
);
483 memcpy(dst
->buf
,src
->buf
,src
->bufpos
);
484 dst
->bufpos
= src
->bufpos
;
485 dst
->reply_bytes
= src
->reply_bytes
;
488 static void acceptCommonHandler(int fd
) {
490 if ((c
= createClient(fd
)) == NULL
) {
491 redisLog(REDIS_WARNING
,"Error allocating resoures for the client");
492 close(fd
); /* May be already closed, just ingore errors */
495 /* If maxclient directive is set and this is one client more... close the
496 * connection. Note that we create the client instead to check before
497 * for this condition, since now the socket is already set in nonblocking
498 * mode and we can send an error for free using the Kernel I/O */
499 if (listLength(server
.clients
) > server
.maxclients
) {
500 char *err
= "-ERR max number of clients reached\r\n";
502 /* That's a best effort error message, don't check write errors */
503 if (write(c
->fd
,err
,strlen(err
)) == -1) {
504 /* Nothing to do, Just to avoid the warning... */
506 server
.stat_rejected_conn
++;
510 server
.stat_numconnections
++;
513 void acceptTcpHandler(aeEventLoop
*el
, int fd
, void *privdata
, int mask
) {
518 REDIS_NOTUSED(privdata
);
520 cfd
= anetTcpAccept(server
.neterr
, fd
, cip
, &cport
);
522 redisLog(REDIS_WARNING
,"Accepting client connection: %s", server
.neterr
);
525 redisLog(REDIS_VERBOSE
,"Accepted %s:%d", cip
, cport
);
526 acceptCommonHandler(cfd
);
529 void acceptUnixHandler(aeEventLoop
*el
, int fd
, void *privdata
, int mask
) {
533 REDIS_NOTUSED(privdata
);
535 cfd
= anetUnixAccept(server
.neterr
, fd
);
537 redisLog(REDIS_WARNING
,"Accepting client connection: %s", server
.neterr
);
540 redisLog(REDIS_VERBOSE
,"Accepted connection to %s", server
.unixsocket
);
541 acceptCommonHandler(cfd
);
545 static void freeClientArgv(redisClient
*c
) {
547 for (j
= 0; j
< c
->argc
; j
++)
548 decrRefCount(c
->argv
[j
]);
553 /* Close all the slaves connections. This is useful in chained replication
554 * when we resync with our own master and want to force all our slaves to
555 * resync with us as well. */
556 void disconnectSlaves(void) {
557 while (listLength(server
.slaves
)) {
558 listNode
*ln
= listFirst(server
.slaves
);
559 freeClient((redisClient
*)ln
->value
);
563 void freeClient(redisClient
*c
) {
566 /* If this is marked as current client unset it */
567 if (server
.current_client
== c
) server
.current_client
= NULL
;
569 /* Note that if the client we are freeing is blocked into a blocking
570 * call, we have to set querybuf to NULL *before* to call
571 * unblockClientWaitingData() to avoid processInputBuffer() will get
572 * called. Also it is important to remove the file events after
573 * this, because this call adds the READABLE event. */
574 sdsfree(c
->querybuf
);
576 if (c
->flags
& REDIS_BLOCKED
)
577 unblockClientWaitingData(c
);
579 /* UNWATCH all the keys */
581 listRelease(c
->watched_keys
);
582 /* Unsubscribe from all the pubsub channels */
583 pubsubUnsubscribeAllChannels(c
,0);
584 pubsubUnsubscribeAllPatterns(c
,0);
585 dictRelease(c
->pubsub_channels
);
586 listRelease(c
->pubsub_patterns
);
587 /* Obvious cleanup */
588 aeDeleteFileEvent(server
.el
,c
->fd
,AE_READABLE
);
589 aeDeleteFileEvent(server
.el
,c
->fd
,AE_WRITABLE
);
590 listRelease(c
->reply
);
593 /* Remove from the list of clients */
594 ln
= listSearchKey(server
.clients
,c
);
595 redisAssert(ln
!= NULL
);
596 listDelNode(server
.clients
,ln
);
597 /* When client was just unblocked because of a blocking operation,
598 * remove it from the list with unblocked clients. */
599 if (c
->flags
& REDIS_UNBLOCKED
) {
600 ln
= listSearchKey(server
.unblocked_clients
,c
);
601 redisAssert(ln
!= NULL
);
602 listDelNode(server
.unblocked_clients
,ln
);
604 listRelease(c
->io_keys
);
605 /* Master/slave cleanup.
606 * Case 1: we lost the connection with a slave. */
607 if (c
->flags
& REDIS_SLAVE
) {
608 if (c
->replstate
== REDIS_REPL_SEND_BULK
&& c
->repldbfd
!= -1)
610 list
*l
= (c
->flags
& REDIS_MONITOR
) ? server
.monitors
: server
.slaves
;
611 ln
= listSearchKey(l
,c
);
612 redisAssert(ln
!= NULL
);
616 /* Case 2: we lost the connection with the master. */
617 if (c
->flags
& REDIS_MASTER
) {
618 server
.master
= NULL
;
619 server
.repl_state
= REDIS_REPL_CONNECT
;
620 server
.repl_down_since
= server
.unixtime
;
621 /* We lost connection with our master, force our slaves to resync
622 * with us as well to load the new data set.
624 * If server.masterhost is NULL the user called SLAVEOF NO ONE so
625 * slave resync is not needed. */
626 if (server
.masterhost
!= NULL
) disconnectSlaves();
629 /* If this client was scheduled for async freeing we need to remove it
631 if (c
->flags
& REDIS_CLOSE_ASAP
) {
632 ln
= listSearchKey(server
.clients_to_close
,c
);
633 redisAssert(ln
!= NULL
);
634 listDelNode(server
.clients_to_close
,ln
);
639 freeClientMultiState(c
);
643 /* Schedule a client to free it at a safe time in the serverCron() function.
644 * This function is useful when we need to terminate a client but we are in
645 * a context where calling freeClient() is not possible, because the client
646 * should be valid for the continuation of the flow of the program. */
647 void freeClientAsync(redisClient
*c
) {
648 if (c
->flags
& REDIS_CLOSE_ASAP
) return;
649 c
->flags
|= REDIS_CLOSE_ASAP
;
650 listAddNodeTail(server
.clients_to_close
,c
);
653 void freeClientsInAsyncFreeQueue(void) {
654 while (listLength(server
.clients_to_close
)) {
655 listNode
*ln
= listFirst(server
.clients_to_close
);
656 redisClient
*c
= listNodeValue(ln
);
658 c
->flags
&= ~REDIS_CLOSE_ASAP
;
660 listDelNode(server
.clients_to_close
,ln
);
664 void sendReplyToClient(aeEventLoop
*el
, int fd
, void *privdata
, int mask
) {
665 redisClient
*c
= privdata
;
666 int nwritten
= 0, totwritten
= 0, objlen
;
672 while(c
->bufpos
> 0 || listLength(c
->reply
)) {
674 if (c
->flags
& REDIS_MASTER
) {
675 /* Don't reply to a master */
676 nwritten
= c
->bufpos
- c
->sentlen
;
678 nwritten
= write(fd
,c
->buf
+c
->sentlen
,c
->bufpos
-c
->sentlen
);
679 if (nwritten
<= 0) break;
681 c
->sentlen
+= nwritten
;
682 totwritten
+= nwritten
;
684 /* If the buffer was sent, set bufpos to zero to continue with
685 * the remainder of the reply. */
686 if (c
->sentlen
== c
->bufpos
) {
691 o
= listNodeValue(listFirst(c
->reply
));
692 objlen
= sdslen(o
->ptr
);
693 objmem
= zmalloc_size_sds(o
->ptr
);
696 listDelNode(c
->reply
,listFirst(c
->reply
));
700 if (c
->flags
& REDIS_MASTER
) {
701 /* Don't reply to a master */
702 nwritten
= objlen
- c
->sentlen
;
704 nwritten
= write(fd
, ((char*)o
->ptr
)+c
->sentlen
,objlen
-c
->sentlen
);
705 if (nwritten
<= 0) break;
707 c
->sentlen
+= nwritten
;
708 totwritten
+= nwritten
;
710 /* If we fully sent the object on head go to the next one */
711 if (c
->sentlen
== objlen
) {
712 listDelNode(c
->reply
,listFirst(c
->reply
));
714 c
->reply_bytes
-= objmem
;
717 /* Note that we avoid to send more than REDIS_MAX_WRITE_PER_EVENT
718 * bytes, in a single threaded server it's a good idea to serve
719 * other clients as well, even if a very large request comes from
720 * super fast link that is always able to accept data (in real world
721 * scenario think about 'KEYS *' against the loopback interface).
723 * However if we are over the maxmemory limit we ignore that and
724 * just deliver as much data as it is possible to deliver. */
725 if (totwritten
> REDIS_MAX_WRITE_PER_EVENT
&&
726 (server
.maxmemory
== 0 ||
727 zmalloc_used_memory() < server
.maxmemory
)) break;
729 if (nwritten
== -1) {
730 if (errno
== EAGAIN
) {
733 redisLog(REDIS_VERBOSE
,
734 "Error writing to client: %s", strerror(errno
));
739 if (totwritten
> 0) c
->lastinteraction
= server
.unixtime
;
740 if (c
->bufpos
== 0 && listLength(c
->reply
) == 0) {
742 aeDeleteFileEvent(server
.el
,c
->fd
,AE_WRITABLE
);
744 /* Close connection after entire reply has been sent. */
745 if (c
->flags
& REDIS_CLOSE_AFTER_REPLY
) freeClient(c
);
749 /* resetClient prepare the client to process the next command */
750 void resetClient(redisClient
*c
) {
755 /* We clear the ASKING flag as well if we are not inside a MULTI. */
756 if (!(c
->flags
& REDIS_MULTI
)) c
->flags
&= (~REDIS_ASKING
);
759 int processInlineBuffer(redisClient
*c
) {
760 char *newline
= strstr(c
->querybuf
,"\r\n");
765 /* Nothing to do without a \r\n */
766 if (newline
== NULL
) {
767 if (sdslen(c
->querybuf
) > REDIS_INLINE_MAX_SIZE
) {
768 addReplyError(c
,"Protocol error: too big inline request");
769 setProtocolError(c
,0);
774 /* Split the input buffer up to the \r\n */
775 querylen
= newline
-(c
->querybuf
);
776 argv
= sdssplitlen(c
->querybuf
,querylen
," ",1,&argc
);
778 /* Leave data after the first line of the query in the buffer */
779 c
->querybuf
= sdsrange(c
->querybuf
,querylen
+2,-1);
781 /* Setup argv array on client structure */
782 if (c
->argv
) zfree(c
->argv
);
783 c
->argv
= zmalloc(sizeof(robj
*)*argc
);
785 /* Create redis objects for all arguments. */
786 for (c
->argc
= 0, j
= 0; j
< argc
; j
++) {
787 if (sdslen(argv
[j
])) {
788 c
->argv
[c
->argc
] = createObject(REDIS_STRING
,argv
[j
]);
798 /* Helper function. Trims query buffer to make the function that processes
799 * multi bulk requests idempotent. */
800 static void setProtocolError(redisClient
*c
, int pos
) {
801 if (server
.verbosity
>= REDIS_VERBOSE
) {
802 sds client
= getClientInfoString(c
);
803 redisLog(REDIS_VERBOSE
,
804 "Protocol error from client: %s", client
);
807 c
->flags
|= REDIS_CLOSE_AFTER_REPLY
;
808 c
->querybuf
= sdsrange(c
->querybuf
,pos
,-1);
811 int processMultibulkBuffer(redisClient
*c
) {
812 char *newline
= NULL
;
816 if (c
->multibulklen
== 0) {
817 /* The client should have been reset */
818 redisAssertWithInfo(c
,NULL
,c
->argc
== 0);
820 /* Multi bulk length cannot be read without a \r\n */
821 newline
= strchr(c
->querybuf
,'\r');
822 if (newline
== NULL
) {
823 if (sdslen(c
->querybuf
) > REDIS_INLINE_MAX_SIZE
) {
824 addReplyError(c
,"Protocol error: too big mbulk count string");
825 setProtocolError(c
,0);
830 /* Buffer should also contain \n */
831 if (newline
-(c
->querybuf
) > ((signed)sdslen(c
->querybuf
)-2))
834 /* We know for sure there is a whole line since newline != NULL,
835 * so go ahead and find out the multi bulk length. */
836 redisAssertWithInfo(c
,NULL
,c
->querybuf
[0] == '*');
837 ok
= string2ll(c
->querybuf
+1,newline
-(c
->querybuf
+1),&ll
);
838 if (!ok
|| ll
> 1024*1024) {
839 addReplyError(c
,"Protocol error: invalid multibulk length");
840 setProtocolError(c
,pos
);
844 pos
= (newline
-c
->querybuf
)+2;
846 c
->querybuf
= sdsrange(c
->querybuf
,pos
,-1);
850 c
->multibulklen
= ll
;
852 /* Setup argv array on client structure */
853 if (c
->argv
) zfree(c
->argv
);
854 c
->argv
= zmalloc(sizeof(robj
*)*c
->multibulklen
);
857 redisAssertWithInfo(c
,NULL
,c
->multibulklen
> 0);
858 while(c
->multibulklen
) {
859 /* Read bulk length if unknown */
860 if (c
->bulklen
== -1) {
861 newline
= strchr(c
->querybuf
+pos
,'\r');
862 if (newline
== NULL
) {
863 if (sdslen(c
->querybuf
) > REDIS_INLINE_MAX_SIZE
) {
864 addReplyError(c
,"Protocol error: too big bulk count string");
865 setProtocolError(c
,0);
870 /* Buffer should also contain \n */
871 if (newline
-(c
->querybuf
) > ((signed)sdslen(c
->querybuf
)-2))
874 if (c
->querybuf
[pos
] != '$') {
875 addReplyErrorFormat(c
,
876 "Protocol error: expected '$', got '%c'",
878 setProtocolError(c
,pos
);
882 ok
= string2ll(c
->querybuf
+pos
+1,newline
-(c
->querybuf
+pos
+1),&ll
);
883 if (!ok
|| ll
< 0 || ll
> 512*1024*1024) {
884 addReplyError(c
,"Protocol error: invalid bulk length");
885 setProtocolError(c
,pos
);
889 pos
+= newline
-(c
->querybuf
+pos
)+2;
890 if (ll
>= REDIS_MBULK_BIG_ARG
) {
891 /* If we are going to read a large object from network
892 * try to make it likely that it will start at c->querybuf
893 * boundary so that we can optimized object creation
894 * avoiding a large copy of data. */
895 c
->querybuf
= sdsrange(c
->querybuf
,pos
,-1);
897 /* Hint the sds library about the amount of bytes this string is
898 * going to contain. */
899 c
->querybuf
= sdsMakeRoomFor(c
->querybuf
,ll
+2);
904 /* Read bulk argument */
905 if (sdslen(c
->querybuf
)-pos
< (unsigned)(c
->bulklen
+2)) {
906 /* Not enough data (+2 == trailing \r\n) */
909 /* Optimization: if the buffer contanins JUST our bulk element
910 * instead of creating a new object by *copying* the sds we
911 * just use the current sds string. */
913 c
->bulklen
>= REDIS_MBULK_BIG_ARG
&&
914 (signed) sdslen(c
->querybuf
) == c
->bulklen
+2)
916 c
->argv
[c
->argc
++] = createObject(REDIS_STRING
,c
->querybuf
);
917 sdsIncrLen(c
->querybuf
,-2); /* remove CRLF */
918 c
->querybuf
= sdsempty();
919 /* Assume that if we saw a fat argument we'll see another one
921 c
->querybuf
= sdsMakeRoomFor(c
->querybuf
,c
->bulklen
+2);
925 createStringObject(c
->querybuf
+pos
,c
->bulklen
);
934 if (pos
) c
->querybuf
= sdsrange(c
->querybuf
,pos
,-1);
936 /* We're done when c->multibulk == 0 */
937 if (c
->multibulklen
== 0) return REDIS_OK
;
939 /* Still not read to process the command */
943 void processInputBuffer(redisClient
*c
) {
944 /* Keep processing while there is something in the input buffer */
945 while(sdslen(c
->querybuf
)) {
946 /* Immediately abort if the client is in the middle of something. */
947 if (c
->flags
& REDIS_BLOCKED
) return;
949 /* REDIS_CLOSE_AFTER_REPLY closes the connection once the reply is
950 * written to the client. Make sure to not let the reply grow after
951 * this flag has been set (i.e. don't process more commands). */
952 if (c
->flags
& REDIS_CLOSE_AFTER_REPLY
) return;
954 /* Determine request type when unknown. */
956 if (c
->querybuf
[0] == '*') {
957 c
->reqtype
= REDIS_REQ_MULTIBULK
;
959 c
->reqtype
= REDIS_REQ_INLINE
;
963 if (c
->reqtype
== REDIS_REQ_INLINE
) {
964 if (processInlineBuffer(c
) != REDIS_OK
) break;
965 } else if (c
->reqtype
== REDIS_REQ_MULTIBULK
) {
966 if (processMultibulkBuffer(c
) != REDIS_OK
) break;
968 redisPanic("Unknown request type");
971 /* Multibulk processing could see a <= 0 length. */
975 /* Only reset the client when the command was executed. */
976 if (processCommand(c
) == REDIS_OK
)
982 void readQueryFromClient(aeEventLoop
*el
, int fd
, void *privdata
, int mask
) {
983 redisClient
*c
= (redisClient
*) privdata
;
989 server
.current_client
= c
;
990 readlen
= REDIS_IOBUF_LEN
;
991 /* If this is a multi bulk request, and we are processing a bulk reply
992 * that is large enough, try to maximize the probabilty that the query
993 * buffer contains excatly the SDS string representing the object, even
994 * at the risk of requring more read(2) calls. This way the function
995 * processMultiBulkBuffer() can avoid copying buffers to create the
996 * Redis Object representing the argument. */
997 if (c
->reqtype
== REDIS_REQ_MULTIBULK
&& c
->multibulklen
&& c
->bulklen
!= -1
998 && c
->bulklen
>= REDIS_MBULK_BIG_ARG
)
1000 int remaining
= (unsigned)(c
->bulklen
+2)-sdslen(c
->querybuf
);
1002 if (remaining
< readlen
) readlen
= remaining
;
1005 qblen
= sdslen(c
->querybuf
);
1006 if (c
->querybuf_peak
< qblen
) c
->querybuf_peak
= qblen
;
1007 c
->querybuf
= sdsMakeRoomFor(c
->querybuf
, readlen
);
1008 nread
= read(fd
, c
->querybuf
+qblen
, readlen
);
1010 if (errno
== EAGAIN
) {
1013 redisLog(REDIS_VERBOSE
, "Reading from client: %s",strerror(errno
));
1017 } else if (nread
== 0) {
1018 redisLog(REDIS_VERBOSE
, "Client closed connection");
1023 sdsIncrLen(c
->querybuf
,nread
);
1024 c
->lastinteraction
= server
.unixtime
;
1026 server
.current_client
= NULL
;
1029 if (sdslen(c
->querybuf
) > server
.client_max_querybuf_len
) {
1030 sds ci
= getClientInfoString(c
), bytes
= sdsempty();
1032 bytes
= sdscatrepr(bytes
,c
->querybuf
,64);
1033 redisLog(REDIS_WARNING
,"Closing client that reached max query buffer length: %s (qbuf initial bytes: %s)", ci
, bytes
);
1039 processInputBuffer(c
);
1040 server
.current_client
= NULL
;
1043 void getClientsMaxBuffers(unsigned long *longest_output_list
,
1044 unsigned long *biggest_input_buffer
) {
1048 unsigned long lol
= 0, bib
= 0;
1050 listRewind(server
.clients
,&li
);
1051 while ((ln
= listNext(&li
)) != NULL
) {
1052 c
= listNodeValue(ln
);
1054 if (listLength(c
->reply
) > lol
) lol
= listLength(c
->reply
);
1055 if (sdslen(c
->querybuf
) > bib
) bib
= sdslen(c
->querybuf
);
1057 *longest_output_list
= lol
;
1058 *biggest_input_buffer
= bib
;
1061 /* Turn a Redis client into an sds string representing its state. */
1062 sds
getClientInfoString(redisClient
*client
) {
1063 char ip
[32], flags
[16], events
[3], *p
;
1067 anetPeerToString(client
->fd
,ip
,&port
);
1069 if (client
->flags
& REDIS_SLAVE
) {
1070 if (client
->flags
& REDIS_MONITOR
)
1075 if (client
->flags
& REDIS_MASTER
) *p
++ = 'M';
1076 if (client
->flags
& REDIS_MULTI
) *p
++ = 'x';
1077 if (client
->flags
& REDIS_BLOCKED
) *p
++ = 'b';
1078 if (client
->flags
& REDIS_DIRTY_CAS
) *p
++ = 'd';
1079 if (client
->flags
& REDIS_CLOSE_AFTER_REPLY
) *p
++ = 'c';
1080 if (client
->flags
& REDIS_UNBLOCKED
) *p
++ = 'u';
1081 if (client
->flags
& REDIS_CLOSE_ASAP
) *p
++ = 'A';
1082 if (p
== flags
) *p
++ = 'N';
1085 emask
= client
->fd
== -1 ? 0 : aeGetFileEvents(server
.el
,client
->fd
);
1087 if (emask
& AE_READABLE
) *p
++ = 'r';
1088 if (emask
& AE_WRITABLE
) *p
++ = 'w';
1090 return sdscatprintf(sdsempty(),
1091 "addr=%s:%d fd=%d age=%ld idle=%ld flags=%s db=%d sub=%d psub=%d multi=%d qbuf=%lu qbuf-free=%lu obl=%lu oll=%lu omem=%lu events=%s cmd=%s",
1093 (long)(server
.unixtime
- client
->ctime
),
1094 (long)(server
.unixtime
- client
->lastinteraction
),
1097 (int) dictSize(client
->pubsub_channels
),
1098 (int) listLength(client
->pubsub_patterns
),
1099 (client
->flags
& REDIS_MULTI
) ? client
->mstate
.count
: -1,
1100 (unsigned long) sdslen(client
->querybuf
),
1101 (unsigned long) sdsavail(client
->querybuf
),
1102 (unsigned long) client
->bufpos
,
1103 (unsigned long) listLength(client
->reply
),
1104 getClientOutputBufferMemoryUsage(client
),
1106 client
->lastcmd
? client
->lastcmd
->name
: "NULL");
1109 sds
getAllClientsInfoString(void) {
1112 redisClient
*client
;
1115 listRewind(server
.clients
,&li
);
1116 while ((ln
= listNext(&li
)) != NULL
) {
1119 client
= listNodeValue(ln
);
1120 cs
= getClientInfoString(client
);
1121 o
= sdscatsds(o
,cs
);
1123 o
= sdscatlen(o
,"\n",1);
1128 void clientCommand(redisClient
*c
) {
1131 redisClient
*client
;
1133 if (!strcasecmp(c
->argv
[1]->ptr
,"list") && c
->argc
== 2) {
1134 sds o
= getAllClientsInfoString();
1135 addReplyBulkCBuffer(c
,o
,sdslen(o
));
1137 } else if (!strcasecmp(c
->argv
[1]->ptr
,"kill") && c
->argc
== 3) {
1138 listRewind(server
.clients
,&li
);
1139 while ((ln
= listNext(&li
)) != NULL
) {
1140 char ip
[32], addr
[64];
1143 client
= listNodeValue(ln
);
1144 if (anetPeerToString(client
->fd
,ip
,&port
) == -1) continue;
1145 snprintf(addr
,sizeof(addr
),"%s:%d",ip
,port
);
1146 if (strcmp(addr
,c
->argv
[2]->ptr
) == 0) {
1147 addReply(c
,shared
.ok
);
1149 client
->flags
|= REDIS_CLOSE_AFTER_REPLY
;
1156 addReplyError(c
,"No such client");
1158 addReplyError(c
, "Syntax error, try CLIENT (LIST | KILL ip:port)");
1162 /* Rewrite the command vector of the client. All the new objects ref count
1163 * is incremented. The old command vector is freed, and the old objects
1164 * ref count is decremented. */
1165 void rewriteClientCommandVector(redisClient
*c
, int argc
, ...) {
1168 robj
**argv
; /* The new argument vector */
1170 argv
= zmalloc(sizeof(robj
*)*argc
);
1172 for (j
= 0; j
< argc
; j
++) {
1175 a
= va_arg(ap
, robj
*);
1179 /* We free the objects in the original vector at the end, so we are
1180 * sure that if the same objects are reused in the new vector the
1181 * refcount gets incremented before it gets decremented. */
1182 for (j
= 0; j
< c
->argc
; j
++) decrRefCount(c
->argv
[j
]);
1184 /* Replace argv and argc with our new versions. */
1187 c
->cmd
= lookupCommand(c
->argv
[0]->ptr
);
1188 redisAssertWithInfo(c
,NULL
,c
->cmd
!= NULL
);
1192 /* Rewrite a single item in the command vector.
1193 * The new val ref count is incremented, and the old decremented. */
1194 void rewriteClientCommandArgument(redisClient
*c
, int i
, robj
*newval
) {
1197 redisAssertWithInfo(c
,NULL
,i
< c
->argc
);
1198 oldval
= c
->argv
[i
];
1199 c
->argv
[i
] = newval
;
1200 incrRefCount(newval
);
1201 decrRefCount(oldval
);
1203 /* If this is the command name make sure to fix c->cmd. */
1205 c
->cmd
= lookupCommand(c
->argv
[0]->ptr
);
1206 redisAssertWithInfo(c
,NULL
,c
->cmd
!= NULL
);
1210 /* This function returns the number of bytes that Redis is virtually
1211 * using to store the reply still not read by the client.
1212 * It is "virtual" since the reply output list may contain objects that
1213 * are shared and are not really using additional memory.
1215 * The function returns the total sum of the length of all the objects
1216 * stored in the output list, plus the memory used to allocate every
1217 * list node. The static reply buffer is not taken into account since it
1218 * is allocated anyway.
1220 * Note: this function is very fast so can be called as many time as
1221 * the caller wishes. The main usage of this function currently is
1222 * enforcing the client output length limits. */
1223 unsigned long getClientOutputBufferMemoryUsage(redisClient
*c
) {
1224 unsigned long list_item_size
= sizeof(listNode
)+sizeof(robj
);
1226 return c
->reply_bytes
+ (list_item_size
*listLength(c
->reply
));
1229 /* Get the class of a client, used in order to envorce limits to different
1230 * classes of clients.
1232 * The function will return one of the following:
1233 * REDIS_CLIENT_LIMIT_CLASS_NORMAL -> Normal client
1234 * REDIS_CLIENT_LIMIT_CLASS_SLAVE -> Slave or client executing MONITOR command
1235 * REDIS_CLIENT_LIMIT_CLASS_PUBSUB -> Client subscribed to Pub/Sub channels
1237 int getClientLimitClass(redisClient
*c
) {
1238 if (c
->flags
& REDIS_SLAVE
) return REDIS_CLIENT_LIMIT_CLASS_SLAVE
;
1239 if (dictSize(c
->pubsub_channels
) || listLength(c
->pubsub_patterns
))
1240 return REDIS_CLIENT_LIMIT_CLASS_PUBSUB
;
1241 return REDIS_CLIENT_LIMIT_CLASS_NORMAL
;
1244 int getClientLimitClassByName(char *name
) {
1245 if (!strcasecmp(name
,"normal")) return REDIS_CLIENT_LIMIT_CLASS_NORMAL
;
1246 else if (!strcasecmp(name
,"slave")) return REDIS_CLIENT_LIMIT_CLASS_SLAVE
;
1247 else if (!strcasecmp(name
,"pubsub")) return REDIS_CLIENT_LIMIT_CLASS_PUBSUB
;
1251 char *getClientLimitClassName(int class) {
1253 case REDIS_CLIENT_LIMIT_CLASS_NORMAL
: return "normal";
1254 case REDIS_CLIENT_LIMIT_CLASS_SLAVE
: return "slave";
1255 case REDIS_CLIENT_LIMIT_CLASS_PUBSUB
: return "pubsub";
1256 default: return NULL
;
1260 /* The function checks if the client reached output buffer soft or hard
1261 * limit, and also update the state needed to check the soft limit as
1264 * Return value: non-zero if the client reached the soft or the hard limit.
1265 * Otherwise zero is returned. */
1266 int checkClientOutputBufferLimits(redisClient
*c
) {
1267 int soft
= 0, hard
= 0, class;
1268 unsigned long used_mem
= getClientOutputBufferMemoryUsage(c
);
1270 class = getClientLimitClass(c
);
1271 if (server
.client_obuf_limits
[class].hard_limit_bytes
&&
1272 used_mem
>= server
.client_obuf_limits
[class].hard_limit_bytes
)
1274 if (server
.client_obuf_limits
[class].soft_limit_bytes
&&
1275 used_mem
>= server
.client_obuf_limits
[class].soft_limit_bytes
)
1278 /* We need to check if the soft limit is reached continuously for the
1279 * specified amount of seconds. */
1281 if (c
->obuf_soft_limit_reached_time
== 0) {
1282 c
->obuf_soft_limit_reached_time
= server
.unixtime
;
1283 soft
= 0; /* First time we see the soft limit reached */
1285 time_t elapsed
= server
.unixtime
- c
->obuf_soft_limit_reached_time
;
1288 server
.client_obuf_limits
[class].soft_limit_seconds
) {
1289 soft
= 0; /* The client still did not reached the max number of
1290 seconds for the soft limit to be considered
1295 c
->obuf_soft_limit_reached_time
= 0;
1297 return soft
|| hard
;
1300 /* Asynchronously close a client if soft or hard limit is reached on the
1301 * output buffer size. The caller can check if the client will be closed
1302 * checking if the client REDIS_CLOSE_ASAP flag is set.
1304 * Note: we need to close the client asynchronously because this function is
1305 * called from contexts where the client can't be freed safely, i.e. from the
1306 * lower level functions pushing data inside the client output buffers. */
1307 void asyncCloseClientOnOutputBufferLimitReached(redisClient
*c
) {
1308 redisAssert(c
->reply_bytes
< ULONG_MAX
-(1024*64));
1309 if (c
->reply_bytes
== 0 || c
->flags
& REDIS_CLOSE_ASAP
) return;
1310 if (checkClientOutputBufferLimits(c
)) {
1311 sds client
= getClientInfoString(c
);
1314 redisLog(REDIS_WARNING
,"Client %s scheduled to be closed ASAP for overcoming of output buffer limits.", client
);
1319 /* Helper function used by freeMemoryIfNeeded() in order to flush slaves
1320 * output buffers without returning control to the event loop. */
1321 void flushSlavesOutputBuffers(void) {
1325 listRewind(server
.slaves
,&li
);
1326 while((ln
= listNext(&li
))) {
1327 redisClient
*slave
= listNodeValue(ln
);
1330 events
= aeGetFileEvents(server
.el
,slave
->fd
);
1331 if (events
& AE_WRITABLE
&&
1332 slave
->replstate
== REDIS_REPL_ONLINE
&&
1333 listLength(slave
->reply
))
1335 sendReplyToClient(server
.el
,slave
->fd
,slave
,0);