本篇博客总结了我在学习redis中做的实战项目,实现了网红探店、好友关注、附近商铺和用户签到功能,其中业务部分代码和注释都是我手敲的,前端代码和图片来自黑马程序员
虽然这个项目已经烂大街,但是对于学习项目开发和redis来说仍是一份不错的教材,感谢黑马程序员
课程链接:https://www.bilibili.com/video/BV1cr4y1671t?p=1&vd_source=40ac0553f204ea9791dc385431e71f1c

网红探店

查看探店笔记

  1. BlogController中创建:

    1
    2
    3
    4
    @GetMapping("/{id}")
    public Result queryBlogById(@PathVariable("id") Long id) {
    return blogService.queryBlogById(id);
    }
  2. 在service包下实现queryBlogById方法

    1
    2
    3
    4
    5
    6
    7
    8
    9
    10
    11
    12
    13
    14
    15
    16
    17
    18
    @Override
    public Result queryBlogById(Long id) {
    //1.查询blog
    Blog blog = getById(id);
    if (blog == null) {
    return Result.fail("笔记不存在");
    }
    //2.查询blog有关用户
    queryBlogUser(blog);
    return Result.ok(blog);
    }

    private void queryBlogUser(Blog blog) {
    Long userId = blog.getUserId();
    User user = userService.getById(userId);
    blog.setName(user.getNickName());
    blog.setIcon(user.getIcon());
    }

点赞功能

需求:

  • 同一个用户只能点赞一次,再次点击则取消点赞
  • 如果当前用户已经点赞,则点赞按钮高亮显示(前端判断isLike属性)

实现步骤:

  1. 给Blog类中添加一个isLike字段,标识是否被当前用户点赞
  2. 修改点赞功能,利用redis的set集合判断是否点赞过,未点赞则点赞数+1,反之-1
  3. 修改根据id查询Blog业务,判断当前登录用户是否点赞过,赋值给isLike字段
  4. 修改分页查询Blog业务,判断当前用户是否点赞过,赋值给isLike字段

代码实现

  1. 在Blog类中添加isLike字段

    1
    2
    3
    4
    5
    /**
    @TableField:当前属性是否属于这个类
    */
    @TableField(exist = false)
    private Boolean isLike;
  2. 修改点赞功能

    1
    2
    3
    4
    5
    6
    7
    8
    9
    10
    11
    12
    13
    14
    15
    16
    17
    18
    19
    20
    21
    22
    23
    24
    25
    26
    27
    28
    29
    30
    31
    32
    33
    34
    35
    36
    37
    38
    39
    40
    41
    42
    43
    /**
    * BlogController
    **/
    @PutMapping("/like/{id}")
    public Result likeBlog(@PathVariable("id") Long id) {
    return blogService.likeBlog(id);
    }

    //IBlogService
    Result likeBlog(Long id);

    /**
    * service.impl包
    * 点赞功能具体业务
    * @param id 用户id
    * @return
    */
    @Override
    public Result likeBlog(Long id) {
    //1.获取登录用户
    Long userId = UserHolder.getUser().getId();
    //2.判断当前用户是否已经点赞
    String key = BLOG_LIKED_KEY + id;
    Boolean isMember = stringRedisTemplate.opsForSet().isMember(key, userId.toString());
    if (BooleanUtil.isFalse(isMember)) {
    //3.未点赞,可点
    //3.1数据库点赞+1
    boolean isSuccess = update().setSql("liked = liked + 1").eq("id", id).update();
    //3.2保存用户到redis的set集合
    if (isSuccess) {
    stringRedisTemplate.opsForSet().add(key, userId.toString());
    }
    } else {
    //4.已经点过了,取消点赞
    //4.1数据库点赞-1
    boolean isSuccess = update().setSql("liked = liked - 1").eq("id", id).update();
    //4.2把用户从set集合里移除
    if (isSuccess) {
    stringRedisTemplate.opsForSet().remove(key, userId.toString());
    }
    }
    return Result.ok();
    }
  3. queryBlogById方法第二步下添加第三步:

    1
    2
    3
    4
    5
    6
    7
    8
    9
    10
    11
    12
    13
    14
    15
    //3.查询blog是否被点赞
    isBlogLiked(blog);

    //在下面实现
    private void isBlogLiked(Blog blog) {
    UserDTO user = UserHolder.getUser();
    if(user == null) {
    //用户未登录,无需查询点赞,避免空指针
    return;
    }
    Long userId = user.getId();
    String key = BLOG_LIKED_KEY + blog.getId();
    Boolean isMember = stringRedisTemplate.opsForSet().isMember(key, userId.toString());
    blog.setIsLike(BooleanUtil.isTrue(isMember));
    }

