苍穹外卖学习笔记(七)

devtools/2024/11/13 15:18:22/

四.删除菜品

业务规则:

  1. 可以一次删除一个菜品,也可以一次删除多个菜品
  2. 起售中的菜品不能删除
  3. 被套餐关联得菜品不能删除
  4. 删除菜品后,关联得口味数据也需要删除掉
    一共需要操作三个表,注意加@Transactional事物注解
  5. Controller
java">    /*** 删除菜品*/@DeleteMapping@ApiOperation("删除菜品")public Result delete(@RequestParam List<Long> ids) {//@RequestParam接收请求参数log.info("删除菜品:{}", ids);dishService.deleteBatch(ids);return Result.success();}
  1. Service
java"> /*** 删除菜品*/void deleteBatch(List<Long> ids);
  1. Impl
java">/*** 删除菜品*/@Override@Transactionalpublic void deleteBatch(List<Long> ids) {// 判断当前菜品是否可以删除-是否存在启售菜品List<Dish> dishes = dishMapper.selectBatchIds(ids);for (Dish dish : dishes) {if (dish.getStatus().equals(StatusConstant.ENABLE)) {throw new RuntimeException(MessageConstant.DISH_ON_SALE);}}// 判断当前菜品是否可以删除-是否存在套餐List<Long> setmealIds = setmealDishMapper.getSetmealIdsByDishIds(ids);if (setmealIds != null && !setmealIds.isEmpty()) {throw new RuntimeException(MessageConstant.DISH_BE_RELATED_BY_SETMEAL);}// 删除菜品dishMapper.deleteBatchIds(ids);// 删除口味LambdaQueryWrapper<DishFlavor> queryWrapper = new LambdaQueryWrapper<>();queryWrapper.in(DishFlavor::getDishId, ids);dishFlavorMapper.delete(queryWrapper);}
  1. mapper
java">@Mapper
public interface SetmealDishMapper extends BaseMapper<SetmealDish> {@Select.List({@Select("SELECT setmeal_id FROM setmeal_dish WHERE dish_id IN (#{ids})")})List<Long> getSetmealIdsByDishIds(List<Long> ids);
}

五.修改菜品

  1. 根据id查询菜品
  2. 根据类型查询分类(已实现)
  3. 文件上传(已实现)
  4. 修改菜品
    加上@Transactional事务注解
  5. Controller
java">    /*** 根据id查询菜品*/@GetMapping("/{id}")@ApiOperation("根据id查询菜品")public Result<DishVO> getById(@PathVariable Long id) {//@PathVariable接收请求路径中的参数log.info("根据id查询菜品:{}", id);DishVO dishVO = dishService.getByIdWithFlavor(id);return Result.success(dishVO);}/*** 修改菜品*/@PutMapping@ApiOperation("修改菜品")public Result update(@RequestBody DishDTO dishDTO) {log.info("修改菜品:{}", dishDTO);dishService.updateWithFlavor(dishDTO);return Result.success();}
  1. Service
java">  /*** 根据id查询菜品和口味*/DishVO getByIdWithFlavor(Long id);/*** 更新菜品和口味*/void updateWithFlavor(DishDTO dishDTO);
  1. Impl
java">   /*** 根据id查询菜品和口味*/@Override@Transactionalpublic DishVO getByIdWithFlavor(Long id) {// 查询菜品Dish dish = dishMapper.selectById(id);// 查询口味LambdaQueryWrapper<DishFlavor> queryWrapper = new LambdaQueryWrapper<>();queryWrapper.eq(DishFlavor::getDishId, id);List<DishFlavor> flavors = dishFlavorMapper.selectList(queryWrapper);// 封装结果DishVO dishVO = new DishVO();BeanUtils.copyProperties(dish, dishVO);dishVO.setFlavors(flavors);return dishVO;}/*** 更新菜品和口味*/@Override@Transactionalpublic void updateWithFlavor(DishDTO dishDTO) {Dish dish = new Dish();BeanUtils.copyProperties(dishDTO, dish);dishMapper.updateById(dish);// 删除原有口味LambdaQueryWrapper<DishFlavor> queryWrapper = new LambdaQueryWrapper<>();queryWrapper.eq(DishFlavor::getDishId, dish.getId());dishFlavorMapper.delete(queryWrapper);// 插入新口味List<DishFlavor> flavors = dishDTO.getFlavors();if (flavors != null && !flavors.isEmpty()) {flavors.forEach(flavor -> flavor.setDishId(dish.getId()));// 批量插入MybatisBatch<DishFlavor> mybatisBatch = new MybatisBatch<>(sqlSessionFactory, flavors);MybatisBatch.Method<DishFlavor> method = new MybatisBatch.Method<>(DishFlavorMapper.class);mybatisBatch.execute(method.insert());}}

六. 状态

  1. Controller
