5 /*-----------------------------------------------------------------------------
7 *----------------------------------------------------------------------------*/
9 /* ZSETs are ordered sets using two data structures to hold the same elements
10 * in order to get O(log(N)) INSERT and REMOVE operations into a sorted
13 * The elements are added to an hash table mapping Redis objects to scores.
14 * At the same time the elements are added to a skip list mapping scores
15 * to Redis objects (so objects are sorted by scores in this "view"). */
17 /* This skiplist implementation is almost a C translation of the original
18 * algorithm described by William Pugh in "Skip Lists: A Probabilistic
19 * Alternative to Balanced Trees", modified in three ways:
20 * a) this implementation allows for repeated values.
21 * b) the comparison is not just by key (our 'score') but by satellite data.
22 * c) there is a back pointer, so it's a doubly linked list with the back
23 * pointers being only at "level 1". This allows to traverse the list
24 * from tail to head, useful for ZREVRANGE. */
26 zskiplistNode
*zslCreateNode(int level
, double score
, robj
*obj
) {
27 zskiplistNode
*zn
= zmalloc(sizeof(*zn
)+level
*sizeof(struct zskiplistLevel
));
33 zskiplist
*zslCreate(void) {
37 zsl
= zmalloc(sizeof(*zsl
));
40 zsl
->header
= zslCreateNode(ZSKIPLIST_MAXLEVEL
,0,NULL
);
41 for (j
= 0; j
< ZSKIPLIST_MAXLEVEL
; j
++) {
42 zsl
->header
->level
[j
].forward
= NULL
;
43 zsl
->header
->level
[j
].span
= 0;
45 zsl
->header
->backward
= NULL
;
50 void zslFreeNode(zskiplistNode
*node
) {
51 decrRefCount(node
->obj
);
55 void zslFree(zskiplist
*zsl
) {
56 zskiplistNode
*node
= zsl
->header
->level
[0].forward
, *next
;
60 next
= node
->level
[0].forward
;
67 int zslRandomLevel(void) {
69 while ((random()&0xFFFF) < (ZSKIPLIST_P
* 0xFFFF))
71 return (level
<ZSKIPLIST_MAXLEVEL
) ? level
: ZSKIPLIST_MAXLEVEL
;
74 zskiplistNode
*zslInsert(zskiplist
*zsl
, double score
, robj
*obj
) {
75 zskiplistNode
*update
[ZSKIPLIST_MAXLEVEL
], *x
;
76 unsigned int rank
[ZSKIPLIST_MAXLEVEL
];
80 for (i
= zsl
->level
-1; i
>= 0; i
--) {
81 /* store rank that is crossed to reach the insert position */
82 rank
[i
] = i
== (zsl
->level
-1) ? 0 : rank
[i
+1];
83 while (x
->level
[i
].forward
&&
84 (x
->level
[i
].forward
->score
< score
||
85 (x
->level
[i
].forward
->score
== score
&&
86 compareStringObjects(x
->level
[i
].forward
->obj
,obj
) < 0))) {
87 rank
[i
] += x
->level
[i
].span
;
88 x
= x
->level
[i
].forward
;
92 /* we assume the key is not already inside, since we allow duplicated
93 * scores, and the re-insertion of score and redis object should never
94 * happpen since the caller of zslInsert() should test in the hash table
95 * if the element is already inside or not. */
96 level
= zslRandomLevel();
97 if (level
> zsl
->level
) {
98 for (i
= zsl
->level
; i
< level
; i
++) {
100 update
[i
] = zsl
->header
;
101 update
[i
]->level
[i
].span
= zsl
->length
;
105 x
= zslCreateNode(level
,score
,obj
);
106 for (i
= 0; i
< level
; i
++) {
107 x
->level
[i
].forward
= update
[i
]->level
[i
].forward
;
108 update
[i
]->level
[i
].forward
= x
;
110 /* update span covered by update[i] as x is inserted here */
111 x
->level
[i
].span
= update
[i
]->level
[i
].span
- (rank
[0] - rank
[i
]);
112 update
[i
]->level
[i
].span
= (rank
[0] - rank
[i
]) + 1;
115 /* increment span for untouched levels */
116 for (i
= level
; i
< zsl
->level
; i
++) {
117 update
[i
]->level
[i
].span
++;
120 x
->backward
= (update
[0] == zsl
->header
) ? NULL
: update
[0];
121 if (x
->level
[0].forward
)
122 x
->level
[0].forward
->backward
= x
;
129 /* Internal function used by zslDelete, zslDeleteByScore and zslDeleteByRank */
130 void zslDeleteNode(zskiplist
*zsl
, zskiplistNode
*x
, zskiplistNode
**update
) {
132 for (i
= 0; i
< zsl
->level
; i
++) {
133 if (update
[i
]->level
[i
].forward
== x
) {
134 update
[i
]->level
[i
].span
+= x
->level
[i
].span
- 1;
135 update
[i
]->level
[i
].forward
= x
->level
[i
].forward
;
137 update
[i
]->level
[i
].span
-= 1;
140 if (x
->level
[0].forward
) {
141 x
->level
[0].forward
->backward
= x
->backward
;
143 zsl
->tail
= x
->backward
;
145 while(zsl
->level
> 1 && zsl
->header
->level
[zsl
->level
-1].forward
== NULL
)
150 /* Delete an element with matching score/object from the skiplist. */
151 int zslDelete(zskiplist
*zsl
, double score
, robj
*obj
) {
152 zskiplistNode
*update
[ZSKIPLIST_MAXLEVEL
], *x
;
156 for (i
= zsl
->level
-1; i
>= 0; i
--) {
157 while (x
->level
[i
].forward
&&
158 (x
->level
[i
].forward
->score
< score
||
159 (x
->level
[i
].forward
->score
== score
&&
160 compareStringObjects(x
->level
[i
].forward
->obj
,obj
) < 0)))
161 x
= x
->level
[i
].forward
;
164 /* We may have multiple elements with the same score, what we need
165 * is to find the element with both the right score and object. */
166 x
= x
->level
[0].forward
;
167 if (x
&& score
== x
->score
&& equalStringObjects(x
->obj
,obj
)) {
168 zslDeleteNode(zsl
, x
, update
);
172 return 0; /* not found */
174 return 0; /* not found */
177 /* Delete all the elements with score between min and max from the skiplist.
178 * Min and mx are inclusive, so a score >= min || score <= max is deleted.
179 * Note that this function takes the reference to the hash table view of the
180 * sorted set, in order to remove the elements from the hash table too. */
181 unsigned long zslDeleteRangeByScore(zskiplist
*zsl
, double min
, double max
, dict
*dict
) {
182 zskiplistNode
*update
[ZSKIPLIST_MAXLEVEL
], *x
;
183 unsigned long removed
= 0;
187 for (i
= zsl
->level
-1; i
>= 0; i
--) {
188 while (x
->level
[i
].forward
&& x
->level
[i
].forward
->score
< min
)
189 x
= x
->level
[i
].forward
;
192 /* We may have multiple elements with the same score, what we need
193 * is to find the element with both the right score and object. */
194 x
= x
->level
[0].forward
;
195 while (x
&& x
->score
<= max
) {
196 zskiplistNode
*next
= x
->level
[0].forward
;
197 zslDeleteNode(zsl
,x
,update
);
198 dictDelete(dict
,x
->obj
);
203 return removed
; /* not found */
206 /* Delete all the elements with rank between start and end from the skiplist.
207 * Start and end are inclusive. Note that start and end need to be 1-based */
208 unsigned long zslDeleteRangeByRank(zskiplist
*zsl
, unsigned int start
, unsigned int end
, dict
*dict
) {
209 zskiplistNode
*update
[ZSKIPLIST_MAXLEVEL
], *x
;
210 unsigned long traversed
= 0, removed
= 0;
214 for (i
= zsl
->level
-1; i
>= 0; i
--) {
215 while (x
->level
[i
].forward
&& (traversed
+ x
->level
[i
].span
) < start
) {
216 traversed
+= x
->level
[i
].span
;
217 x
= x
->level
[i
].forward
;
223 x
= x
->level
[0].forward
;
224 while (x
&& traversed
<= end
) {
225 zskiplistNode
*next
= x
->level
[0].forward
;
226 zslDeleteNode(zsl
,x
,update
);
227 dictDelete(dict
,x
->obj
);
236 /* Find the first node having a score equal or greater than the specified one.
237 * Returns NULL if there is no match. */
238 zskiplistNode
*zslFirstWithScore(zskiplist
*zsl
, double score
) {
243 for (i
= zsl
->level
-1; i
>= 0; i
--) {
244 while (x
->level
[i
].forward
&& x
->level
[i
].forward
->score
< score
)
245 x
= x
->level
[i
].forward
;
247 /* We may have multiple elements with the same score, what we need
248 * is to find the element with both the right score and object. */
249 return x
->level
[0].forward
;
252 /* Find the rank for an element by both score and key.
253 * Returns 0 when the element cannot be found, rank otherwise.
254 * Note that the rank is 1-based due to the span of zsl->header to the
256 unsigned long zslistTypeGetRank(zskiplist
*zsl
, double score
, robj
*o
) {
258 unsigned long rank
= 0;
262 for (i
= zsl
->level
-1; i
>= 0; i
--) {
263 while (x
->level
[i
].forward
&&
264 (x
->level
[i
].forward
->score
< score
||
265 (x
->level
[i
].forward
->score
== score
&&
266 compareStringObjects(x
->level
[i
].forward
->obj
,o
) <= 0))) {
267 rank
+= x
->level
[i
].span
;
268 x
= x
->level
[i
].forward
;
271 /* x might be equal to zsl->header, so test if obj is non-NULL */
272 if (x
->obj
&& equalStringObjects(x
->obj
,o
)) {
279 /* Finds an element by its rank. The rank argument needs to be 1-based. */
280 zskiplistNode
* zslistTypeGetElementByRank(zskiplist
*zsl
, unsigned long rank
) {
282 unsigned long traversed
= 0;
286 for (i
= zsl
->level
-1; i
>= 0; i
--) {
287 while (x
->level
[i
].forward
&& (traversed
+ x
->level
[i
].span
) <= rank
)
289 traversed
+= x
->level
[i
].span
;
290 x
= x
->level
[i
].forward
;
292 if (traversed
== rank
) {
301 int minex
, maxex
; /* are min or max exclusive? */
304 /* Populate the rangespec according to the objects min and max. */
305 int zslParseRange(robj
*min
, robj
*max
, zrangespec
*spec
) {
306 spec
->minex
= spec
->maxex
= 0;
308 /* Parse the min-max interval. If one of the values is prefixed
309 * by the "(" character, it's considered "open". For instance
310 * ZRANGEBYSCORE zset (1.5 (2.5 will match min < x < max
311 * ZRANGEBYSCORE zset 1.5 2.5 will instead match min <= x <= max */
312 if (min
->encoding
== REDIS_ENCODING_INT
) {
313 spec
->min
= (long)min
->ptr
;
315 if (((char*)min
->ptr
)[0] == '(') {
316 spec
->min
= strtod((char*)min
->ptr
+1,NULL
);
319 spec
->min
= strtod((char*)min
->ptr
,NULL
);
322 if (max
->encoding
== REDIS_ENCODING_INT
) {
323 spec
->max
= (long)max
->ptr
;
325 if (((char*)max
->ptr
)[0] == '(') {
326 spec
->max
= strtod((char*)max
->ptr
+1,NULL
);
329 spec
->max
= strtod((char*)max
->ptr
,NULL
);
337 /*-----------------------------------------------------------------------------
338 * Sorted set commands
339 *----------------------------------------------------------------------------*/
341 /* This generic command implements both ZADD and ZINCRBY. */
342 void zaddGenericCommand(redisClient
*c
, robj
*key
, robj
*ele
, double score
, int incr
) {
345 zskiplistNode
*znode
;
347 zsetobj
= lookupKeyWrite(c
->db
,key
);
348 if (zsetobj
== NULL
) {
349 zsetobj
= createZsetObject();
350 dbAdd(c
->db
,key
,zsetobj
);
352 if (zsetobj
->type
!= REDIS_ZSET
) {
353 addReply(c
,shared
.wrongtypeerr
);
359 /* Since both ZADD and ZINCRBY are implemented here, we need to increment
360 * the score first by the current score if ZINCRBY is called. */
362 /* Read the old score. If the element was not present starts from 0 */
363 dictEntry
*de
= dictFind(zs
->dict
,ele
);
365 score
+= *(double*)dictGetEntryVal(de
);
368 addReplyError(c
,"resulting score is not a number (NaN)");
369 /* Note that we don't need to check if the zset may be empty and
370 * should be removed here, as we can only obtain Nan as score if
371 * there was already an element in the sorted set. */
376 /* We need to remove and re-insert the element when it was already present
377 * in the dictionary, to update the skiplist. Note that we delay adding a
378 * pointer to the score because we want to reference the score in the
380 if (dictAdd(zs
->dict
,ele
,NULL
) == DICT_OK
) {
384 incrRefCount(ele
); /* added to hash */
385 znode
= zslInsert(zs
->zsl
,score
,ele
);
386 incrRefCount(ele
); /* added to skiplist */
388 /* Update the score in the dict entry */
389 de
= dictFind(zs
->dict
,ele
);
390 redisAssert(de
!= NULL
);
391 dictGetEntryVal(de
) = &znode
->score
;
392 touchWatchedKey(c
->db
,c
->argv
[1]);
395 addReplyDouble(c
,score
);
397 addReply(c
,shared
.cone
);
405 de
= dictFind(zs
->dict
,ele
);
406 redisAssert(de
!= NULL
);
407 curobj
= dictGetEntryKey(de
);
408 curscore
= dictGetEntryVal(de
);
410 /* When the score is updated, reuse the existing string object to
411 * prevent extra alloc/dealloc of strings on ZINCRBY. */
412 if (score
!= *curscore
) {
413 deleted
= zslDelete(zs
->zsl
,*curscore
,curobj
);
414 redisAssert(deleted
!= 0);
415 znode
= zslInsert(zs
->zsl
,score
,curobj
);
416 incrRefCount(curobj
);
418 /* Update the score in the current dict entry */
419 dictGetEntryVal(de
) = &znode
->score
;
420 touchWatchedKey(c
->db
,c
->argv
[1]);
424 addReplyDouble(c
,score
);
426 addReply(c
,shared
.czero
);
430 void zaddCommand(redisClient
*c
) {
432 if (getDoubleFromObjectOrReply(c
,c
->argv
[2],&scoreval
,NULL
) != REDIS_OK
) return;
433 zaddGenericCommand(c
,c
->argv
[1],c
->argv
[3],scoreval
,0);
436 void zincrbyCommand(redisClient
*c
) {
438 if (getDoubleFromObjectOrReply(c
,c
->argv
[2],&scoreval
,NULL
) != REDIS_OK
) return;
439 zaddGenericCommand(c
,c
->argv
[1],c
->argv
[3],scoreval
,1);
442 void zremCommand(redisClient
*c
) {
449 if ((zsetobj
= lookupKeyWriteOrReply(c
,c
->argv
[1],shared
.czero
)) == NULL
||
450 checkType(c
,zsetobj
,REDIS_ZSET
)) return;
453 de
= dictFind(zs
->dict
,c
->argv
[2]);
455 addReply(c
,shared
.czero
);
458 /* Delete from the skiplist */
459 curscore
= *(double*)dictGetEntryVal(de
);
460 deleted
= zslDelete(zs
->zsl
,curscore
,c
->argv
[2]);
461 redisAssert(deleted
!= 0);
463 /* Delete from the hash table */
464 dictDelete(zs
->dict
,c
->argv
[2]);
465 if (htNeedsResize(zs
->dict
)) dictResize(zs
->dict
);
466 if (dictSize(zs
->dict
) == 0) dbDelete(c
->db
,c
->argv
[1]);
467 touchWatchedKey(c
->db
,c
->argv
[1]);
469 addReply(c
,shared
.cone
);
472 void zremrangebyscoreCommand(redisClient
*c
) {
479 if ((getDoubleFromObjectOrReply(c
, c
->argv
[2], &min
, NULL
) != REDIS_OK
) ||
480 (getDoubleFromObjectOrReply(c
, c
->argv
[3], &max
, NULL
) != REDIS_OK
)) return;
482 if ((zsetobj
= lookupKeyWriteOrReply(c
,c
->argv
[1],shared
.czero
)) == NULL
||
483 checkType(c
,zsetobj
,REDIS_ZSET
)) return;
486 deleted
= zslDeleteRangeByScore(zs
->zsl
,min
,max
,zs
->dict
);
487 if (htNeedsResize(zs
->dict
)) dictResize(zs
->dict
);
488 if (dictSize(zs
->dict
) == 0) dbDelete(c
->db
,c
->argv
[1]);
489 if (deleted
) touchWatchedKey(c
->db
,c
->argv
[1]);
490 server
.dirty
+= deleted
;
491 addReplyLongLong(c
,deleted
);
494 void zremrangebyrankCommand(redisClient
*c
) {
502 if ((getLongFromObjectOrReply(c
, c
->argv
[2], &start
, NULL
) != REDIS_OK
) ||
503 (getLongFromObjectOrReply(c
, c
->argv
[3], &end
, NULL
) != REDIS_OK
)) return;
505 if ((zsetobj
= lookupKeyWriteOrReply(c
,c
->argv
[1],shared
.czero
)) == NULL
||
506 checkType(c
,zsetobj
,REDIS_ZSET
)) return;
508 llen
= zs
->zsl
->length
;
510 /* convert negative indexes */
511 if (start
< 0) start
= llen
+start
;
512 if (end
< 0) end
= llen
+end
;
513 if (start
< 0) start
= 0;
515 /* Invariant: start >= 0, so this test will be true when end < 0.
516 * The range is empty when start > end or start >= length. */
517 if (start
> end
|| start
>= llen
) {
518 addReply(c
,shared
.czero
);
521 if (end
>= llen
) end
= llen
-1;
523 /* increment start and end because zsl*Rank functions
524 * use 1-based rank */
525 deleted
= zslDeleteRangeByRank(zs
->zsl
,start
+1,end
+1,zs
->dict
);
526 if (htNeedsResize(zs
->dict
)) dictResize(zs
->dict
);
527 if (dictSize(zs
->dict
) == 0) dbDelete(c
->db
,c
->argv
[1]);
528 if (deleted
) touchWatchedKey(c
->db
,c
->argv
[1]);
529 server
.dirty
+= deleted
;
530 addReplyLongLong(c
, deleted
);
538 int qsortCompareZsetopsrcByCardinality(const void *s1
, const void *s2
) {
539 zsetopsrc
*d1
= (void*) s1
, *d2
= (void*) s2
;
540 unsigned long size1
, size2
;
541 size1
= d1
->dict
? dictSize(d1
->dict
) : 0;
542 size2
= d2
->dict
? dictSize(d2
->dict
) : 0;
543 return size1
- size2
;
546 #define REDIS_AGGR_SUM 1
547 #define REDIS_AGGR_MIN 2
548 #define REDIS_AGGR_MAX 3
549 #define zunionInterDictValue(_e) (dictGetEntryVal(_e) == NULL ? 1.0 : *(double*)dictGetEntryVal(_e))
551 inline static void zunionInterAggregate(double *target
, double val
, int aggregate
) {
552 if (aggregate
== REDIS_AGGR_SUM
) {
553 *target
= *target
+ val
;
554 /* The result of adding two doubles is NaN when one variable
555 * is +inf and the other is -inf. When these numbers are added,
556 * we maintain the convention of the result being 0.0. */
557 if (isnan(*target
)) *target
= 0.0;
558 } else if (aggregate
== REDIS_AGGR_MIN
) {
559 *target
= val
< *target
? val
: *target
;
560 } else if (aggregate
== REDIS_AGGR_MAX
) {
561 *target
= val
> *target
? val
: *target
;
564 redisPanic("Unknown ZUNION/INTER aggregate type");
568 void zunionInterGenericCommand(redisClient
*c
, robj
*dstkey
, int op
) {
570 int aggregate
= REDIS_AGGR_SUM
;
574 zskiplistNode
*znode
;
579 /* expect setnum input keys to be given */
580 setnum
= atoi(c
->argv
[2]->ptr
);
583 "at least 1 input key is needed for ZUNIONSTORE/ZINTERSTORE");
587 /* test if the expected number of keys would overflow */
588 if (3+setnum
> c
->argc
) {
589 addReply(c
,shared
.syntaxerr
);
593 /* read keys to be used for input */
594 src
= zmalloc(sizeof(zsetopsrc
) * setnum
);
595 for (i
= 0, j
= 3; i
< setnum
; i
++, j
++) {
596 robj
*obj
= lookupKeyWrite(c
->db
,c
->argv
[j
]);
600 if (obj
->type
== REDIS_ZSET
) {
601 src
[i
].dict
= ((zset
*)obj
->ptr
)->dict
;
602 } else if (obj
->type
== REDIS_SET
) {
603 src
[i
].dict
= (obj
->ptr
);
606 addReply(c
,shared
.wrongtypeerr
);
611 /* default all weights to 1 */
615 /* parse optional extra arguments */
617 int remaining
= c
->argc
- j
;
620 if (remaining
>= (setnum
+ 1) && !strcasecmp(c
->argv
[j
]->ptr
,"weights")) {
622 for (i
= 0; i
< setnum
; i
++, j
++, remaining
--) {
623 if (getDoubleFromObjectOrReply(c
,c
->argv
[j
],&src
[i
].weight
,
624 "weight value is not a double") != REDIS_OK
)
630 } else if (remaining
>= 2 && !strcasecmp(c
->argv
[j
]->ptr
,"aggregate")) {
632 if (!strcasecmp(c
->argv
[j
]->ptr
,"sum")) {
633 aggregate
= REDIS_AGGR_SUM
;
634 } else if (!strcasecmp(c
->argv
[j
]->ptr
,"min")) {
635 aggregate
= REDIS_AGGR_MIN
;
636 } else if (!strcasecmp(c
->argv
[j
]->ptr
,"max")) {
637 aggregate
= REDIS_AGGR_MAX
;
640 addReply(c
,shared
.syntaxerr
);
646 addReply(c
,shared
.syntaxerr
);
652 /* sort sets from the smallest to largest, this will improve our
653 * algorithm's performance */
654 qsort(src
,setnum
,sizeof(zsetopsrc
),qsortCompareZsetopsrcByCardinality
);
656 dstobj
= createZsetObject();
657 dstzset
= dstobj
->ptr
;
659 if (op
== REDIS_OP_INTER
) {
660 /* skip going over all entries if the smallest zset is NULL or empty */
661 if (src
[0].dict
&& dictSize(src
[0].dict
) > 0) {
662 /* precondition: as src[0].dict is non-empty and the zsets are ordered
663 * from small to large, all src[i > 0].dict are non-empty too */
664 di
= dictGetIterator(src
[0].dict
);
665 while((de
= dictNext(di
)) != NULL
) {
668 score
= src
[0].weight
* zunionInterDictValue(de
);
669 for (j
= 1; j
< setnum
; j
++) {
670 dictEntry
*other
= dictFind(src
[j
].dict
,dictGetEntryKey(de
));
672 value
= src
[j
].weight
* zunionInterDictValue(other
);
673 zunionInterAggregate(&score
,value
,aggregate
);
679 /* Only continue when present in every source dict. */
681 robj
*o
= dictGetEntryKey(de
);
682 znode
= zslInsert(dstzset
->zsl
,score
,o
);
683 incrRefCount(o
); /* added to skiplist */
684 dictAdd(dstzset
->dict
,o
,&znode
->score
);
685 incrRefCount(o
); /* added to dictionary */
688 dictReleaseIterator(di
);
690 } else if (op
== REDIS_OP_UNION
) {
691 for (i
= 0; i
< setnum
; i
++) {
692 if (!src
[i
].dict
) continue;
694 di
= dictGetIterator(src
[i
].dict
);
695 while((de
= dictNext(di
)) != NULL
) {
698 /* skip key when already processed */
699 if (dictFind(dstzset
->dict
,dictGetEntryKey(de
)) != NULL
)
702 /* initialize score */
703 score
= src
[i
].weight
* zunionInterDictValue(de
);
705 /* because the zsets are sorted by size, its only possible
706 * for sets at larger indices to hold this entry */
707 for (j
= (i
+1); j
< setnum
; j
++) {
708 dictEntry
*other
= dictFind(src
[j
].dict
,dictGetEntryKey(de
));
710 value
= src
[j
].weight
* zunionInterDictValue(other
);
711 zunionInterAggregate(&score
,value
,aggregate
);
715 robj
*o
= dictGetEntryKey(de
);
716 znode
= zslInsert(dstzset
->zsl
,score
,o
);
717 incrRefCount(o
); /* added to skiplist */
718 dictAdd(dstzset
->dict
,o
,&znode
->score
);
719 incrRefCount(o
); /* added to dictionary */
721 dictReleaseIterator(di
);
724 /* unknown operator */
725 redisAssert(op
== REDIS_OP_INTER
|| op
== REDIS_OP_UNION
);
728 if (dbDelete(c
->db
,dstkey
)) {
729 touchWatchedKey(c
->db
,dstkey
);
733 if (dstzset
->zsl
->length
) {
734 dbAdd(c
->db
,dstkey
,dstobj
);
735 addReplyLongLong(c
, dstzset
->zsl
->length
);
736 if (!touched
) touchWatchedKey(c
->db
,dstkey
);
739 decrRefCount(dstobj
);
740 addReply(c
, shared
.czero
);
745 void zunionstoreCommand(redisClient
*c
) {
746 zunionInterGenericCommand(c
,c
->argv
[1], REDIS_OP_UNION
);
749 void zinterstoreCommand(redisClient
*c
) {
750 zunionInterGenericCommand(c
,c
->argv
[1], REDIS_OP_INTER
);
753 void zrangeGenericCommand(redisClient
*c
, int reverse
) {
765 if ((getLongFromObjectOrReply(c
, c
->argv
[2], &start
, NULL
) != REDIS_OK
) ||
766 (getLongFromObjectOrReply(c
, c
->argv
[3], &end
, NULL
) != REDIS_OK
)) return;
768 if (c
->argc
== 5 && !strcasecmp(c
->argv
[4]->ptr
,"withscores")) {
770 } else if (c
->argc
>= 5) {
771 addReply(c
,shared
.syntaxerr
);
775 if ((o
= lookupKeyReadOrReply(c
,c
->argv
[1],shared
.emptymultibulk
)) == NULL
776 || checkType(c
,o
,REDIS_ZSET
)) return;
781 /* convert negative indexes */
782 if (start
< 0) start
= llen
+start
;
783 if (end
< 0) end
= llen
+end
;
784 if (start
< 0) start
= 0;
786 /* Invariant: start >= 0, so this test will be true when end < 0.
787 * The range is empty when start > end or start >= length. */
788 if (start
> end
|| start
>= llen
) {
789 addReply(c
,shared
.emptymultibulk
);
792 if (end
>= llen
) end
= llen
-1;
793 rangelen
= (end
-start
)+1;
795 /* check if starting point is trivial, before searching
796 * the element in log(N) time */
798 ln
= start
== 0 ? zsl
->tail
: zslistTypeGetElementByRank(zsl
, llen
-start
);
801 zsl
->header
->level
[0].forward
: zslistTypeGetElementByRank(zsl
, start
+1);
804 /* Return the result in form of a multi-bulk reply */
805 addReplyMultiBulkLen(c
,withscores
? (rangelen
*2) : rangelen
);
806 for (j
= 0; j
< rangelen
; j
++) {
810 addReplyDouble(c
,ln
->score
);
811 ln
= reverse
? ln
->backward
: ln
->level
[0].forward
;
815 void zrangeCommand(redisClient
*c
) {
816 zrangeGenericCommand(c
,0);
819 void zrevrangeCommand(redisClient
*c
) {
820 zrangeGenericCommand(c
,1);
823 /* This command implements ZRANGEBYSCORE, ZREVRANGEBYSCORE and ZCOUNT.
824 * If "justcount", only the number of elements in the range is returned. */
825 void genericZrangebyscoreCommand(redisClient
*c
, int reverse
, int justcount
) {
827 robj
*o
, *emptyreply
;
831 int offset
= 0, limit
= -1;
833 unsigned long rangelen
= 0;
834 void *replylen
= NULL
;
836 /* Parse the range arguments. */
837 zslParseRange(c
->argv
[2],c
->argv
[3],&range
);
839 /* Parse optional extra arguments. Note that ZCOUNT will exactly have
840 * 4 arguments, so we'll never enter the following code path. */
842 int remaining
= c
->argc
- 4;
846 if (remaining
>= 1 && !strcasecmp(c
->argv
[pos
]->ptr
,"withscores")) {
849 } else if (remaining
>= 3 && !strcasecmp(c
->argv
[pos
]->ptr
,"limit")) {
850 offset
= atoi(c
->argv
[pos
+1]->ptr
);
851 limit
= atoi(c
->argv
[pos
+2]->ptr
);
852 pos
+= 3; remaining
-= 3;
854 addReply(c
,shared
.syntaxerr
);
860 /* Ok, lookup the key and get the range */
861 emptyreply
= justcount
? shared
.czero
: shared
.emptymultibulk
;
862 if ((o
= lookupKeyReadOrReply(c
,c
->argv
[1],emptyreply
)) == NULL
||
863 checkType(c
,o
,REDIS_ZSET
)) return;
867 /* If reversed, assume the elements are sorted from high to low score. */
868 ln
= zslFirstWithScore(zsl
,range
.min
);
870 /* If range.min is out of range, ln will be NULL and we need to use
871 * the tail of the skiplist as first node of the range. */
872 if (ln
== NULL
) ln
= zsl
->tail
;
874 /* zslFirstWithScore returns the first element with where with
875 * score >= range.min, so backtrack to make sure the element we use
876 * here has score <= range.min. */
877 while (ln
&& ln
->score
> range
.min
) ln
= ln
->backward
;
879 /* Move to the right element according to the range spec. */
881 /* Find last element with score < range.min */
882 while (ln
&& ln
->score
== range
.min
) ln
= ln
->backward
;
884 /* Find last element with score <= range.min */
885 while (ln
&& ln
->level
[0].forward
&&
886 ln
->level
[0].forward
->score
== range
.min
)
887 ln
= ln
->level
[0].forward
;
891 /* Find first element with score > range.min */
892 while (ln
&& ln
->score
== range
.min
) ln
= ln
->level
[0].forward
;
896 /* No "first" element in the specified interval. */
898 addReply(c
,emptyreply
);
902 /* We don't know in advance how many matching elements there
903 * are in the list, so we push this object that will represent
904 * the multi-bulk length in the output buffer, and will "fix"
907 replylen
= addDeferredMultiBulkLength(c
);
909 /* If there is an offset, just traverse the number of elements without
910 * checking the score because that is done in the next loop. */
911 while(ln
&& offset
--) {
915 ln
= ln
->level
[0].forward
;
918 while (ln
&& limit
--) {
919 /* Check if this this element is in range. */
922 /* Element should have score > range.max */
923 if (ln
->score
<= range
.max
) break;
925 /* Element should have score >= range.max */
926 if (ln
->score
< range
.max
) break;
930 /* Element should have score < range.max */
931 if (ln
->score
>= range
.max
) break;
933 /* Element should have score <= range.max */
934 if (ln
->score
> range
.max
) break;
941 addReplyBulk(c
,ln
->obj
);
943 addReplyDouble(c
,ln
->score
);
949 ln
= ln
->level
[0].forward
;
953 addReplyLongLong(c
,(long)rangelen
);
955 setDeferredMultiBulkLength(c
,replylen
,
956 withscores
? (rangelen
*2) : rangelen
);
960 void zrangebyscoreCommand(redisClient
*c
) {
961 genericZrangebyscoreCommand(c
,0,0);
964 void zrevrangebyscoreCommand(redisClient
*c
) {
965 genericZrangebyscoreCommand(c
,1,0);
968 void zcountCommand(redisClient
*c
) {
969 genericZrangebyscoreCommand(c
,0,1);
972 void zcardCommand(redisClient
*c
) {
976 if ((o
= lookupKeyReadOrReply(c
,c
->argv
[1],shared
.czero
)) == NULL
||
977 checkType(c
,o
,REDIS_ZSET
)) return;
980 addReplyLongLong(c
,zs
->zsl
->length
);
983 void zscoreCommand(redisClient
*c
) {
988 if ((o
= lookupKeyReadOrReply(c
,c
->argv
[1],shared
.nullbulk
)) == NULL
||
989 checkType(c
,o
,REDIS_ZSET
)) return;
992 de
= dictFind(zs
->dict
,c
->argv
[2]);
994 addReply(c
,shared
.nullbulk
);
996 double *score
= dictGetEntryVal(de
);
998 addReplyDouble(c
,*score
);
1002 void zrankGenericCommand(redisClient
*c
, int reverse
) {
1010 if ((o
= lookupKeyReadOrReply(c
,c
->argv
[1],shared
.nullbulk
)) == NULL
||
1011 checkType(c
,o
,REDIS_ZSET
)) return;
1015 de
= dictFind(zs
->dict
,c
->argv
[2]);
1017 addReply(c
,shared
.nullbulk
);
1021 score
= dictGetEntryVal(de
);
1022 rank
= zslistTypeGetRank(zsl
, *score
, c
->argv
[2]);
1025 addReplyLongLong(c
, zsl
->length
- rank
);
1027 addReplyLongLong(c
, rank
-1);
1030 addReply(c
,shared
.nullbulk
);
1034 void zrankCommand(redisClient
*c
) {
1035 zrankGenericCommand(c
, 0);
1038 void zrevrankCommand(redisClient
*c
) {
1039 zrankGenericCommand(c
, 1);