三级分类
三级分类对应的表
controller
service
serviceImpl
获取到数据
过滤器筛选一级标题
@RequestMapping("/list/tree")
//@RequiresPermissions("product:category:list")
public R list(){
List<CategoryEntity> entities = categoryService.listWithTree();
//过滤器 得到一级标题 parent_cid == 0
List<CategoryEntity> level1Menus = entities.stream().filter((categoryEntity) -> {
return categoryEntity.getParentCid() == 0;
}).collect(Collectors.toList());
return R.ok().put("data", level1Menus);
}
筛选子类
在CategoryEnity里添加子类的属性
/**
* 子分类
*/
@TableField(exist = false)//子类在数据库中不存在
private List<CategoryEntity> children;
启动前后端,在后台管理系统的 系统管理-> 菜单管理中 添加商品菜单及其分类
在moudles下新建product文件夹新建procuct.vue
成功
测试验证码
登录时的验证码是请求renrnefast模块的,所以需要将renrenfast注册到注册中心中
注册成功
设置路由
解决方法:
在网关中配置允许跨域
import org.springframework.context.annotation.Bean;
import org.springframework.context.annotation.Configuration;
import org.springframework.web.cors.CorsConfiguration;
import org.springframework.web.cors.reactive.CorsWebFilter;
import org.springframework.web.cors.reactive.UrlBasedCorsConfigurationSource;
@Configuration
public class MyCrosConfig {
@Bean
public CorsWebFilter CorsWebFilter(){
UrlBasedCorsConfigurationSource source = new UrlBasedCorsConfigurationSource();
CorsConfiguration corsConfiguration = new CorsConfiguration();
// 这里配置跨域
corsConfiguration.addAllowedHeader("*");
corsConfiguration.addAllowedMethod("*");
corsConfiguration.addAllowedOrigin("*");
corsConfiguration.setAllowCredentials(true);
source.registerCorsConfiguration("/**",corsConfiguration);
return new CorsWebFilter(source);
}
}
进入成功
我们将相应模块的配置放在相应的命名空间中 而服务注册放在public中
已经可以从后端获取到数据了,接下俩完善前端页面展示数据
{{ node.label }}
append(data)">
Append
remove(node, data)">
Delete
自己写一个删除方法
逻辑删除 修改数据的展示状态码
这里建议根据你导入的mybatis-plus依赖版本去查看相应文档,不同版本,配置过程不大相同
在mybatis-plus官方文档有使用方法,有一说一,mybatis-plus这第一个大图给我看乐了,太逗了逻辑删除 | MyBatis-Plus
进行全局配置
前端代码完善
{{ node.label }}
append(data)">
Append
remove(node, data)">
Delete
这是一段信息
append(data) {
this.dialogVisible = true;
},
完善新增效果
{{ node.label }}
append(data)">
Append
remove(node, data)">
Delete
edit(data)">
Edit
data() {
return {
title: "",
//根据点击append\edit判断对话框类型
dialogType:"",
//添加菜单id
category: { name: "", parentCid: 0, catLevel: 0, showStatus: 1, sort: 0, catId: null },
dialogVisible: false,
menus: [],
expandedKey: [],
defaultProps: {
children: 'children',
label: 'name'
}
};
},
edit(data) {
this.dialogVisible = true;
this.dialogType = "edit";
this.title = "修改分类";
//发送请求获取当前节点最新的数据
this.$http({
url: this.$http.adornUrl(`/product/category/info/${data.catId}`),
method: 'get',
params: this.$http.adornParams({})
}).then(({ data }) => {
//请求成功,将真正的数据进行回显
console.log("要回显的数据:", data);
this.category.name = data.data.name;
this.category.catId = data.data.catId;
this.category.icon = data.data.icon;
this.category.productUnit = data.data.productUnit;
this.category.parentCid = data.data.parentCid;
});
},
append(data) {
this.dialogVisible = true;
this.dialogType = "add";
this.title = "添加分类";
this.dialogVisible = true;
this.category.parentCid = data.catId;
this.category.catLevel = data.catLevel * 1 + 1;
this.category.catId = null;
this.category.name = "";
this.category.icon = "";
this.category.productUnit = "";
this.category.sort = 0;
this.category.showStatus = 1;
},
submitData() {
if (this.dialogType == "add") {
this.addCategory();
}
if (this.dialogType == "edit") {
this.editCategory();
}
},
editCategory() {
var { catId, name, icon, productUnit } = this.category;
var data = { catId, name, icon, productUnit };
this.$http({
url: this.$http.adornUrl('/product/category/update'),
method: 'post',
data: this.$http.adornData(data, false)
}).then(({ data }) => {
this.$message({
message: "菜单修改成功",
type: "success",
});
this.dialogVisible = false;
this.getMenus();
this.expandedKey = [this.category.parentCid]
});
},
addCategory() {
console.log(this.category);
this.$http({
url: this.$http.adornUrl("/product/category/save"),
method: "post",
data: this.$http.adornData(this.category, false)
}).then(({ data }) => {
this.$message({
message: "菜单添加成功",
type: "success"
});
//关闭对话框
this.dialogVisible = false;
this.getMenus();
this.expandedKey = [this.category.parentCid]
});
},
修改成功
批量保存
批量删除
{{ node.label }}
append(data)">
Append
edit(data)">
Edit
remove(node, data)">
Delete
生成品牌管理
将之前逆向工程生成的前端代码的品牌页面相关的放到product文件夹下
在数据库中的备注会在逆向工程生成前端代码中生成表格字段
权限按钮展示
updateBrandStatus(data){
//只需要品牌id和品牌状态两个数据,进行解构剔除掉没用的数据
let {brandId,showStatus} = data;
this.$http({
url: this.$http.adornUrl('/product/brand/update'),
method: 'post',
data: this.$http.adornData({brandId,showStatus}, false)
}).then(({ data }) => {
this.$message({
type: "success",
message: "状态更新成功"
})
});
},
微服务分布式的项目中,无论浏览器发给哪个服务进行文件上传\下载,它要上传\下载的文件都统一存储在一个文件系统里
这里使用我的阿里云对象存储oss,oss不仅在本项目可以用到,还可以用来搭建图床,方便将本地笔记上传到博客。推荐一个项目创建一个bucket。
如何做到从项目的上传文件功能上传到阿里云oss呢?
进行OSS各类操作前,您需要先安装Java SDK。本文提供了Java SDK的多种安装方式,请结合实际使用场景选用。
官方文档安装 (aliyun.com)
安装SDK到product模块
<dependency>
<groupId>com.aliyun.ossgroupId>
<artifactId>aliyun-sdk-ossartifactId>
<version>3.10.2version>
dependency>
官方代码
import com.aliyun.oss.ClientException;
import com.aliyun.oss.OSS;
import com.aliyun.oss.OSSClientBuilder;
import com.aliyun.oss.OSSException;
import java.io.FileInputStream;
import java.io.InputStream;
public class Demo {
public static void main(String[] args) throws Exception {
// Endpoint以华东1(杭州)为例,其它Region请按实际情况填写。
String endpoint = "https://oss-cn-hangzhou.aliyuncs.com";
// 阿里云账号AccessKey拥有所有API的访问权限,风险很高。强烈建议您创建并使用RAM用户进行API访问或日常运维,请登录RAM控制台创建RAM用户。
String accessKeyId = "yourAccessKeyId";
String accessKeySecret = "yourAccessKeySecret";
// 填写Bucket名称,例如examplebucket。
String bucketName = "examplebucket";
// 填写Object完整路径,完整路径中不能包含Bucket名称,例如exampledir/exampleobject.txt。
String objectName = "exampledir/exampleobject.txt";
// 填写本地文件的完整路径,例如D:\\localpath\\examplefile.txt。
// 如果未指定本地路径,则默认从示例程序所属项目对应本地路径中上传文件流。
String filePath= "D:\\localpath\\examplefile.txt";
// 创建OSSClient实例。
OSS ossClient = new OSSClientBuilder().build(endpoint, accessKeyId, accessKeySecret);
try {
InputStream inputStream = new FileInputStream(filePath);
// 创建PutObject请求。
ossClient.putObject(bucketName, objectName, inputStream);
} catch (OSSException oe) {
System.out.println("Caught an OSSException, which means your request made it to OSS, "
+ "but was rejected with an error response for some reason.");
System.out.println("Error Message:" + oe.getErrorMessage());
System.out.println("Error Code:" + oe.getErrorCode());
System.out.println("Request ID:" + oe.getRequestId());
System.out.println("Host ID:" + oe.getHostId());
} catch (ClientException ce) {
System.out.println("Caught an ClientException, which means the client encountered "
+ "a serious internal problem while trying to communicate with OSS, "
+ "such as not being able to access the network.");
System.out.println("Error Message:" + ce.getMessage());
} finally {
if (ossClient != null) {
ossClient.shutdown();
}
}
}
}
测试上传
####(3).Alibaba Cloud OSS阿里云对象存储服务(普通上传方式实现)
相较于上面那种方法,Alibaba Cloud有更好的整合OSS的方法
官方文档:spring-cloud-alibaba/README-zh.md at 2.2.x · alibaba/spring-cloud-alibaba (github.com)
引入aliyun-oss-spring-boot-starter,同时注释掉之前文件上传的SDK(笔者在使用官方的依赖时会找不到包,所以用了下面这个包)
<dependency>
<groupId>com.alibaba.cloudgroupId>
<artifactId>spring-cloud-starter-alicloud-ossartifactId>
<version>2.2.0.RELEASEversion>
dependency>
区别于之前我们在业务代码中配置key、pwd、endpoint,这里直接在配置文件中配置
编写测试类
@Autowired
OSSClient ossClient;
@Test
public void testUpload(){
// 填写Bucket名称,例如examplebucket。
String bucketName = "guli-hot-rabbit";
// 填写Object完整路径,完整路径中不能包含Bucket名称,例如exampledir/exampleobject.txt。
String objectName = "2784BDECC161173F24D3CD68E3764865.jpg";
// 填写本地文件的完整路径,例如D:\\localpath\\examplefile.txt。
// 如果未指定本地路径,则默认从示例程序所属项目对应本地路径中上传文件流。
String filePath= "C:\\Users\\10418\\Desktop\\2784BDECC161173F24D3CD68E3764865.jpg";
// // 创建OSSClient实例。
// OSS ossClient = new OSSClientBuilder().build(endpoint, accessKeyId, accessKeySecret);
try {
InputStream inputStream = new FileInputStream(filePath);
// 创建PutObject请求。
ossClient.putObject(bucketName, objectName, inputStream);
System.out.println("=================================上传完成===================================");
} catch (OSSException oe) {
System.out.println("Caught an OSSException, which means your request made it to OSS, "
+ "but was rejected with an error response for some reason.");
System.out.println("Error Message:" + oe.getErrorMessage());
System.out.println("Error Code:" + oe.getErrorCode());
System.out.println("Request ID:" + oe.getRequestId());
System.out.println("Host ID:" + oe.getHostId());
} catch (ClientException ce) {
System.out.println("Caught an ClientException, which means the client encountered "
+ "a serious internal problem while trying to communicate with OSS, "
+ "such as not being able to access the network.");
System.out.println("Error Message:" + ce.getMessage());
} catch (FileNotFoundException e) {
e.printStackTrace();
} finally {
if (ossClient != null) {
ossClient.shutdown();
}
}
}
创建一个整合各种第三方功能的微服务模块
将oss依赖放到third-party里
将 common 里的依赖管理复制一份到 third-party 里
third-party 注册到nacos 配置
新建一个命名空间给third-party
因为common里引入了mybatis依赖,所以在third-party里我们要将其排除
需要注意的是,尽管我们在pom里排除了mybatis依赖,但是可能其他导入的包会包含mysql相关的依赖
所以我们直接在启动类上配置@SpringBootApplication(exclude = DataSourceAutoConfiguration.class)去除掉数据源相关的配置
官方文档:服务端签名后直传 (aliyun.com)
OssController
package com.henu.soft.merist.thirdparty.controller;
import com.aliyun.oss.OSS;
import com.aliyun.oss.OSSClient;
import com.aliyun.oss.common.utils.BinaryUtil;
import com.aliyun.oss.model.MatchMode;
import com.aliyun.oss.model.PolicyConditions;
import com.sun.xml.internal.ws.api.FeatureListValidatorAnnotation;
import org.springframework.beans.factory.annotation.Autowired;
import org.springframework.beans.factory.annotation.Value;
import org.springframework.web.bind.annotation.RequestMapping;
import org.springframework.web.bind.annotation.RestController;
import java.text.SimpleDateFormat;
import java.util.Date;
import java.util.LinkedHashMap;
import java.util.Map;
@RestController
public class OssController {
@Autowired
OSS ossClient;
@Value("${oss.bucket}")
private String bucket;
@Value("${spring.cloud.alicloud.access-key}")
private String accessId;
@Value("${spring.cloud.alicloud.oss.endpoint")
private String endpoint;
@RequestMapping("/oss/policy")
public Map<String,String> getPolicy(){
// // 填写Bucket名称,例如examplebucket。
// String bucket = "guli-hot-rabbit";
// 填写Host地址,格式为https://bucketname.endpoint。
String host = "https://" + bucket + "." + endpoint;
// // 设置上传回调URL,即回调服务器地址,用于处理应用服务器与OSS之间的通信。OSS会在文件上传完成后,把文件上传信息通过此回调URL发送给应用服务器。
// String callbackUrl = "https://192.168.0.0:8888";
String format = new SimpleDateFormat("yyyy-MM-dd").format(new Date());
// 设置上传到OSS文件的前缀,可置空此项。置空后,文件将上传至Bucket的根目录下。
String dir = format + "/";
Map<String, String> respMap = null;
try {
long expireTime = 30;
long expireEndTime = System.currentTimeMillis() + expireTime * 1000;
Date expiration = new Date(expireEndTime);
PolicyConditions policyConds = new PolicyConditions();
policyConds.addConditionItem(PolicyConditions.COND_CONTENT_LENGTH_RANGE, 0, 1048576000);
policyConds.addConditionItem(MatchMode.StartWith, PolicyConditions.COND_KEY, dir);
String postPolicy = ossClient.generatePostPolicy(expiration, policyConds);
byte[] binaryData = postPolicy.getBytes("utf-8");
String encodedPolicy = BinaryUtil.toBase64String(binaryData);
String postSignature = ossClient.calculatePostSignature(postPolicy);
respMap = new LinkedHashMap<String, String>();
respMap.put("accessid", accessId);
respMap.put("policy", encodedPolicy);
respMap.put("signature", postSignature);
respMap.put("dir", dir);
respMap.put("host", host);
respMap.put("expire", String.valueOf(expireEndTime / 1000));
// respMap.put("expire", formatISO8601Date(expiration));\
} catch (Exception e) {
// Assert.fail(e.getMessage());
System.out.println(e.getMessage());
}
return respMap;
}
}
网关配置路由
通过网关访问
将封装好的文件添加
修改单文件、多文件上传的路径,为我们bucket的外网访问域名
导入单文件上传组件
components: { SingleUpload }
后端返回数据包装到data里
测试
产生跨域问题
阿里云设置跨域规则
logo地址变成了图片地址
提交表单的时候一直报400错误
可能会发生400错误的请求错误,因为请求中有一个简单的错误。 也许您输入了错误的URL,并且服务器由于某种原因无法返回404错误。 也许您的Web浏览器正在尝试使用过期或无效的cookie 。 在某些情况下,某些未正确配置的服务器也可能引发400错误,而不是更多有用的错误。 例如,当您尝试上传对某些站点太大的文件时,可能会显示400错误,而不是让您知道最大文件大小的错误。
因为我们的logo也就是图片地址太长了,只要修改数据库logo字段的数据类型为text大文本即可。
表单显示图片
dataRule: {
name: [
{ required: true, message: "品牌名不能为空", trigger: "blur" }
],
logo: [
{ required: true, message: "品牌logo地址不能为空", trigger: "blur" }
],
descript: [
{ required: true, message: "介绍不能为空", trigger: "blur" }
],
showStatus: [
{ required: true, message: "显示状态[0-不显示;1-显示]不能为空", trigger: "blur" }
],
firstLetter: [
{
validator: (rule, value, callback) => {
if (value == '') {
callback(new Error('首字母必须填写'));
} else if (!/^[a-zA-Z]$/.test(value)){
callback(new Error('首字母必须a-z或者A-Z之间'));
}else{
callback();
}
}, trigger: "blur"
}
],
sort: [
{
validator: (rule, value, callback) => {
if (value == '') {
callback(new Error('排序字段必须填写'));
} else if (!Number.isInteger(value) || value<0){
callback(new Error('排序必须是一个大于等于0的整数'));
}else{
callback();
}
}, trigger: "blur"
}
]
}
前端实现了表单的校验,但是当我们绕过前端提交表单(如利用POSTMAN提交)的时候,数据没有实现校验,所以需要在后端也添加校验。
@NotBlank:主要用于校验字符串是否为空串或null,(注:只能用于String类型);
@NotNull:校验某字段对象不能为null;
@NotEmpty:主要用于校验集合数组等数据类型,不能为null,而且长度必须大于0;
@Pattern:主要校验入参是否符合正则式要求。
注释掉我们之前的获取异常的代码,将异常抛出让异常处理类能接收到
系统错误码
错误码定义为5位数字 前两位表示业务场景,后三位表示错误码 定义为枚举形式,错误码+错误信息
如10001 10:通用 001:参数格式校验 11:商品 12:订单
当出现字段校验异常、其他异常时方便给前端返回指定微服务模块的code、msg
可以在comman模块封装一个枚举,在全局异常处理那里使用该枚举返回特定特征的code
package com.henu.soft.merist.common.exception;
public enum BizCodeEnume {
UNKNOW_EXCEPTION(10000,"系统未知异常!"),
VAILD_EXCEPTION(10001,"参数格式校验失败!");
private int code;
private String msg;
BizCodeEnume(int code,String msg){
this.code = code;
this.msg = msg;
}
public int getCode(){
return code;
}
public String getMsg(){
return msg;
}
}
package com.henu.soft.merist.gulimall.product.exception;
import com.henu.soft.merist.common.exception.BizCodeEnume;
import com.henu.soft.merist.common.utils.R;
import lombok.extern.slf4j.Slf4j;
import org.springframework.validation.BindingResult;
import org.springframework.web.bind.MethodArgumentNotValidException;
import org.springframework.web.bind.annotation.ControllerAdvice;
import org.springframework.web.bind.annotation.ExceptionHandler;
import org.springframework.web.bind.annotation.ResponseBody;
import org.springframework.web.bind.annotation.RestControllerAdvice;
import java.util.HashMap;
import java.util.Map;
@Slf4j
//@ResponseBody
//@ControllerAdvice(basePackages = "com.henu.soft.merist.gulimall.product.controller")
@RestControllerAdvice(basePackages = "com.henu.soft.merist.gulimall.product.controller")//包含了@ResponseBody注解
public class GulimallExceptionControllerAdvice {
@ExceptionHandler(value = MethodArgumentNotValidException.class)
public R handleVaildException(MethodArgumentNotValidException e){
log.error("数据校验异常{},异常类型{}",e.getMessage(),e.getClass());
BindingResult bindingResult = e.getBindingResult();
Map<String,String> map = new HashMap<>();
bindingResult.getFieldErrors().forEach((fieldError)->{
map.put(fieldError.getField(),fieldError.getDefaultMessage());
});
return R.error(BizCodeEnume.VAILD_EXCEPTION.getCode(), BizCodeEnume.VAILD_EXCEPTION.getMsg()).put("data",map);
}
@ExceptionHandler(value = Throwable.class)
public R handleThrowableException(Throwable e){
return R.error(BizCodeEnume.UNKNOW_EXCEPTION.getCode(),BizCodeEnume.UNKNOW_EXCEPTION.getMsg());
}
}
同一个字段,在新增和修改的时候 校验规则 可能会不同,就需要用到分组校验
默认没有指定分组的校验注解,在分组校验的情况下不生效
创建@ListValue校验注解
自定义注解要满足三个要求
创建一个配置文件
写一个自定义的校验器
package com.henu.soft.merist.common.valid;
import javax.validation.ConstraintValidator;
import javax.validation.ConstraintValidatorContext;
import java.util.HashSet;
import java.util.Set;
public class ListValueConstraintValidator implements ConstraintValidator<ListValue,Integer> {
private Set<Integer> set = new HashSet<>();
//初始化方法
//获取到所有范围内的值
@Override
public void initialize(ListValue constraintAnnotation) {
int[] vals = constraintAnnotation.vals();
for (int val : vals) {
set.add(val);
}
}
/**
* 判断是否校验成功
* @param value
* @param context
* @return
*/
@Override
public boolean isValid(Integer value, ConstraintValidatorContext context) {
return set.contains(value);
}
}
注解绑定校验器