1. day04 新增和修改商品

2. 分布式ID生成解决方案

2.1. UUID

常见的方式。可以利用数据库也可以利用程序生成,一般来说全球唯一。

优点:

1)简单,代码方便。

2)生成ID性能非常好,基本不会有性能问题。

3)全球唯一,在遇见数据迁移,系统数据合并,或者数据库变更等情况下,可以从容应对。

缺点:

1)没有排序,无法保证趋势递增。

2)UUID往往是使用字符串存储,查询的效率比较低

3)存储空间比较大,如果是海量数据库,就需要考虑存储量的问题。

4)传输数据量大

5)不可读

2.2. Redis

当使用数据库来生成ID性能不够要求的时候,我们可以尝试使用Redis来生成ID。这主要依赖于Redis是单线程的,所以也可以用生成全局唯一的ID。可以用Redis的原子操作 INCR和INCRBY来实现。

优点:

1)不依赖于数据库,灵活方便,且性能优于数据库

2)数字ID天然排序,对分页或者需要排序的结果很有帮助。

缺点:

1)如果系统中没有Redis,还需要引入新的组件,增加系统复杂度。

2)需要编码和配置的工作量比较大

3)网络传输造成性能下降

2.3. snowflake

snowflake是Twitter开源的分布式ID生成算法,结果是一个long型的ID。其核心思想是:使用41bit作为毫秒数,10bit作为机器的ID(5个bit是数据中心,5个bit的机器ID),12bit作为毫秒内的流水号(意味着每个节点在每毫秒可以产生 4096 个 ID),最后还有一个符号位,永远是0

04. day04 新增和修改商品 - 图1

2.4. snowflake测试类