点赞排行榜

List Set SortedSet
排序方式 按添加顺序排序 无序 根据score值排序
唯一性 不唯一 唯一 唯一
查找方式 按索引查找或首尾查找 按元素查找 按元素查找
  • 代码实现:
    修改likeBlog方法:
    1
    2
    3
    4
    5
    6
    7
    8
    9
    10
    11
    12
    13
    14
    15
    16
    17
    18
    19
    20
    21
    22
    23
    24
    25
    26
    @Override
    public Result likeBlog(Long id) {
    //1.获取登录用户
    Long userId = UserHolder.getUser().getId();
    //2.判断当前用户是否已经点赞
    String key = BLOG_LIKED_KEY + id;
    Double score = stringRedisTemplate.opsForZSet().score(key, userId.toString());
    if (score == null) {
    //3.未点赞,可点
    //3.1数据库点赞+1
    boolean isSuccess = update().setSql("liked = liked + 1").eq("id", id).update();
    //3.2保存用户到redis的SortedSet集合
    if (isSuccess) {
    stringRedisTemplate.opsForZSet().add(key, userId.toString(), System.currentTimeMillis());
    }
    } else {
    //4.已经点过了,取消点赞
    //4.1数据库点赞-1
    boolean isSuccess = update().setSql("liked = liked - 1").eq("id", id).update();
    //4.2把用户从set集合里移除
    if (isSuccess) {
    stringRedisTemplate.opsForZSet().remove(key, userId.toString());
    }
    }
    return Result.ok();
    }

修改isBlogLiked方法:

1
2
3
4
5
6
private void isBlogLiked(Blog blog) {
Long userId = UserHolder.getUser().getId();
String key = BLOG_LIKED_KEY + blog.getId();
Double score = stringRedisTemplate.opsForZSet().score(key, userId.toString());
blog.setIsLike(BooleanUtil.isTrue(score != null));
}

实现点赞列表查询

BlogController中创建:

1
2
3
4
@GetMapping("/likes/{id}")
public Result queryBlogLikes(@PathVariable("id") Long id) {
return blogService.queryBlogLikes(id);
}

IBlogService中创建:
Result queryBlogLikes(Long id);

实现具体业务:

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
/**
* 实现按时间查询点赞TOP5的用户
* @param id
* @return
*/
@Override
public Result queryBlogLikes(Long id) {
//1.查询top5的点赞用户 zrange key 0 4
String key = BLOG_LIKED_KEY + id;
Set<String> top5 = stringRedisTemplate.opsForZSet().range(key, 0, 4);
//1.2判断是否为空以确保ids不为空
if (top5 == null || top5.isEmpty()) {
return Result.ok(Collections.emptyList());
}
//2.解析其中的用户id
List<Long> ids = top5.stream().map(Long::valueOf).collect(Collectors.toList());
//3.根据id查询用户
String idStr = StrUtil.join(",", ids);
List<UserDTO> userDTOS = userService.query()
.in("id", ids)
.last("ORDER BY FIELD(id," + idStr + ")").list()
.stream()
.map(user -> BeanUtil.copyProperties(user, UserDTO.class))
.collect(Collectors.toList());
//4.返回
return Result.ok(userDTOS);
}

这里有一点需要注意,一开始我这样查询:

1
2
3
4
List<UserDTO> userDTOS = userService.listByIds(ids)
.stream()
.map(user -> BeanUtil.copyProperties(user, UserDTO.class))
.collect(Collectors.toList());