java">   /*** 修改菜品状态*/@PostMapping("/status/{status}")@ApiOperation("修改菜品状态")public Result updateStatus(@RequestParam Long id, @PathVariable Integer status) {//RequestParam接收请求参数,PathVariable接收请求路径中的参数log.info("修改菜品状态:{}", id);dishService.updateStatus(id, status);return Result.success();}/*** 根据分类id查询菜品*/@GetMapping("/list")@ApiOperation("根据分类id查询菜品")public Result<List<Dish>> listResult(@RequestParam Long categoryId) {log.info("根据分类id查询菜品:{}", categoryId);List<Dish> list = dishService.listByCategoryId(categoryId);return Result.success(list);}
  1. Service
java"> /*** 更新菜品状态*/void updateStatus(Long id, Integer status);/*** 根据分类id查询菜品*/List<Dish> listByCategoryId(Long categoryId);
  1. Impl
java">  /*** 更新菜品状态*/@Override@Transactionalpublic void updateStatus(Long id, Integer status) {Dish dish = dishMapper.selectById(id);if (dish == null) {throw new RuntimeException(MessageConstant.DISH_NOT_FOUND);}dish.setStatus(status);dishMapper.updateById(dish);if (Objects.equals(status, StatusConstant.DISABLE)){// 如果是停售操作,还需要将包含当前菜品的套餐也停售List<Long> ids = new ArrayList<>();ids.add(id);// 查询包含当前菜品的套餐LambdaQueryWrapper<SetmealDish> queryWrapper = new LambdaQueryWrapper<>();queryWrapper.in(SetmealDish::getDishId, ids);List<Long> setmealIds = setmealDishMapper.selectList(queryWrapper).stream().map(SetmealDish::getSetmealId).distinct().toList();if (!setmealIds.isEmpty()) {throw new RuntimeException(MessageConstant.DISH_BE_RELATED_BY_SETMEAL);}}}/*** 根据分类id查询菜品*/@Override@Transactionalpublic List<Dish> listByCategoryId(Long categoryId) {LambdaQueryWrapper<Dish> queryWrapper = new LambdaQueryWrapper<>();queryWrapper.eq(Dish::getCategoryId, categoryId);List<Dish> dishes = dishMapper.selectList(queryWrapper);log.info("根据分类id查询菜品:{}", dishes);return dishes;}

http://www.ppmy.cn/devtools/114903.html

相关文章

多边形抠图 python

目录 多边形抠图 python 多边形贴图 多边形抠图 python import cv2 import numpy as np# 创建带多边形的图像,并将多边形以外的区域设置为0 def mask_polygon(image, poly_a):# 获取多边形的外接矩形框box1_x, box1_y, box1_w, box1_h = cv2.boundingRect(np.asarray(pol…

Linux6-vi/vim

1.vi与vim vi是Linux操作系统下的标准编辑器&#xff0c;类似Windows下的记事本 vim是vi的升级版&#xff0c;包括vi的所有功能&#xff0c;而且支持shell 2.vi/vim下的三种模式 vi/vim有三种模式&#xff1a;命令模式&#xff0c;插入模式和底行模式 命令模式&#xff1a…

JFinal整合Websocket

学习笔记&#xff0c;供大家参考 总结的不错的话&#xff0c;记得点赞收藏关注哦&#xff01;导入JAR包 javax.websocket-api <dependency><groupId>javax.websocket</groupId><artifactId>javax.websocket-api</artifactId><version>1.1&…

Git使用手册

1、初识Git 概述&#xff1a;Git 是一个开源的分布式版本控制系统&#xff0c;可以有效、高速地处理项目版本管理。 知识点补充&#xff1a; 版本控制&#xff1a;一种记录一个或若干文件内容变化&#xff0c;以便将来查阅特定版本修订情况的系统。 分布式&#xff1a;每个人…

JAVA自助高效安全无人台球茶室棋牌室系统小程序源码

​探索“自助高效安全无人台球茶室棋牌室系统”的奇妙之旅 &#x1f3b1;&#x1f375;&#x1f3b2; &#x1f50d; 初见惊艳&#xff1a;未来娱乐新体验 &#x1f50d; 走进这家无人值守的台球茶室棋牌室&#xff0c;第一感觉就像是穿越到了未来&#xff01;没有繁琐的前台登…

中间件知识点-消息中间件(Rabbitmq)一

消息中间件介绍 MQ的作用(优点)主要有以下三个方面&#xff1a; a.异步 b.解耦 c.削峰 MQ的作用(缺点)主要有以下三个方面&#xff1a; a.系统可用性降低 b.系统复杂度提高 c.存在消息一致性问题需要解决 备注&#xff1a; 引入MQ后系统的复杂度会大大提高。 以前服务之间可以…

前后端分离集成CAS单点登录

修改nginx worker_processes 1; events {worker_connections 1024; } http {include mime.types;default_type application/octet-stream;sendfile on;keepalive_timeout 65;server {listen 80;server_name localhost;location /api/ {proxy_pass htt…

reg和wire的区别 HDL语言

文章目录 数据类型根本区别什么时候要定义wire小结 数据类型 HDL语言有三种数据类型&#xff1a;寄存器数据类型&#xff08;reg&#xff09;、线网数据类型&#xff08;wire&#xff09;、参数数据类型&#xff08;parameter&#xff09;。 根本区别 reg&#xff1a; 寄存器…