雪花算法编码

  1. package com.changgou.util;
  2. import java.lang.management.ManagementFactory;
  3. import java.net.InetAddress;
  4. import java.net.NetworkInterface;
  5. /**
  6. * <p>名称:IdWorker.java</p>
  7. * <p>描述:分布式自增长ID</p>
  8. *
  9. <pre>
  10. * Twitter的 Snowflake JAVA实现方案
  11. * </pre>
  12. * 核心代码为其IdWorker这个类实现,其原理结构如下,我分别用一个0表示一位,用—分割开部分的作用:
  13. * 1||0---0000000000 0000000000 0000000000 0000000000 0 --- 00000 ---00000 ---000000000000
  14. * 在上面的字符串中,第一位为未使用(实际上也可作为long的符号位),接下来的41位为毫秒级时间,
  15. * 然后5位datacenter标识位,5位机器ID(并不算标识符,实际是为线程标识),
  16. * 然后12位该毫秒内的当前毫秒内的计数,加起来刚好64位,为一个Long型。
  17. * 这样的好处是,整体上按照时间自增排序,并且整个分布式系统内不会产生ID碰撞(由datacenter和机器ID作区分),
  18. * 并且效率较高,经测试,snowflake每秒能够产生26万ID左右,完全满足需要。
  19. * <p>
  20. * 64位ID (42(毫秒)+5(机器ID)+5(业务编码)+12(重复累加))
  21. *
  22. * @author Polim
  23. */
  24. public class IdWorker {
  25. // 时间起始标记点,作为基准,一般取系统的最近时间(一旦确定不能变动)
  26. private final static long twepoch = 1288834974657L;
  27. // 机器标识位数
  28. private final static long workerIdBits = 5L;
  29. // 数据中心标识位数
  30. private final static long datacenterIdBits = 5L;
  31. // 机器ID最大值
  32. private final static long maxWorkerId = -1L ^ (-1L << workerIdBits);
  33. // 数据中心ID最大值
  34. private final static long maxDatacenterId = -1L ^ (-1L << datacenterIdBits);
  35. // 毫秒内自增位
  36. private final static long sequenceBits = 12L;
  37. // 机器ID偏左移12位
  38. private final static long workerIdShift = sequenceBits;
  39. // 数据中心ID左移17位
  40. private final static long datacenterIdShift = sequenceBits + workerIdBits;
  41. // 时间毫秒左移22位
  42. private final static long timestampLeftShift = sequenceBits + workerIdBits + datacenterIdBits;
  43. private final static long sequenceMask = -1L ^ (-1L << sequenceBits);
  44. /* 上次生产id时间戳 */
  45. private static long lastTimestamp = -1L;
  46. // 0,并发控制
  47. private long sequence = 0L;
  48. private final long workerId;
  49. // 数据标识id部分
  50. private final long datacenterId;
  51. public IdWorker(){
  52. this.datacenterId = getDatacenterId(maxDatacenterId);
  53. this.workerId = getMaxWorkerId(datacenterId, maxWorkerId);
  54. }
  55. /**
  56. * @param workerId
  57. * 工作机器ID
  58. * @param datacenterId
  59. * 序列号
  60. */
  61. public IdWorker(long workerId, long datacenterId) {
  62. if (workerId > maxWorkerId || workerId < 0) {
  63. throw new IllegalArgumentException(String.format("worker Id can't be greater than %d or less than 0", maxWorkerId));
  64. }
  65. if (datacenterId > maxDatacenterId || datacenterId < 0) {
  66. throw new IllegalArgumentException(String.format("datacenter Id can't be greater than %d or less than 0", maxDatacenterId));
  67. }
  68. this.workerId = workerId;
  69. this.datacenterId = datacenterId;
  70. }
  71. /**
  72. * 获取下一个ID
  73. *
  74. * @return
  75. */
  76. public synchronized long nextId() {
  77. long timestamp = timeGen();
  78. if (timestamp < lastTimestamp) {
  79. throw new RuntimeException(String.format("Clock moved backwards. Refusing to generate id for %d milliseconds", lastTimestamp - timestamp));
  80. }
  81. if (lastTimestamp == timestamp) {
  82. // 当前毫秒内,则+1
  83. sequence = (sequence + 1) & sequenceMask;
  84. if (sequence == 0) {
  85. // 当前毫秒内计数满了,则等待下一秒
  86. timestamp = tilNextMillis(lastTimestamp);
  87. }
  88. } else {
  89. sequence = 0L;
  90. }
  91. lastTimestamp = timestamp;
  92. // ID偏移组合生成最终的ID,并返回ID
  93. long nextId = ((timestamp - twepoch) << timestampLeftShift)
  94. | (datacenterId << datacenterIdShift)
  95. | (workerId << workerIdShift) | sequence;
  96. return nextId;
  97. }
  98. private long tilNextMillis(final long lastTimestamp) {
  99. long timestamp = this.timeGen();
  100. while (timestamp <= lastTimestamp) {
  101. timestamp = this.timeGen();
  102. }
  103. return timestamp;
  104. }
  105. private long timeGen() {
  106. return System.currentTimeMillis();
  107. }
  108. /**
  109. * <p>
  110. * 获取 maxWorkerId
  111. * </p>
  112. */
  113. protected static long getMaxWorkerId(long datacenterId, long maxWorkerId) {
  114. StringBuffer mpid = new StringBuffer();
  115. mpid.append(datacenterId);
  116. String name = ManagementFactory.getRuntimeMXBean().getName();
  117. if (!name.isEmpty()) {
  118. /*
  119. * GET jvmPid
  120. */
  121. mpid.append(name.split("@")[0]);
  122. }
  123. /*
  124. * MAC + PID 的 hashcode 获取16个低位
  125. */
  126. return (mpid.toString().hashCode() & 0xffff) % (maxWorkerId + 1);
  127. }
  128. /**
  129. * <p>
  130. * 数据标识id部分
  131. * </p>
  132. */
  133. protected static long getDatacenterId(long maxDatacenterId) {
  134. long id = 0L;
  135. try {
  136. InetAddress ip = InetAddress.getLocalHost();
  137. NetworkInterface network = NetworkInterface.getByInetAddress(ip);
  138. if (network == null) {
  139. id = 1L;
  140. } else {
  141. byte[] mac = network.getHardwareAddress();
  142. id = ((0x000000FF & (long) mac[mac.length - 1])
  143. | (0x0000FF00 & (((long) mac[mac.length - 2]) << 8))) >> 6;
  144. id = id % (maxDatacenterId + 1);
  145. }
  146. } catch (Exception e) {
  147. System.out.println(" getDatacenterId: " + e.getMessage());
  148. }
  149. return id;
  150. }
  151. public static void main(String[] args) {
  152. IdWorker idWorker=new IdWorker(0,0);
  153. for(int i=0;i<10000;i++){
  154. long nextId = idWorker.nextId();
  155. System.out.println(nextId);
  156. }
  157. }
  158. }