这样会导致查出来的数据是倒序,原因是数据库调用的查询语句是SELECT ... FROM ... WHERE id IN(5, 1);,问题就出在IN,我们可以在后面跟上ORDER BY FIELD(id, 5, 1)来实现自定义排序。

关注/取关功能

实现关注/取关功能

FollowController类中定义接口:

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
@Resource
private IFollowService iFollowService;

/**
* 关注/取关接口
* @param followUserId 被关注的用户id
* @param isFollow 是否关注
* @return
*/
@PutMapping("/{id}/{isFollow}")
public Result follow(@PathVariable("id") Long followUserId, @PathVariable("isFollow") Boolean isFollow){
return iFollowService.follow(followUserId, isFollow);
}

/**
* 判断是否关注
* @param followUserId 被关注的用户id
* @return
*/
@GetMapping("/or/not/{id}")
public Result isFollow(@PathVariable("id") Long followUserId){
return iFollowService.isFollow(followUserId);
}

IFollowService类下创建:

1
2
3
Result follow(Long followUserId, Boolean isFollow);

Result isFollow(Long followUserId);
  • 代码实现:
    1
    2
    3
    4
    5
    6
    7
    8
    9
    10
    11
    12
    13
    14
    15
    16
    17
    18
    19
    20
    21
    22
    23
    24
    25
    26
    27
    28
    29
    30
    31
    32
    33
    34
    35
    36
    37
    38
    39
    @Override
    public Result follow(Long followUserId, Boolean isFollow) {
    //1.获取当前登入用户
    Long userId = UserHolder.getUser().getId();
    //redis key
    String key = "follow:" + userId;
    //2.判断是关注还是取关
    if (isFollow) {
    //3.关注,数据库写入新增数据
    Follow follow = new Follow();
    follow.setUserId(userId);
    follow.setFollowUserId(followUserId);
    boolean isSuccess = save(follow);
    if (isSuccess) {
    //把关注的用户id放入Redis的set集合 sadd userId followUserId用于判断共同关注
    stringRedisTemplate.opsForSet().add(key, followUserId.toString());
    }
    } else {
    //4.取消关注,delete from tb_follow where user_id = ? and follow_user_id = ?
    boolean isSuccess = remove(new QueryWrapper<Follow>()
    .eq("user_id", userId)
    .eq("follow_user_id", followUserId));
    if (isSuccess) {
    //把取消关注的用户id移除Redis的set集合 remove userId followUserId
    stringRedisTemplate.opsForSet().remove(key, followUserId.toString());
    }
    }
    return Result.ok();
    }

    @Override
    public Result isFollow(Long followUserId) {
    //1.获取当前登入用户
    Long userId = UserHolder.getUser().getId();
    //2.查询是否关注select * from tb_follow where user_id = ? and follow_user_id = ?
    Integer count = query().eq("user_id", userId)
    .eq("follow_user_id", followUserId).count();
    return Result.ok(count > 0);
    }

共同关注

UserController中添加以下代码:

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
/**
* 根据id查询用户
* @param userId
* @return
*/
@GetMapping("/{id}")
public Result queryById(@PathVariable("id") Long userId) {
//查询详情
User user = userService.getById(userId);
if (user == null) {
return Result.ok();
}
UserDTO userDTO = BeanUtil.copyProperties(user, UserDTO.class);
return Result.ok(userDTO);
}

BlogController中添加以下代码:

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
/**
* 根据用户id查询blog
* @param current
* @param id
* @return
*/
@GetMapping("/of/user")
public Result queryBlogByUserId(@RequestParam(value = "current", defaultValue = "1") Integer current,
@RequestParam("id") Long id) {
//根据用户查询
Page<Blog> page = blogService.query()
.eq("user_id", id).page(new Page<>(current, SystemConstants.MAX_PAGE_SIZE));
//获取当页数据
List<Blog> records = page.getRecords();
return Result.ok(records);
}

