瑞吉外卖优化

1.缓存问题

  • 用户数量多,系统访问量大频繁访问数据库,系统性能下降,用户体验差

2.导入依赖 和配置

        <dependency><groupId>org.springframework.boot</groupId><artifactId>spring-boot-starter-data-redis</artifactId></dependency>
spring:  redis:host: 自己的地址password: 自己的密码database: 0port: 6379

3.key序列化配置类

@Configuration
public class RedisConfig extends CachingConfigurerSupport {@Beanpublic RedisTemplate<Object,Object> redisTemplate(RedisConnectionFactory connectionFactory){RedisTemplate<Object,Object> redisTemplate=new RedisTemplate<>();//默认的key序列化器为:JdkSerializationRedisSerializerredisTemplate.setKeySerializer(new StringRedisSerializer());redisTemplate.setHashValueSerializer(new StringRedisSerializer());return redisTemplate;}
}

4.缓存短信验证码

4.1实现思路

1.引入RedisTemplate

2.设置验证码缓存到redis

3.登陆成功删除redis中的验证码

4.2代码 

@Slf4j
@RestController
@RequestMapping("/user")
public class UserController {@Autowiredprivate UserService userService;@Autowiredprivate RedisTemplate redisTemplate;/*** 发送手机短信验证码** @param user* @return*/@PostMapping("/sendMsg")public R<String> sendMsg(@RequestBody User user, HttpSession session) {//1.获取手机号String phone = user.getPhone();if (StringUtils.isNotEmpty(phone)) {//2.生成四位的验证码String code = ValidateCodeUtils.generateValidateCode(4).toString();//查看验证码log.info("code={}", code);//3.调用阿里云短信服务完成发送//若要真的发送,执行下面
//            SMSUtils.sendMessage("签名","",phone,code);//4.生成的验证码保存到session
//            session.setAttribute(phone, code);//优化,将生成的验证码缓存到redis中,有效期5分钟redisTemplate.opsForValue().set(phone, code, 5, TimeUnit.MINUTES);return R.success("发送验证码发送成功");}return R.success("发送失败");}/*** 移动端登录*/@PostMapping("/login")public R<User> login(@RequestBody Map map, HttpSession session) {//1.获取手机号String phone = map.get("phone").toString();//2.获取验证码String code = map.get("code").toString();//3.从Session中获取保存的验证码进行比对
//        Object codeInSession = session.getAttribute(phone);//优化:从redis中获取缓存验证码Object codeInSession = redisTemplate.opsForValue().get(phone);//4.如果比对成功,判断手机号是否在用户表中if (codeInSession != null && codeInSession.equals(code)) {//登陆成功LambdaQueryWrapper<User> queryWrapper = new LambdaQueryWrapper<>();queryWrapper.eq(User::getPhone, phone);User user = userService.getOne(queryWrapper);if (user == null) {//新用户//5.如果不在用户表,则自动完成注册user = new User();user.setPhone(phone);user.setStatus(1);userService.save(user);}session.setAttribute("user", user.getId());//优化:如果用户登陆成功,删除redis缓存的验证码redisTemplate.delete(phone);return R.success(user);}return R.error("登陆失败");}
}

4.3测试

已经存到redis中

5.缓存菜品数据

5.1实现思路

1、改造DishController的list方法,先从Redis中获取菜品数据,如果有则直接返回,无需查询数据库;如果没有则查询数据库,并将查询到的菜品数据放入Redis。

2、改造DishController的save和update方法,加入清理缓存的逻辑、

注意:在使用缓存过程中,要注意保证数据库中的数据和缓存中的数据一致,如果数据库中的数据发生变化,需要及时清理缓存数据。

5.2代码风暴