创建对象 传递机器id(唯一的) 和 序列化

  1. IdWorker idWorker=new IdWorker(1,1);
  2. for(int i=0;i<10000;i++){
  3. long id = idWorker.nextId();
  4. System.out.println(id);
  5. }

输出结果为递增 不重复的long值

2.5. 微服务snowflake

IdWorker.java拷贝到changgou_common工程(公共工程)com.changgou.util包中

在changgou_service_goods的application.yml添加配置

  1. workerId: 0
  2. datacenterId: 0

修改GoodsApplication(启动类),增加自动注入雪花算法类

  1. package com.changgou;
  2. import com.changgou.util.IdWorker;
  3. import org.springframework.beans.factory.annotation.Value;
  4. import org.springframework.boot.SpringApplication;
  5. import org.springframework.boot.autoconfigure.SpringBootApplication;
  6. import org.springframework.cloud.netflix.eureka.EnableEurekaClient;
  7. import org.springframework.context.annotation.Bean;
  8. import tk.mybatis.spring.annotation.MapperScan;
  9. @SpringBootApplication
  10. @EnableEurekaClient
  11. @MapperScan(basePackages = {"com.changgou.goods.dao"})
  12. public class GoodsApplication {
  13. //从配置文件读取值
  14. @Value("${workerId}")
  15. private Integer workerId;
  16. @Value("${datacenterId}")
  17. private Integer datacenterId;
  18. public static void main(String[] args) {
  19. SpringApplication.run(GoodsApplication.class);
  20. }
  21. @Bean
  22. public IdWorker idWorker() {
  23. return new IdWorker(workerId, datacenterId);
  24. }
  25. }

3. 新增和修改商品

3.1. SPU与SKU概念

SPU = Standard Product Unit (标准产品单位)

  • 概念 : SPU 是商品信息聚合的最小单位,是一组可复用、易检索的标准化信息的集合,该集合描述了一个产品的特性。

  • 通俗点讲,属性值、特性相同的货品就可以称为一个 SPU
    例如:华为P30 就是一个 SPU

SKU=stock keeping unit( 库存量单位)

  • SKU 即库存进出计量的单位, 可以是以件、盒、托盘等为单位。

  • SKU 是物理上不可分割的最小存货单元。在使用时要根据不同业态,不同管理模式来处理。

  • 在服装、鞋类商品中使用最多最普遍。
    例如:华为P30 红色 64G 就是一个 SKU

3.2. 代码实现

前端传递给后端的数据格式 是一个spu对象和sku列表组成的对象

  1. {
  2. "spu": {
  3. "name": "这个是商品名称",
  4. "caption": "这个是副标题",
  5. "brandId": 12,
  6. "category1Id": 558,
  7. "category2Id": 559,
  8. "category3Id": 560,
  9. "freightId": 10,
  10. "image": "http://www.changgou.com/image/1.jpg",
  11. "images": "http://www.changgou.com/image/1.jpg,http://www.changgou.com/image/2.jpg",
  12. "introduction": "这个是商品详情,html代码",
  13. "paraItems": "{'出厂年份':'2019','赠品':'充电器'}",
  14. "saleService": "七天包退,闪电退货",
  15. "sn": "020102331",
  16. "specItems": "{'颜色':['红','绿'],'机身内存':['64G','8G']}",
  17. "templateId": 42
  18. },
  19. "skuList": [{
  20. "sn": "10192010292",
  21. "num": 100,
  22. "alertNum": 20,
  23. "price": 900000,
  24. "spec": "{'颜色':'红','机身内存':'64G'}",
  25. "image": "http://www.changgou.com/image/1.jpg",
  26. "images": "http://www.changgou.com/image/1.jpg,http://www.changgou.com/image/2.jpg",
  27. "status": "1",
  28. "weight": 130
  29. },
  30. {
  31. "sn": "10192010293",
  32. "num": 100,
  33. "alertNum": 20,
  34. "price": 600000,
  35. "spec": "{'颜色':'蓝','机身内存':'128G'}",
  36. "image": "http://www.changgou.com/image/1.jpg",
  37. "images": "http://www.changgou.com/image/1.jpg,http://www.changgou.com/image/2.jpg",
  38. "status": "1",
  39. "weight": 130
  40. }
  41. ]
  42. }