利用redis中的SINTER实现求交集,把关注用户放入redis中

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
@Override
public Result follow(Long followUserId, Boolean isFollow) {
//1.获取当前登入用户
Long userId = UserHolder.getUser().getId();
//redis key
String key = "follows:" + userId;
//2.判断是关注还是取关
if (isFollow) {
//3.关注,数据库写入新增数据
Follow follow = new Follow();
follow.setUserId(userId);
follow.setFollowUserId(followUserId);
boolean isSuccess = save(follow);
if (isSuccess) {
//把关注的用户id放入Redis的set集合 sadd userId followUserId用于判断共同关注
stringRedisTemplate.opsForSet().add(key, followUserId.toString());
}
} else {
//4.取消关注,delete from tb_follow where user_id = ? and follow_user_id = ?
boolean isSuccess = remove(new QueryWrapper<Follow>()
.eq("user_id", userId)
.eq("follow_user_id", followUserId));
if (isSuccess) {
//把取消关注的用户id移除Redis的set集合 remove userId followUserId
stringRedisTemplate.opsForSet().remove(key, followUserId.toString());
}
}
return Result.ok();
}

实现共同关注接口,在FollowController中添加:

1
2
3
4
@GetMapping("/common/{id}")
public Result followCommons(@PathVariable("id") Long id){
return iFollowService.followCommons(id);
}

IFollowService中添加:
Result followCommons(Long id);

FollowServiceImpl中添加:

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
@Override
public Result followCommons(Long id) {
//1.获取当前用户id
Long userId = UserHolder.getUser().getId();
//2.当前用户redis key
String key1 = "follows:" + userId;
//3.求交集
String key2 = "follows:" + id;
Set<String> intersect = stringRedisTemplate.opsForSet().intersect(key1, key2);
if (intersect == null || intersect.isEmpty()) {
//无交集
return Result.ok(Collections.emptyList());
}
//4.有交集,解析交集用户id
List<Long> ids = intersect.stream().map(Long::valueOf).collect(Collectors.toList());
//5.工具共同关注用户id查询用户
List<UserDTO> users = userService.listByIds(ids)
.stream()
.map(user -> BeanUtil.copyProperties(user, UserDTO.class))
.collect(Collectors.toList());
return Result.ok(users);
}

关注推送

关注推送也叫做Feed流,直译为投喂。为用户持续的提供“沉浸式”的体验,通过无限下拉刷新获取新的信息。

Feed流产品有两种常见模式:

  • **Timeline:**不做内容筛选,简单的按照内容发布时间排序,常用于好友或关注。例如朋友圈
    • 优点:信息全面,不会有缺失。并且实现也相对简单
    • 缺点:信息噪音较多,用户不一定感兴趣,内容获取效率低
  • 智能排序:利用智能算法屏蔽掉违规的、用户不感兴趣的内容。推送用户感兴趣信息来吸引用户
    • 优点:投喂用户感兴趣的信息,用户粘性很高,容易沉迷
    • 如果算法不精准,可能起到反作用

本例中的个人页面,是基于关注的好友来做Feed流,因此采用Timeline模式。该模式实现方案有三种:

  • 拉模式:也叫读扩散。只有用户在读的时候才会获取一个副本回来
  • 推模式:也叫写扩散。消息直接推送到粉丝收件箱
  • 推拉结合:也叫读写混合。普通粉丝用推模式,活跃粉丝用拉模式,既节省了内存,又照顾了活跃于用户的感受。
拉模式 推模式 推拉结合
写比例
读比例
用户读取延迟
实现难度 复杂 简单 很复杂
使用场景 很少使用 用户量少,没有大V 过千万的用户量,有大V

基于推模式实现关注推送功能

需求:

  1. 修改新增探店笔记的业务,在保存blog到数据库的同时,推送到粉丝的收件箱
  2. 收件箱满足可以根据时间戳排序,必须用Redis的数据结构实现
  3. 查询收件箱数据时,可以实现分页查询

改造BlogController中的saveBlog:

1
2
3
4
5
6
@PostMapping
public Result saveBlog(@RequestBody Blog blog) {
return blogService.saveBlog(blog);
}
//添加接口
Result saveBlog(Blog blog);