   @GetMapping("/list")public R<List<DishDto>> list(Dish dish) {List<DishDto> dishDtoList = null;//动态构造keyString key = "dish_" + dish.getCategoryId() + "_" + dish.getStatus();//1.先从redis中获取缓存数据dishDtoList = (List<DishDto>) redisTemplate.opsForValue().get(key);if (dishDtoList != null) {//2.如果存在,直接返回,无需查询数据库return R.success(dishDtoList);}//3.如果不存在,查询数据库,再缓存到redisLambdaQueryWrapper<Dish> queryWrapper = new LambdaQueryWrapper<>();queryWrapper.eq(dish.getCategoryId() != null, Dish::getCategoryId, dish.getCategoryId());queryWrapper.eq(Dish::getStatus, 1);queryWrapper.orderByDesc(Dish::getSort).orderByAsc(Dish::getUpdateTime);List<Dish> list = dishService.list(queryWrapper);dishDtoList = list.stream().map((item) -> {DishDto dishDto = new DishDto();//拷贝BeanUtils.copyProperties(item, dishDto);Long categoryId = item.getCategoryId();//分类idCategory category = categoryService.getById(categoryId);if (category != null) {String categoryName = category.getName();dishDto.setCategoryName(categoryName);}Long dishId = item.getId();LambdaQueryWrapper<DishFlavor> queryWrapper1 = new LambdaQueryWrapper<>();queryWrapper1.eq(DishFlavor::getDishId, dishId);List<DishFlavor> dishFlavors = dishFlavorService.list(queryWrapper1);dishDto.setFlavors(dishFlavors);return dishDto;}).collect(Collectors.toList());//查询完数据库,在将数据缓存到redisredisTemplate.opsForValue().set(key,dishDtoList,60, TimeUnit.MINUTES);return R.success(dishDtoList);}

 5.3测试

再次查询时就是从redis缓存中获取了

5.3更新菜品时删除对应的redis缓存 

@PutMapping()public R<String> put(@RequestBody DishDto dishDto) {dishService.updateWithFlavor(dishDto);//清理所有菜品的缓存数据
//        Set keys = redisTemplate.keys("dish_*");
//        redisTemplate.delete(keys);//精确清理,清理某个分类下面的缓存String key="dish_"+dishDto.getCategoryId()+"_1";redisTemplate.delete(key);return R.success("修改成功");}

5.4添加菜品时删除对应的redis缓存

 @PostMapping()public R<String> save(@RequestBody DishDto dishDto) {dishService.saveWithFlavor(dishDto);//清理所有菜品的缓存数据
//        Set keys = redisTemplate.keys("dish_*");
//        redisTemplate.delete(keys);//精确清理,清理某个分类下面的缓存String key="dish_"+dishDto.getCategoryId()+"_1";redisTemplate.delete(key);return R.success("新增菜品成功");}

6.缓存套餐数据【注解】

  • 1、导入Spring Cache和Redis相关maven坐标
  • 2、在application.yml中配置缓存数据的过期时间
  • 3、在启动类上加入@EnableCaching注解,开启缓存注解功能
  • 4、在SetmealController的list方法上加入@Cacheable注解
  • 5、在SetmealController的save和delete方法上加入CacheEvict注解

6.1引入依赖 

        <dependency><groupId>org.springframework.boot</groupId><artifactId>spring-boot-starter-data-redis</artifactId></dependency><dependency><groupId>org.springframework.boot</groupId><artifactId>spring-boot-starter-cache</artifactId></dependency>

6.2开启注解缓存

@Slf4j
@SpringBootApplication
@ServletComponentScan
@EnableTransactionManagement
@EnableCaching //开启注解缓存
public class ProductRuijiApplication {public static void main(String[] args) {SpringApplication.run(ProductRuijiApplication.class, args);log.info("程序启动成功");}
}

6.3查询套餐时加入缓存

    @Cacheable(value = "setmealCache",key = "#setmeal.categoryId+'_'+#setmeal.status")@GetMapping("/list")public R<List<Setmeal>> list( Setmeal setmeal) {LambdaQueryWrapper<Setmeal> queryWrapper = new LambdaQueryWrapper<>();queryWrapper.eq(setmeal.getCategoryId() != null, Setmeal::getCategoryId, setmeal.getCategoryId());queryWrapper.eq(setmeal.getStatus() != null, Setmeal::getStatus, setmeal.getStatus());queryWrapper.orderByDesc(Setmeal::getUpdateTime);List<Setmeal> list = setmealService.list(queryWrapper);return R.success(list);}

6.4删除套餐时删除缓存

   @CacheEvict(value = "setmealCache",allEntries = true)@DeleteMappingpublic R<String> delete(@RequestParam List<Long> ids) {setmealService.removeWithDish(ids);return R.success("删除套餐成功");}

本文来自互联网用户投稿,该文观点仅代表作者本人,不代表本站立场。本站仅提供信息存储空间服务,不拥有所有权,不承担相关法律责任。如若转载,请注明出处:http://www.hqwc.cn/news/211976.html

如若内容造成侵权/违法违规/事实不符,请联系编程知识网进行投诉反馈email:809451989@qq.com,一经查实,立即删除!

相关文章

Matrix

Matrix 如下是四种变换对应的控制参数&#xff1a; Rect 常用的一个“绘画相关的工具类”&#xff0c;常用来描述长方形/正方形&#xff0c;他只有4个属性&#xff1a; public int left; public int top; public int right; public int bottom; 这4个属性描述着这一个“方块…

JavaWeb——感谢尚硅谷官方文档

JavaWeb——感谢尚硅谷官方文档 XML一、xml简介二、xml的语法1、文档申明2、xml注释3、xml元素4、xml属性5、xml语法规则 三、xml解析技术1、使用dom4j解析xml Tomcat一、JavaWeb的概念二、web资源的分类三、常见的web服务器四、Tomcat的使用1、安装2、Tomcat的目录介绍3 启动T…

C++设计模式之工厂模式(下)——抽象工厂模式

抽象工厂模式 介绍示例示例使用运行结果抽象工厂模式的优缺点优点缺点 总结 介绍 抽象工厂模式是一种创建型设计模式&#xff0c;它提供了一种封装一组相关或相互依赖对象的方式&#xff0c;而无需指定它们具体的类。它允许客户端使用抽象接口来创建一系列相关的对象&#xff…

如何下载OpenJDK及其源码

如果想下载 OpenJDK&#xff0c;存在以下几种办法&#xff1a; 最简单的办法是去 OpenJDK 官网&#xff0c;这里能下载 JDK9 及其以上的版本&#xff0c;还有 JDK 源码所在的 github 地址。 第二种方法是使用 IDEA 下载&#xff0c;位置在 File->Project Structure->SD…

2023亚太杯数学建模竞赛C题详细代码解析建模

C题&#xff1a;The Development Trend of New Energy Electric Vehicles in China中国谈新能源电动汽车的发展趋势 第一问部分&#xff1a; import numpy as np import pandas as pd import matplotlib.pyplot as plt from sklearn.cluster import KMeans from sklearn.prep…

OmniGraffle

安装 在mac上安装OmniGraffle&#xff0c;找一个正版或者啥的都行&#xff0c;安装好后&#xff0c;可以直接在网上找一个激活码&#xff0c;然后找到软件的许可证&#xff0c;进行添加即可。 使用 新建空白页 然后图形啥的看一眼工具栏就知道了&#xff0c;颜色形状还是挺…

API自动化测试:如何构建高效的测试流程

一、引言 在当前的软件开发环境中&#xff0c;API&#xff08;Application Programming Interface&#xff09;扮演了极为重要的角色&#xff0c;连接着应用的各个部分。对API进行自动化测试能够提高测试效率&#xff0c;降低错误&#xff0c;确保软件产品的质量。本文将通过实…

DDoS攻击和CC攻击有什么不同之处?

DDoS是针对服务器IP发起&#xff0c;CC攻击针对的是业务端口。DDoS攻击打的是网站的服务器&#xff0c;而CC攻击是针对网站的页面攻击&#xff0c;用术语来说就是&#xff0c;一个是WEB网络层拒绝服务攻击&#xff08;DDoS&#xff09;&#xff0c;一个是WEB应用层拒绝服务攻击…

◢Django 分页+搜索

1、搜索数据 从数据库中获取数据&#xff0c;并进行筛选&#xff0c;xx__contains q作为条件&#xff0c;查找的是xx列中有q的所有数据条 当有多个筛选条件时&#xff0c;将条件变成一个字典&#xff0c;传入 **字典 &#xff0c;ORM会自行翻译并查找。 筛选电话号码这一列…

redis运维(十九)redis 的扩展应用 lua(一)

一 redis 的扩展应用 lua redis如何保证原子操作 说明&#xff1a;引入lua脚本,核心解决原子性问题 ① redis为什么引入lua? lua脚本本身体积小,启动速度快 ② redis引入lua的优势 小结&#xff1a; 类似自定义redis命令 ③ redis中如何使用lua ④ EVAL 说明&#…

git clone -mirror 和 git clone 的区别

目录 前言两则区别git clone --mirrorgit clone 获取到的文件有什么不同瘦身仓库如何选择结语开源项目 前言 Git是一款强大的版本控制系统&#xff0c;通过Git可以方便地管理代码的版本和协作开发。在使用Git时&#xff0c;常见的操作之一就是通过git clone命令将远程仓库克隆…

FreeSQL 基本使用

FreeSQL连接MySQL 安装 FeeSql相关库 FreeSql 基本库 FreeSql.DbContext FreeSql.Extensions.Linq linq语法扩展库 FreeSql.Provider.Mysql MySQL连接库 新建DbConent.cs public class Base{static string connstr "Data Source127.0.0.1;Port3306;User IDroot;Pa…