我们都知道Redis有五种常用的数据类型分别是:string(字符串),hash(哈希),list(列表),set(集合)及zset (sorted set:有序集合)
使用Redis实现排行榜,主要是利用到了zset数据类型的特点
Zset是Redis的一种有序集合类型,它与普通集合set非常相似,也是一个没有重复元素的字符串集合。不同之处在于,zset的每个成员都关联了一个评分(score),这个评分被用来按照从最低分到最高分的方式排序集合中的成员。集合的成员是唯一的,但是评分可以重复
下面是实例:
1、添加依赖
<dependency>
<groupId>org.springframework.boot</groupId>
<artifactId>spring-boot-starter-data-redis</artifactId>
</dependency>
2、配置连接
在application.properties或application.yml文件中添加Redis连接信息:
spring.redis.host=localhost
spring.redis.port=6379
spring.redis.password=
3、创建一个服务类
@Service
public class RankingService {
private final RedisTemplate<String, Long> redisTemplate;
private final String RANKING_KEY = "ranking";
public RankingService(RedisTemplate<String, Long> redisTemplate) {
this.redisTemplate = redisTemplate;
}
public void addScore(String member, Long score) {
redisTemplate.opsForZSet().incrementScore(RANKING_KEY, member, score);
}
public List<String> getRanking() {
Set<ZSetOperations.TypedTuple<Long>> ranking =
redisTemplate.opsForZSet().reverseRangeWithScores(RANKING_KEY, 0, -1);
return ranking.stream()
.map(tuple -> tuple.getValue() + ":" + tuple.getScore())
.collect(Collectors.toList());
}
}
4、创建一个名为RankingController的类,进行测试
@RestController
@RequestMapping("/ranking")
public class RankingController {
private final RankingService rankingService;
public RankingController(RankingService rankingService) {
this.rankingService = rankingService;
}
@PostMapping("/{member}/{score}")
public void addScore(@PathVariable String member, @PathVariable Long score) {
rankingService.addScore(member, score);
}
@GetMapping
public List<String> getRanking() {
return rankingService.getRanking();
}
}