3.3. SPU与SKU列表的保存

changgou_service_goods_api工程创建组合实体类Goods

  1. package com.changgou.goods.pojo;
  2. import java.io.Serializable;
  3. import java.util.List;
  4. public class Goods implements Serializable {
  5. //spu
  6. private Spu spu;
  7. //sku集合
  8. private List<Sku> skuList;
  9. public Spu getSpu() {
  10. return spu;
  11. }
  12. public void setSpu(Spu spu) {
  13. this.spu = spu;
  14. }
  15. public List<Sku> getSkuList() {
  16. return skuList;
  17. }
  18. public void setSkuList(List<Sku> skuList) {
  19. this.skuList = skuList;
  20. }
  21. }

changgou_service_goods工程SpuService 新增方法add 修改为Goods pojo

  1. /***
  2. * 新增
  3. * @param goods
  4. */
  5. void add(Goods goods);

SpuServiceImpl 修改add方法

  1. @Autowired
  2. private IdWorker idWorker;
  3. @Autowired
  4. private CategoryMapper categoryMapper;
  5. @Autowired
  6. private BrandMapper brandMapper;
  7. @Autowired
  8. private SkuMapper skuMapper;
  9. @Transactional
  10. @Override
  11. public void add(Goods goods) {
  12. //添加spu
  13. Spu spu = goods.getSpu();
  14. //设置分布式id
  15. spu.setId(String.valueOf(idWorker.nextId()));
  16. //设置删除状态
  17. spu.setIsDelete("0"); //未被删除
  18. //设置上架状态
  19. spu.setIsMarketable("0"); //未上架
  20. //审核状态
  21. spu.setStatus("0"); //未审核
  22. spuMapper.insertSelective(spu);
  23. //添加sku集合
  24. this.saveSkuList(goods);
  25. }
  26. //添加sku数据
  27. private void saveSkuList(Goods goods) {
  28. Spu spu = goods.getSpu();
  29. //查询分类对象
  30. Category category = categoryMapper.selectByPrimaryKey(spu.getCategory3Id());
  31. //查询品牌对象
  32. Brand brand = brandMapper.selectByPrimaryKey(spu.getBrandId());
  33. //获取sku集合
  34. List<Sku> skuList = goods.getSkuList();
  35. if (skuList != null) {
  36. //遍历集合 循环填充数据 并添加到数据库中
  37. for (Sku sku : skuList) {
  38. //设置skuId
  39. sku.setId(String.valueOf(idWorker.nextId()));
  40. //设置sku规格数据
  41. if (StringUtils.isEmpty(sku.getSpec())) {
  42. sku.setSpec("{}");
  43. }
  44. //设置sku名称 spu名称+规格
  45. String name = spu.getName();
  46. //将规格json转为map 将map中的value进行拼接
  47. Map<String, String> specMap = JSON.parseObject(sku.getSpec(), Map.class);
  48. if (specMap != null && specMap.size() > 0) {
  49. for (String value : specMap.values()) {
  50. name += " " + value;
  51. }
  52. }
  53. sku.setName(name);
  54. //设置spu id
  55. sku.setSpuId(spu.getId());
  56. //设置创建和修改时间
  57. sku.setCreateTime(new Date());
  58. sku.setUpdateTime(new Date());
  59. //商品分类id
  60. sku.setCategoryId(category.getId());
  61. //设置商品分类名称
  62. sku.setCategoryName(category.getName());
  63. //设置品牌名称
  64. sku.setBrandName(brand.getName());
  65. //将sku添加到数据
  66. skuMapper.insertSelective(sku);
  67. }
  68. }
  69. }

修改controller层spu的add方法

  1. /***
  2. * 新增数据
  3. * @param goods
  4. * @return
  5. */
  6. @PostMapping
  7. public Result add(@RequestBody Goods goods){
  8. spuService.add(goods);
  9. return new Result(true,StatusCode.OK,"添加成功");
  10. }

3.4. 品牌与分类关联

将分类ID与SPU的品牌ID 一起插入到tb_category_brand表中