BlogServiceImpl中实现:

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
@Override
public Result saveBlog(Blog blog) {
// 1.获取登录用户
UserDTO user = UserHolder.getUser();
blog.setUserId(user.getId());
// 2.保存探店博文
boolean isSuccess = save(blog);
if (!isSuccess) {
return Result.fail("保存博文失败!");
}
//3.查询笔记作者所有粉丝 select * from tb_follow where follow_user_id = ?
List<Follow> follows = followService.query().eq("follow_user_id", user.getId()).list();
//4.推送博文id给所有粉丝
for (Follow follow : follows) {
//4.1获取粉丝id
Long userId = follow.getUserId();
//4.2推送给粉丝
String key = FEED_KEY + userId;
stringRedisTemplate.opsForZSet().add(key, blog.getId().toString(), System.currentTimeMillis());
}
// 3.返回id
return Result.ok(blog.getId());
}

滚动分页查询

Feed流推送不能使用传统的分页查询,因为数据会实时更新,在redis中有两种数据结构支持分页查询,分别是ListSortedSet,这里使用SortedSet,因为list只能实现角标查询,如果数据更新,会出现重复读取,导致数据混乱。

滚动分页查询参数:
max: 当前时间戳 | 上一次查询的最小时间戳
min: 0
offset: 0 | 在上一次的结果中,与最小值一样的元素的个数
count: 跟前端约定好,固定值

DTO中定义ScrollResult类:

1
2
3
4
5
6
7
8
9
@Data
public class ScrollResult {
//小于指定时间戳的笔记集合
private List<?> list;
//本次查询的推送的最小时间戳
private Long minTime;
//偏移量
private Integer offset;
}

BlogController中定义接口:

1
2
3
4
5
6
7
8
@GetMapping("/of/follow")
public Result queryByBlogOfFollow(
@RequestParam("lastId") Long max,
@RequestParam(value = "offset", defaultValue = "0") Integer offset) {
return blogService.queryBlogOfFollow(max, offset);
}
//创建方法
Result queryBlogOfFollow(Long max, Integer offset);

BlogServiceImpl中实现:

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
/**
* 滚动分页查询
* @param max 最大时间戳
* @param offset 偏移量
* @return
*/
@Override
public Result queryBlogOfFollow(Long max, Integer offset) {
//1.获取当前用户
Long userId = UserHolder.getUser().getId();
//2.查询用户收件箱 zrevrangebyscore key max min limit offset count
String key = FEED_KEY + userId;
Set<ZSetOperations.TypedTuple<String>> typedTuples = stringRedisTemplate
.opsForZSet().reverseRangeByScoreWithScores(key, 0, max, offset, 2);
//3.非空判断
if (typedTuples == null || typedTuples.isEmpty()) {
return Result.ok();
}
//4.解析数据 blogId, minTime(时间戳), offset
ArrayList<Long> ids = new ArrayList<>(typedTuples.size());
long minTime = 0;
int os = 1;
for (ZSetOperations.TypedTuple<String> tuple : typedTuples) {
//4.1获取id
ids.add(Long.valueOf(tuple.getValue()));
//4.2获取分数(时间戳)
long time = tuple.getScore().longValue();
if (time == minTime) {
os++;
} else {
minTime = time;
os = 1;
}
}
//5.根据id查询blog
String idStr = StrUtil.join(",", ids);
List<Blog> blogs = query().in("id", ids).last("ORDER BY FIELD(id," + idStr + ")").list();
for (Blog blog : blogs) {
//5.1.查询blog有关用户
queryBlogUser(blog);
//5.2.查询blog是否被点赞
isBlogLiked(blog);
}
//6.封装并返回
ScrollResult r = new ScrollResult();
r.setList(blogs);
r.setMinTime(minTime);
r.setOffset(os);
return Result.ok(r);
}

附近商户

GEO数据结构

GEO就是Geolocation的简写形式,代表地理坐标。Redis在3.2版本中加入了对GEO的支持,允许存储地理坐标信息,帮助我们根据经纬度来检索数据。常见的命令者:
GEOADD:添加一个地理空间信息,包含:经度( longitude)、纬度(latitude).值( member)
GEODIST:计算指定的两个点之间的距离并返回
GEOHASH:将指定member的坐标转为hash字符串形式并返回
GEOPOS:返回指定member的坐标
GEORADIUS:指定圆心、半径,找到该圆内包含的所有member,并按照与圆心之间的距离排序后返回。6.2以后已废弃
GEOSEARCH:在指定范围内搜索member,并按照与指定点之间的距离排序后返回。范围可以是圆形或矩形。6.2.新功能
GEOSEARCHSTOR:与GEOSEARCH功能一致,不过可以把结果存储到一个指定的key。6.2.新功能

