4

我有一个有序的集合 - 我已经通过 gem 'redis' 评分并添加到我的 redis 数据库中的项目,如下所示:

Item.each { |item|
  $redis.zadd("scores", item.score, item.id)
}

以及一组带有基于标签 ID 的键的项目。

Tag.each { |tag|
  tag.items.each { |item|
     $redis.sadd("tag_#{tag.id}", item.id)
  }
}

我正在尝试获取得分为x 或更高的所有项目,并将其与具有特定标签的所有项目相交。我不需要对结果进行排序。我不确定我是否需要首先使用有序集,但这似乎是一种存储和检索结果的有效方法。

使用 Redis 找到范围和集合的交集的最佳方法是什么?

4

2 回答 2

3

关键是排序集命令也接受普通集作为参数。所以你可以先与集合相交,然后使用普通范围命令根据分数进行过滤。

例子:

# Populate some sorted set and set
./redis-cli zadd scores 1 a 2 b 3 c 4 d 5 e 6 f 7 g 8 h
(integer) 8
./redis-cli sadd tag_1 a c d g h
(integer) 5

# Here you need to use a weight clause to avoid altering the score
./redis-cli zinterstore res 2 scores tag_1 weights 1 0
(integer) 5

# Now fetch the expected items (here we want items with score >= 4)
./redis-cli zrangebyscore res 4 +inf withscores
1) "d"
2) "4"
3) "g"
4) "7"
5) "h"
6) "8"

# Finally drop the temporary result
./redis-cli del res
(integer) 1
于 2013-02-12T11:22:28.043 回答
2

我不知道先获得一个范围,然后再相交的方法。但是,您可以做的是对集合进行交集,然后进行范围:

ZINTERSTORE items_with_tag_foo 2 items tag_foo AGGREGATE MAX
ZRANGEBYSCORE items_with_tag_foo 17 +inf
于 2013-02-12T11:06:09.740 回答