创建实体类

  1. package com.changgou.goods.pojo;
  2. import javax.persistence.Id;
  3. import javax.persistence.Table;
  4. @Table(name = "tb_category_brand")
  5. public class CategoryBrand {
  6. //分类id
  7. @Id
  8. private Integer category_id;
  9. //品牌id
  10. @Id
  11. private Integer brandId;
  12. public Integer getCategory_id() {
  13. return category_id;
  14. }
  15. public void setCategory_id(Integer category_id) {
  16. this.category_id = category_id;
  17. }
  18. public Integer getBrandId() {
  19. return brandId;
  20. }
  21. public void setBrandId(Integer brandId) {
  22. this.brandId = brandId;
  23. }
  24. }

mapper层

  1. package com.changgou.goods.dao;
  2. import com.changgou.goods.pojo.CategoryBrand;
  3. import tk.mybatis.mapper.common.Mapper;
  4. public interface CategoryBrandMapper extends Mapper<CategoryBrand> {
  5. }

SpuServiceImpl 注入 并封装CategoryBrand 判断表中是否有值 如无则插入

  1. @Autowired
  2. private CategoryBrandMapper categoryBrandMapper;
  3. //添加sku数据
  4. private void saveSkuList(Goods goods) {
  5. Spu spu = goods.getSpu();
  6. //查询分类对象
  7. Category category = categoryMapper.selectByPrimaryKey(spu.getCategory3Id());
  8. //查询品牌对象
  9. Brand brand = brandMapper.selectByPrimaryKey(spu.getBrandId());
  10. //获取品牌与分类的关联关系
  11. //查询关联表
  12. CategoryBrand categoryBrand = new CategoryBrand();
  13. categoryBrand.setBrandId(spu.getBrandId());
  14. categoryBrand.setCategory_id(spu.getCategory3Id());
  15. int count = categoryBrandMapper.selectCount(categoryBrand);
  16. if (count == 0) {
  17. //品牌和分类没有关联关系
  18. categoryBrandMapper.insert(categoryBrand);
  19. }
  20. //获取sku集合
  21. List<Sku> skuList = goods.getSkuList();
  22. if (skuList != null) {
  23. //遍历集合 循环填充数据 并添加到数据库中
  24. for (Sku sku : skuList) {
  25. //设置skuId
  26. sku.setId(String.valueOf(idWorker.nextId()));
  27. //设置sku规格数据
  28. if (StringUtils.isEmpty(sku.getSpec())) {
  29. sku.setSpec("{}");
  30. }
  31. //设置sku名称 spu名称+规格
  32. String name = spu.getName();
  33. //将规格json转为map 将map中的value进行拼接
  34. Map<String, String> specMap = JSON.parseObject(sku.getSpec(), Map.class);
  35. if (specMap != null && specMap.size() > 0) {
  36. for (String value : specMap.values()) {
  37. name += " " + value;
  38. }
  39. }
  40. sku.setName(name);
  41. //设置spu id
  42. sku.setSpuId(spu.getId());
  43. //设置创建和修改时间
  44. sku.setCreateTime(new Date());
  45. sku.setUpdateTime(new Date());
  46. //商品分类id
  47. sku.setCategoryId(category.getId());
  48. //设置商品分类名称
  49. sku.setCategoryName(category.getName());
  50. //设置品牌名称
  51. sku.setBrandName(brand.getName());
  52. //将sku添加到数据
  53. skuMapper.insertSelective(sku);
  54. }
  55. }
  56. }

3.5. 根据id查询商品

changgou_service_goods工程SpuService新增方法定义

  1. Goods findGoodsById(String id);

serviceimpl实现此方法

  1. /**
  2. * 根据id查询spu和sku列表信息
  3. * @param id
  4. * @return
  5. */
  6. @Override
  7. public Goods findGoodsById(String id) {
  8. Goods goods =new Goods();
  9. //查询spu信息 封装到goods中
  10. Spu spu = spuMapper.selectByPrimaryKey(id);
  11. goods.setSpu(spu);
  12. //查询sku 封装
  13. Example example = new Example(Sku.class);
  14. Example.Criteria criteria = example.createCriteria();
  15. //根据spu进行sku列表查询
  16. criteria.andEqualTo("spuId",id);
  17. List<Sku> skus = skuMapper.selectByExample(example);
  18. goods.setSkuList(skus);
  19. return goods;
  20. }