附近商户搜索

按照商户类型做分组,类型相同的商户作为一组,以typeId为key存入同一个GEO集合中即可。
业务流程

用单元测试导入数据:

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
@Test
void loadShopData() {
//1.查询店铺信息
List<Shop> list = shopService.list();
//2.把店铺分组,按照typeId分组,typeId一致的放到一个集合
Map<Long, List<Shop>> map = list.stream().collect(Collectors.groupingBy((Shop::getTypeId)));
//3.分批写入redis
for (Map.Entry<Long, List<Shop>> entry : map.entrySet()) {
//3.1获取类型id
Object typeId = entry.getKey();
String key = SHOP_GEO_KEY + typeId;
//3.2获取相同类型店铺集合
List<Shop> value = entry.getValue();
List<RedisGeoCommands.GeoLocation<String>> locations = new ArrayList<>();
//3.3写入redis
for (Shop shop : value) {
locations.add(new RedisGeoCommands.GeoLocation<>(
shop.getId().toString(),
new Point(shop.getX(), shop.getY())
));
}
stringRedisTemplate.opsForGeo().add(key, locations);
}
}

改造ShopController中的接口:

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
/**
* 根据商铺类型分页查询商铺信息
* @param typeId 商铺类型
* @param current 页码
* @return 商铺列表
*/
@GetMapping("/of/type")
public Result queryShopByType(
@RequestParam("typeId") Integer typeId,
@RequestParam(value = "current", defaultValue = "1") Integer current,
@RequestParam(value = "x",required = false) Double x,
@RequestParam(value = "y",required = false) Double y
) {
return shopService.queryShopByType(typeId, current, x, y);
}

将主要的业务放在service去做:

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
/**
* 根据坐标查询附近店铺
*
* @param typeId 店铺id
* @param current 分页
* @return
*/
@Override
public Result queryShopByType(Integer typeId, Integer current, Double x, Double y) {
//1.判断是否需要根据坐标查询
if (x == null || y == null) {
Page<Shop> page = query()
.eq("type_id", typeId)
.page(new Page<>(current, SystemConstants.DEFAULT_PAGE_SIZE));
// 返回数据
return Result.ok(page.getRecords());
}
//2.计算分页参数
int from = (current - 1) * SystemConstants.DEFAULT_PAGE_SIZE;
int end = current * SystemConstants.DEFAULT_PAGE_SIZE;
//3.查询Redis
String key = SHOP_GEO_KEY + typeId;
GeoResults<RedisGeoCommands.GeoLocation<String>> results = stringRedisTemplate.opsForGeo()
.search(// GEOSEARCH key BYLONLAT x y BYRADIUS 10 WITHDISTANCE
key,
GeoReference.fromCoordinate(x, y),
new Distance(5000),
RedisGeoCommands.GeoSearchCommandArgs.newGeoSearchArgs().includeDistance().limit(end)
);
//4.解析出id
if (results == null) {
return Result.ok(Collections.emptyList());
}
List<GeoResult<RedisGeoCommands.GeoLocation<String>>> list = results.getContent();
if (list.size() <= from) {
//没有下一页,返回空
return Result.ok(Collections.emptyList());
}
//4.1截取from-end 部分
ArrayList<Long> ids = new ArrayList<>(list.size());
HashMap<String, Distance> distanceMap = new HashMap<>(list.size());
list.stream().skip(from).forEach(result -> {
//4.2获取店铺id
String shopIdStr = result.getContent().getName();
ids.add(Long.valueOf(shopIdStr));
//4.3获取距离
Distance distance = result.getDistance();
distanceMap.put(shopIdStr, distance);
});
//5.根据id查询shop
String idStr = StrUtil.join(",", ids);
List<Shop> shops = query().in("id", ids).last("ORDER BY FIELD(id," + idStr + ")").list();
for (Shop shop : shops) {
shop.setDistance(distanceMap.get(shop.getId().toString()).getValue());
}
//6.返回
return Result.ok(shops);
}