修改SpuController的findById方法

  1. /***
  2. * 根据ID查询数据
  3. * @param id
  4. * @return
  5. */
  6. @GetMapping("/{id}")
  7. public Result findById(@PathVariable String id){
  8. // Spu spu = spuService.findById(id);
  9. Goods goods = spuService.findGoodsById(id);
  10. return new Result(true,StatusCode.OK,"查询成功",goods);
  11. }

3.6. 保存修改

changgou_service_goods工程SpuService修改方法定义

  1. /***
  2. * 修改
  3. * @param goods
  4. */
  5. void update(Goods goods);

changgou_service_goods工程SpuServiceImpl实现此方法

  1. /**
  2. * 修改
  3. *
  4. * @param goods
  5. */
  6. @Transactional
  7. @Override
  8. public void update(Goods goods) {
  9. //修改spu
  10. Spu spu = goods.getSpu();
  11. spuMapper.updateByPrimaryKey(spu);
  12. //修改sku 删除原有的sku列表 重新添加sku列表
  13. Example example=new Example(Sku.class);
  14. Example.Criteria criteria = example.createCriteria();
  15. criteria.andEqualTo("spuId",spu.getId());
  16. skuMapper.deleteByExample(example);
  17. //重新添加sku列表
  18. this.saveSkuList(goods);
  19. }

controller

  1. /***
  2. * 修改数据
  3. * @param goods
  4. * @param id
  5. * @return
  6. */
  7. @PutMapping(value="/{id}")
  8. public Result update(@RequestBody Goods goods,@PathVariable String id){
  9. spuService.update(goods);
  10. return new Result(true,StatusCode.OK,"修改成功");
  11. }

3.7. 商品审核和上下架

商品新增后,审核状态为0(未审核),默认为下架状态。

审核商品,需要校验是否是被删除的商品,如果未删除则修改审核状态为1,并自动上架

下架商品,需要校验是否是被删除的商品,如果未删除则修改上架状态为0

上架商品,需要审核状态为1,如果为1,则更改上下架状态为1

3.7.1. 商品审核

需要校验是否是被删除的商品,如果未删除则修改审核状态为1,并自动上架

SpuService新增方法

  1. //商品审核并自动上架
  2. void audit(String id);

SpuServiceImpl实现方法

  1. @Override
  2. @Transactional
  3. public void audit(String id) {
  4. //查询spu对象
  5. Spu spu = spuMapper.selectByPrimaryKey(id);
  6. if (spu == null){
  7. throw new RuntimeException("当前商品不存在");
  8. }
  9. //判断当前spu是否处于删除状态
  10. if ("1".equals(spu.getIsDelete())){
  11. throw new RuntimeException("当前商品处于删除状态");
  12. }
  13. //不是删除状态 修改审核状态为1 上下架状态为1
  14. spu.setStatus("1");
  15. spu.setIsMarketable("1");
  16. //修改表数据
  17. spuMapper.updateByPrimaryKey(spu);
  18. }

SpuController实现方法

  1. @PutMapping("/audit/{id}")
  2. public Result audit(@PathVariable("id") String id){
  3. spuService.audit(id);
  4. return new Result(true,StatusCode.OK,"商品审核成功");
  5. }

3.7.2. 下架商品

校验是否是被删除的商品,如果未删除则修改上架状态为0

SpuService新增方法

  1. //商品下架
  2. void pull(String id);

SpuServiceImpl实现方法

  1. @Override
  2. @Transactional
  3. public void pull(String id) {
  4. //查询spu
  5. Spu spu = spuMapper.selectByPrimaryKey(id);
  6. if (spu == null){
  7. throw new RuntimeException("当前商品不存在");
  8. }
  9. //判断当前商品是否处于删除状态
  10. if ("1".equals(spu.getIsDelete())){
  11. throw new RuntimeException("当前商品处于删除状态");
  12. }
  13. //商品处于未删除状态 则修改上下架状态为已下架
  14. spu.setIsMarketable("0");
  15. spuMapper.updateByPrimaryKeySelective(spu);
  16. }

controller

  1. @PutMapping("/pull/{id}")
  2. public Result pull(@PathVariable("id") String id){
  3. spuService.pull(id);
  4. return new Result(true,StatusCode.OK,"商品下架成功");
  5. }

3.7.3. 上架商品