用户签到

假设平台有1000万用户,每人每年签到10次,这么庞大的数据量如果用数据库存储显然是不现实的,这里我们按月统计用户签到信息,签到记录为1,未签到则记录为0,这样只需要使用31bit就可以保存一个用户当月的签到记录。
把每一个bit位对应当月的每一天,形成映射关系。用0和1表示业务状态,这种思路就称为位图(BitMap)。

BitMap用法

redis中是利用String类型数据结构实现BitMap,因此最大上限是512M,转化为bit则是2^32个bit位。
BitMap的操作命令有:
SETBIT:向指定位置(offset)存入一个0或1
GETBIT:获取指定位置(offset)的bit值
BITCOUNT:统计BitMap中值为1的bit位的数量
BITFIELD:操作(查询、修改、自增)BitMap中bit数组中的指定位置(offset)的值
BITFIELD_RO:获取BitMap中bit数组,并以十进制形式返回
BITOP:将多个BitMap的结果做位运算(与、或、异或)
BITOPS:查找bit数组中指定范围内第一个0或1出现的位置

实现签到功能

UserController中创建接口:

1
2
3
4
@PostMapping("/sign")
public Result sign() {
return userService.sign();
}

IUserService中创建:
Result sign();

在实现类中写具体业务:

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
@Override
public Result sign() {
//1.获取当前用户
Long userId = UserHolder.getUser().getId();
//2.获取当前日期
LocalDateTime now = LocalDateTime.now();
//3.拼接key
String keySuffix = now.format(DateTimeFormatter.ofPattern(":yyyyMM"));
String key = USER_SIGN_KEY + userId + keySuffix;
//4.获取当前是这个月第几天
int dayOfMonth = now.getDayOfMonth();
//5.写入redis SETBIT key offset 1
stringRedisTemplate.opsForValue().setBit(key, dayOfMonth, true);
return Result.ok();
}

签到统计

问题1:什么叫做连续签到天数?
从最后一次签到开始向前统计,直到遇到第一次未签到为止,计算总的签到次数,就是连续签到天数。

问题2:如何得到本月到今天为止的所有签到数据?
BITFILED key GET u[dayOfMonth] 0

问题3:如何从后往前遍历每个bit位?
与1做与运算,就能得到最后一个bit位,随后右移1位,下一个bit位就成了最后一个bit位。

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
//UserService
@GetMapping("/sign/count")
public Result signCount(){
return userService.signCount();
}

//IUserService
Result signCount();

@Override
public Result signCount() {
//1.获取当前用户
Long userId = UserHolder.getUser().getId();
//2.获取当前日期
LocalDateTime now = LocalDateTime.now();
//3.拼接key
String keySuffix = now.format(DateTimeFormatter.ofPattern(":yyyyMM"));
String key = USER_SIGN_KEY + userId + keySuffix;
//4.获取当前是这个月第几天
int dayOfMonth = now.getDayOfMonth();
//5.获取本月截止今天为止所有的签到记录,返回十进制数字
List<Long> result = stringRedisTemplate.opsForValue().bitField(
key, BitFieldSubCommands.create()
.get(BitFieldSubCommands.BitFieldType.unsigned(dayOfMonth)).valueAt(0)
);
if (result == null || result.isEmpty()) {
//没有任何签到结果
return Result.ok(0);
}
Long num = result.get(0);
if (num == null || num == 0) {
return Result.ok(0);
}
//6.循环遍历
int count = 0;
while (true) {
//6.1让这个数字与1做与运算,得到数字最后一个bit位,判断这个bit位是否为0
if ((num & 1) == 0) {
//为0,则未签到,结束
break;
} else {
//如果不为0,已经签到,count+1
count++;
}
//把num右移一位,抛弃最后一个bit位,继续下一个bit位
num >>>= 1;
}
return Result.ok(count);
}