必须是通过审核的商品才能上架

SpuService新增方法

  1. //商品上架
  2. void put(String id);

SpuServiceImpl 实现此方法

  1. @Override
  2. @Transactional
  3. public void put(String id) {
  4. //查询spu
  5. Spu spu = spuMapper.selectByPrimaryKey(id);
  6. if (spu == null){
  7. throw new RuntimeException("当前商品不存在");
  8. }
  9. //商品审核状态是否为已审核
  10. if ("0".equals(spu.getStatus())){
  11. throw new RuntimeException("当前商品未审核");
  12. }
  13. //上架状态改为1 已上架
  14. spu.setIsMarketable("1");
  15. spuMapper.updateByPrimaryKeySelective(spu);
  16. }

SpuController新增方法

  1. @PutMapping("/put/{id}")
  2. public Result put(@PathVariable("id") String id){
  3. spuService.put(id);
  4. return new Result(true,StatusCode.OK,"商品上架成功");
  5. }

3.8. 删除与还原商品

商品列表中的删除商品功能,并非真正的删除(物理删除),而是采用逻辑删除将删除标记的字段设置为1.

在回收站中有还原商品的功能,将删除标记的字段设置为0

在回收站中有删除商品的功能,是真正的物理删除,将数据从数据库中删除掉。

商品列表中的删除商品,执行逻辑删除,修改spu表is_delete字段为1

商品回收站中的还原商品,修改spu表is_delete字段为0

商品回收站中的删除商品,执行delete操作,进行物理删除

3.8.1. 逻辑删除商品

修改SpuServiceImpl的delete方法

  1. /**
  2. * 删除
  3. *
  4. * @param id
  5. */
  6. @Override
  7. @Transactional
  8. public void delete(String id) {
  9. //逻辑删除
  10. //查询spu
  11. Spu spu = spuMapper.selectByPrimaryKey(id);
  12. if (spu == null){
  13. throw new RuntimeException("当前商品不存在");
  14. }
  15. //当前商品是否处于下架状态
  16. if ("1".equals(spu.getIsMarketable())){
  17. throw new RuntimeException("当前商品必须处于下架状态才能删除");
  18. }
  19. //已下架商品 则修改逻辑删除状态
  20. spu.setIsDelete("1");
  21. spu.setStatus("0"); //未审核
  22. spuMapper.selectByPrimaryKey(spu);
  23. }

3.8.2. 商品还原

SpuService新增方法

  1. //还原商品
  2. void restore(String id);

impl实现方法

  1. @Override
  2. @Transactional
  3. public void restore(String id) {
  4. //查询spu
  5. Spu spu = spuMapper.selectByPrimaryKey(id);
  6. if (spu == null) {
  7. throw new RuntimeException("当前商品不存在");
  8. }
  9. //当前商品已经删除
  10. if ("0".equals(spu.getIsDelete())) {
  11. throw new RuntimeException("当前商品未被删除");
  12. }
  13. //修改删除状态 和审核状态
  14. spu.setIsDelete("0");
  15. spu.setStatus("0"); //未审核
  16. spuMapper.selectByPrimaryKey(spu);
  17. }

SpuController新增方法

  1. @PutMapping("/restore/{id}")
  2. public Result restore(@PathVariable("id") String id){
  3. spuService.restore(id);
  4. return new Result(true,StatusCode.OK,"商品还原成功");
  5. }

3.8.3. 物理删除

判断必须逻辑删除商品才能物理删除

service层

  1. //物理删除商品
  2. void realDel(String id);

impl

  1. @Override
  2. @Transactional
  3. public void realDel(String id) {
  4. //查询spu
  5. Spu spu = spuMapper.selectByPrimaryKey(id);
  6. if (spu == null) {
  7. throw new RuntimeException("当前商品不存在");
  8. }
  9. //当前商品未删除
  10. if ("0".equals(spu.getIsDelete())) {
  11. throw new RuntimeException("当前商品未被删除");
  12. }
  13. //执行删除
  14. spuMapper.deleteByPrimaryKey(id);
  15. }

controller

  1. @DeleteMapping("/realDel/{id}")
  2. public Result realDel(@PathVariable("id") String id) {
  3. spuService.realDel(id);
  4. return new Result(true, StatusCode.OK, "商品删除成功");
  5. }