当前位置:   article > 正文

分享一个基于easyui前端框架开发的后台管理系统模板_easyui框架

easyui框架

这是博主自己在使用的一套easyui前端框架的后台管理系统模版,包含了后端的Java代码,已经实现了菜单控制、权限控制功能,可以直接拿来使用。

基于jquery easyui前端框架实现的管理系统项目icon-default.png?t=N7T8https://gitee.com/muyu-chengfeng/easyui-admin.git

目录

功能介绍

一、菜单管理

菜单列表

角色-菜单列表

二、权限管理

权限列表

角色-权限列表

三、用户管理

用户列表

用户-角色列表

四、歌曲管理

歌曲列表

五、系统功能

系统设置

初始化权限

代码介绍

响应状态码

响应实体类

全局异常处理类

统一响应数据处理类

分页查询结果对象

用户信息工具类

表格过滤实体类

分页实体对象

排序实体对象


功能介绍

这是对本系统的一些简单的功能介绍。

一、菜单管理

菜单列表

点击表格头部工具栏的【添加】按钮,会添加一条模板数据

  1. /**
  2. * 添加
  3. */
  4. function insert() {
  5. requestUrl = "/menu/insert";
  6. ajaxPost(requestUrl, {
  7. type: 1,
  8. name: "xxx",
  9. url: "/html/xxx_list.html",
  10. icon: "icon-script"
  11. }, function (response) {
  12. showMsg(response.message);
  13. $("#menu_list").datagrid("reload");
  14. }, error);
  15. }

修改功能是基于easyui的表格行内编辑完成的,鼠标选择一行数据,点击头部工具栏的【修改】按钮,会开启该行的编辑。

点击保存会向后台控制器提交修改后的数据,点击取消则只会取消行内编辑。

通过给表格添加结束编辑事件,当表格行结束编辑,也就是调用了endEdit方法时触发事件,会把data修改为修改后的行数据。

  1. let data = {};
  2. /**
  3. * 保存
  4. */
  5. function save() {
  6. if (editingId != null) {
  7. let datagrid = $("#menu_list");
  8. // 只有结束编辑才能获取到最新的值
  9. datagrid.datagrid("endEdit", editingId);
  10. ajaxPost(requestUrl, data, function () {
  11. editingId = null;
  12. datagrid.datagrid("reload");
  13. }, error);
  14. }
  15. }
  16. $(document).ready(function() {
  17. $("#menu_list").datagrid({
  18. url: "/menu/selectByPage",
  19. method: "get",
  20. height: 680,
  21. fitColumns: true,
  22. pagination: true,
  23. onAfterEdit: function (index, row, changes) {
  24. data = {
  25. id: row.id,
  26. type: row.type,
  27. parentId: row.parentId,
  28. url: changes.url ? changes.url : row.url,
  29. name: changes.name ? changes.name : row.name,
  30. icon: changes.icon ? changes.icon : row.icon
  31. };
  32. },
  33. .....
  34. };
  35. };

删除功能比较简单,就不介绍了~

角色-菜单列表

就是对角色的菜单进行管理,目前只是基于父级菜单实现,只需要给角色添加对应的父类菜单即可让该角色获得该菜单下的所有子菜单的权限。

二、权限管理

权限列表

对系统资源权限(也就是控制器接口权限)进行管理

父级权限的编号格式为为服务名_控制器名,子级权限的编号为服务名_控制器名_方法名。

权限初始化功能:一键自动完成权限的初始化功能,会先删除原来的权限,然后扫描控制器类的包,获取所有控制器接口信息,并保存到数据库。

涉及的后端代码

  1. @Override
  2. public void resources() throws ClassNotFoundException {
  3. // 删除原来的权限
  4. permissionMapper.delete(null);
  5. // 扫描路径
  6. String basePackage = "cn.edu.sgu.www.controller";
  7. // 获取扫描结果
  8. List<Permission> permissions = resourceScanner.scan(basePackage);
  9. for (Permission permission : permissions) {
  10. permissionMapper.insert(permission);
  11. }
  12. }

扫描工具类的代码

  1. package cn.edu.sgu.www.util;
  2. import cn.edu.sgu.www.EasyuiCrud;
  3. import cn.edu.sgu.www.annotation.AnonymityAccess;
  4. import cn.edu.sgu.www.entity.Permission;
  5. import cn.edu.sgu.www.enums.RequestMethod;
  6. import io.swagger.annotations.Api;
  7. import io.swagger.annotations.ApiOperation;
  8. import org.springframework.beans.factory.annotation.Value;
  9. import org.springframework.stereotype.Component;
  10. import org.springframework.web.bind.annotation.GetMapping;
  11. import org.springframework.web.bind.annotation.PostMapping;
  12. import org.springframework.web.bind.annotation.RequestMapping;
  13. import java.io.File;
  14. import java.lang.reflect.Method;
  15. import java.util.ArrayList;
  16. import java.util.List;
  17. /**
  18. * 接口资源扫描工具类
  19. * @author heyunlin
  20. * @version 1.0
  21. */
  22. @Component
  23. public class ResourceScanner {
  24. /**
  25. * 服务名
  26. */
  27. @Value("${spring.application.name}")
  28. private String SERVICE_NAME;
  29. private static List<String> classPaths = new ArrayList<>();
  30. private static final List<Permission> resources = new ArrayList<>();
  31. /**
  32. * 扫描controller包下的目录,生成权限
  33. * @param basePackage controller包
  34. * @return List<Permission>
  35. * @throws ClassNotFoundException 类找不到时抛出异常
  36. */
  37. public List<Permission> scan(String basePackage) throws ClassNotFoundException {
  38. // 删除掉上一次的数据
  39. if (!resources.isEmpty()) {
  40. resources.clear();
  41. }
  42. if (!classPaths.isEmpty()) {
  43. classPaths.clear();
  44. }
  45. String classpath = EasyuiCrud.class.getResource("/").getPath();
  46. String searchPath = classpath + basePackage.replace(".", "/");
  47. classpath = classpath.replaceFirst("/", "");
  48. classPaths = getClassPaths(new File(searchPath));
  49. for(String classPath : classPaths) {
  50. // 得到类的全限定名
  51. classPath = classPath.replace(classpath.replace("/", "\\")
  52. .replaceFirst("\\\\", ""), "")
  53. .replace("\\", ".")
  54. .replace(".class", "");
  55. classpath = classPath.substring(classPath.indexOf(basePackage));
  56. // 通过反射获取类的信息
  57. Class<?> cls = Class.forName(classpath);
  58. // 获取标注在类上的@RequestMapping注解
  59. RequestMapping requestMapping = cls.getAnnotation(RequestMapping.class);
  60. // 构建父权限
  61. Permission parent = new Permission();
  62. // 控制器类上的路径
  63. String prefix = "";
  64. if(requestMapping != null) {
  65. // path或者value
  66. prefix = requestMapping.value().length > 0 ? requestMapping.value()[0] : requestMapping.path()[0];
  67. parent.setType(0);
  68. parent.setUrl(prefix);
  69. parent.setId(SERVICE_NAME + "_" + cls.getSimpleName());
  70. // 设置name
  71. if (cls.isAnnotationPresent(Api.class)) {
  72. Api api = cls.getAnnotation(Api.class);
  73. if (api != null) {
  74. // 类的接口文档@Api注解的tags属性值
  75. String name = api.tags()[0];
  76. parent.setName(name);
  77. }
  78. }
  79. resources.add(parent);
  80. }
  81. Method[] methods = cls.getDeclaredMethods();
  82. for (Method method : methods) {
  83. getClassAnnotation(method, prefix, cls.getSimpleName(), parent.getId());
  84. }
  85. }
  86. return resources;
  87. }
  88. /**
  89. * 得到类上面的注解信息
  90. * @param method Method
  91. * @param prefix String 控制器类上@RequestMapping注解指定的路径
  92. * @param controllerName 控制器名称
  93. * @param parentId String 父级权限ID
  94. */
  95. public void getClassAnnotation(Method method, String prefix, String controllerName, String parentId) {
  96. // 构建子权限
  97. Permission permission = new Permission();
  98. String url = null;
  99. // 获取url
  100. if (method.isAnnotationPresent(RequestMapping.class)) {
  101. RequestMapping requestMapping = method.getAnnotation(RequestMapping.class);
  102. url = prefix + (requestMapping.value().length > 0 ? requestMapping.value()[0] : requestMapping.path()[0]);
  103. String requestMethod = requestMapping.method().length > 0 ? requestMapping.method()[0].name() : "get";
  104. permission.setMethod(RequestMethod.getValueByName(requestMethod));
  105. } else if (method.isAnnotationPresent(GetMapping.class)) {
  106. GetMapping getMapping = method.getAnnotation(GetMapping.class);
  107. url = prefix + getMapping.value()[0];
  108. permission.setMethod(RequestMethod.GET.getValue());
  109. } else if (method.isAnnotationPresent(PostMapping.class)) {
  110. PostMapping postMapping = method.getAnnotation(PostMapping.class);
  111. url = prefix + postMapping.value()[0];
  112. permission.setMethod(RequestMethod.POST.getValue());
  113. }
  114. // 处理URL
  115. if(url != null && url.endsWith("/")) {
  116. url = url.substring(0, url.length() - 1);
  117. }
  118. permission.setUrl(url);
  119. // 设置value
  120. if (method.isAnnotationPresent(ApiOperation.class)) {
  121. ApiOperation operation = method.getAnnotation(ApiOperation.class);
  122. if (operation != null) {
  123. String name = operation.value();
  124. permission.setName(name);
  125. }
  126. }
  127. // 默认值0
  128. permission.setAnonymity(0);
  129. if (method.isAnnotationPresent(AnonymityAccess.class)) {
  130. AnonymityAccess annotation = method.getAnnotation(AnonymityAccess.class);
  131. if (annotation != null) {
  132. permission.setAnonymity(annotation.value() ? 1 : 0);
  133. }
  134. }
  135. permission.setType(1);
  136. permission.setParentId(parentId);
  137. permission.setId(SERVICE_NAME + "_" + controllerName + "_" + method.getName());
  138. resources.add(permission);
  139. }
  140. private List<String> getClassPaths(File path) {
  141. if (path.isDirectory()) {
  142. File[] files = path.listFiles();
  143. if (files != null) {
  144. for (File file : files) {
  145. getClassPaths(file);
  146. }
  147. }
  148. } else {
  149. if (path.getName().endsWith(".class")) {
  150. classPaths.add(path.getPath());
  151. }
  152. }
  153. return classPaths;
  154. }
  155. }

角色-权限列表

角色权限的维护,包括简单的增删改和基于easyui树实现的授权功能,以及超管账户的权限初始化功能。

授权功能:通过简单的复选框勾选/取消勾选来给角色分配权限

权限初始化功能:其实非常简单,就是查询所有的资源权限,然后分配给超管用户。

  1. @Override
  2. public void init(String userId) {
  3. // 删除用当前户所有角色的权限
  4. rolePermissionMapper.deleteByUserId(userId);
  5. // 查询全部子权限
  6. List<Permission> list = permissionMapper.selectByType(PermissionType.ZQX.getValue());
  7. list.forEach(permission -> {
  8. RolePermission rolePermission = new RolePermission();
  9. rolePermission.setId(null);
  10. rolePermission.setRoleId(1);
  11. rolePermission.setPermissionId(permission.getId());
  12. rolePermissionMapper.insert(rolePermission);
  13. });
  14. }

三、用户管理

因为这个部分的功能很简单,只有简单的crud,不做过多介绍。

用户列表

用户-角色列表

四、歌曲管理

歌曲列表

歌曲的维护、歌单导入/导出功能。

五、系统功能

系统设置

鼠标移动到右上方的下拉菜单,点击【系统设置】打开系统设置窗口。

修改密码功能

 对密码进行加密存储

  1. @Override
  2. public void updatePassword(UserPassUpdateDTO userPassUpdateDTO) {
  3. // 用户名
  4. String username = userPassUpdateDTO.getUsername();
  5. // 旧密码
  6. String oldPass = userPassUpdateDTO.getOldPass();
  7. // 新密码
  8. String password = userPassUpdateDTO.getPassword();
  9. // 验证两次输入的密码是否相等
  10. if (password.equals(userPassUpdateDTO.getRePass())) {
  11. // 查询用户信息
  12. String encodedPassword = selectByUsername(username).getPassword();
  13. // 验证输入的旧密码是否正确
  14. if (PasswordEncoder.matches(oldPass, encodedPassword)) {
  15. UpdateWrapper<User> wrapper = new UpdateWrapper<>();
  16. wrapper.eq("username", username);
  17. wrapper.set("password", PasswordEncoder.encode(password));
  18. userMapper.update(wrapper.getEntity(), wrapper);
  19. } else {
  20. throw new GlobalException(ResponseCode.FORBIDDEN, "输入的密码不正确");
  21. }
  22. } else {
  23. throw new GlobalException(ResponseCode.FORBIDDEN, "两次输入的密码不一样");
  24. }
  25. }

菜单控制功能:就是控制左侧菜单的显示,勾选/取消勾选对应的菜单,然后点击窗口右下角的【确定】按钮提交修改。

初始化权限

这个按钮的功能和权限列表的【初始化】按钮是一样的。

代码介绍

前面已经对这个系统做了一些简单的介绍,接下来介绍一下博主经过多次实践产出的一部分公共的Java代码,可以直接使用。

响应状态码

在枚举中自定义了几种响应状态码

  1. package cn.edu.sgu.www.restful;
  2. /**
  3. * 响应状态码
  4. * @author heyunlin
  5. * @version 1.0
  6. */
  7. public enum ResponseCode {
  8. /**
  9. * 请求成功
  10. */
  11. OK(200),
  12. /**
  13. * 失败的请求
  14. */
  15. BAD_REQUEST(400),
  16. /**
  17. * 未授权
  18. */
  19. UNAUTHORIZED(401),
  20. /**
  21. * 禁止访问
  22. */
  23. FORBIDDEN(403),
  24. /**
  25. * 找不到
  26. */
  27. NOT_FOUND(404),
  28. /**
  29. * 不可访问
  30. */
  31. NOT_ACCEPTABLE(406),
  32. /**
  33. * 冲突
  34. */
  35. CONFLICT(409),
  36. /**
  37. * 服务器发生异常
  38. */
  39. ERROR(500);
  40. private final Integer value;
  41. ResponseCode(Integer value) {
  42. this.value = value;
  43. }
  44. public Integer getValue() {
  45. return value;
  46. }
  47. }

响应实体类

包含提示信息、响应数据和响应状态码的web响应实体类。

  1. package cn.edu.sgu.www.restful;
  2. import com.baomidou.mybatisplus.extension.plugins.pagination.Page;
  3. import lombok.Data;
  4. import java.io.Serializable;
  5. /**
  6. * 响应实体类
  7. * @param <T>
  8. * @author heyunlin
  9. * @version 1.0
  10. */
  11. @Data
  12. public class JsonResult<T> implements Serializable {
  13. private static final long serialVersionUID = 18L;
  14. /**
  15. * 响应数据
  16. */
  17. private T data;
  18. /**
  19. * 响应状态码
  20. */
  21. private Integer code;
  22. /**
  23. * 响应提示信息
  24. */
  25. private String message;
  26. /**
  27. * 成功提示
  28. */
  29. private static final String successMessage = "请求成功";
  30. public static JsonResult<Void> success() {
  31. return success(successMessage);
  32. }
  33. public static JsonResult<Void> success(String message) {
  34. return success(message, null);
  35. }
  36. public static <T> JsonResult<T> success(String message, T data) {
  37. JsonResult<T> jsonResult = new JsonResult<>();
  38. jsonResult.setCode(ResponseCode.OK.getValue());
  39. jsonResult.setMessage(message);
  40. jsonResult.setData(data);
  41. return jsonResult;
  42. }
  43. public static JsonResult<Void> error(String message) {
  44. JsonResult<Void> jsonResult = new JsonResult<>();
  45. jsonResult.setCode(ResponseCode.ERROR.getValue());
  46. jsonResult.setMessage(message);
  47. return jsonResult;
  48. }
  49. public static JsonResult<Void> error(ResponseCode responseCode, Throwable e) {
  50. return error(responseCode, e.getMessage() != null ? e.getMessage() : "系统发生异常,请联系管理员!");
  51. }
  52. public static JsonResult<Void> error(ResponseCode responseCode, String message) {
  53. JsonResult<Void> jsonResult = new JsonResult<>();
  54. jsonResult.setCode(responseCode.getValue());
  55. jsonResult.setMessage(message);
  56. return jsonResult;
  57. }
  58. public static <T> JsonResult<JsonPage<T>> restPage(Page<T> page) {
  59. JsonPage<T> jsonPage = JsonPage.restPage(page);
  60. return success(successMessage, jsonPage);
  61. }
  62. }

全局异常处理类

  1. package cn.edu.sgu.www.restful.handler;
  2. import cn.edu.sgu.www.exception.GlobalException;
  3. import cn.edu.sgu.www.restful.JsonResult;
  4. import cn.edu.sgu.www.restful.ResponseCode;
  5. import cn.edu.sgu.www.util.UserUtils;
  6. import org.springframework.http.HttpStatus;
  7. import org.springframework.validation.BindException;
  8. import org.springframework.validation.BindingResult;
  9. import org.springframework.validation.FieldError;
  10. import org.springframework.web.bind.annotation.ExceptionHandler;
  11. import org.springframework.web.bind.annotation.ResponseStatus;
  12. import org.springframework.web.bind.annotation.RestControllerAdvice;
  13. import javax.servlet.http.HttpServletResponse;
  14. import java.util.Objects;
  15. /**
  16. * 全局异常处理类
  17. * @author heyunlin
  18. * @version 1.0
  19. */
  20. @RestControllerAdvice
  21. public class GlobalExceptionHandler {
  22. /**
  23. * 处理GlobalException
  24. * @param e GlobalException
  25. * @return JsonResult<Void>
  26. */
  27. @ExceptionHandler
  28. public JsonResult<Void> handleGlobalException(GlobalException e) {
  29. printMessage(e);
  30. HttpServletResponse response = UserUtils.getResponse();
  31. response.setStatus(e.getResponseCode().getValue());
  32. return JsonResult.error(e.getResponseCode(), e);
  33. }
  34. /**
  35. * 处理BindException
  36. * @param e BindException
  37. * @return JsonResult<Void>
  38. */
  39. @ExceptionHandler
  40. @ResponseStatus(HttpStatus.BAD_REQUEST)
  41. public JsonResult<Void> handleBindException(BindException e) {
  42. printMessage(e);
  43. BindingResult bindingResult = e.getBindingResult();
  44. FieldError fieldError = bindingResult.getFieldError();
  45. String defaultMessage = Objects.requireNonNull(fieldError).getDefaultMessage();
  46. return JsonResult.error(ResponseCode.BAD_REQUEST, defaultMessage);
  47. }
  48. /**
  49. * 处理Exception
  50. * @param e Exception
  51. * @return JsonResult<Void>
  52. */
  53. @ExceptionHandler
  54. @ResponseStatus(HttpStatus.INTERNAL_SERVER_ERROR)
  55. public JsonResult<Void> handleException(Exception e) {
  56. printMessage(e);
  57. return JsonResult.error(ResponseCode.ERROR, e);
  58. }
  59. private void printMessage(Exception e) {
  60. e.printStackTrace();
  61. }
  62. }

统一响应数据处理类

这个类需要注意的是,knife4j的接口路径不能被处理,否则接口文档的页面内容不能正常显示。

  1. # 配置统一数据格式返回处理类忽略的路径
  2. response:
  3. ignore:
  4. - /error
  5. - /v2/api-docs
  6. - /swagger-resources
  1. package cn.edu.sgu.www.restful.handler;
  2. import cn.edu.sgu.www.config.property.ResponseProperties;
  3. import cn.edu.sgu.www.restful.JsonResult;
  4. import cn.edu.sgu.www.util.UserUtils;
  5. import com.alibaba.fastjson.JSON;
  6. import lombok.extern.slf4j.Slf4j;
  7. import org.springframework.beans.factory.annotation.Autowired;
  8. import org.springframework.core.MethodParameter;
  9. import org.springframework.http.MediaType;
  10. import org.springframework.http.server.ServerHttpRequest;
  11. import org.springframework.http.server.ServerHttpResponse;
  12. import org.springframework.web.bind.annotation.RestControllerAdvice;
  13. import org.springframework.web.servlet.mvc.method.annotation.ResponseBodyAdvice;
  14. import java.util.List;
  15. /**
  16. * 统一数据格式返回处理类
  17. * @author heyunlin
  18. * @version 1.0
  19. */
  20. @Slf4j
  21. @RestControllerAdvice
  22. public class GlobalResponseHandler implements ResponseBodyAdvice {
  23. private final List<String> ignore;
  24. @Autowired
  25. public GlobalResponseHandler(ResponseProperties responseProperties) {
  26. ignore = responseProperties.getIgnore();
  27. }
  28. @Override
  29. public boolean supports(MethodParameter parameter, Class type) {
  30. return true;
  31. }
  32. @Override
  33. public Object beforeBodyWrite(Object body, MethodParameter parameter, MediaType mediaType, Class type
  34. , ServerHttpRequest request, ServerHttpResponse response) {
  35. // 返回值类型为JsonResult,则直接返回
  36. if (body instanceof JsonResult) {
  37. return body;
  38. }
  39. // 忽略的请求地址
  40. String requestURI = UserUtils.getRequest().getRequestURI();
  41. if (ignore.contains(requestURI)) {
  42. return body;
  43. }
  44. log.debug("接口{}的返回值为:{}", requestURI, body.toString());
  45. // 将返回值类型修改为JsonResult
  46. JsonResult<Object> jsonResult = JsonResult.success(null, body);
  47. if (body instanceof String) {
  48. return JSON.toJSONString(jsonResult);
  49. }
  50. return jsonResult;
  51. }
  52. }

分页查询结果对象

基于easyui的datagrid组件要求返回的数据格式,封装成的对象。

  1. package cn.edu.sgu.www.restful;
  2. import com.baomidou.mybatisplus.extension.plugins.pagination.Page;
  3. import lombok.Data;
  4. import java.io.Serializable;
  5. import java.util.List;
  6. /**
  7. * easyui datagrid数据格式对象
  8. * @param <T>
  9. * @author heyunlin
  10. * @version 1.0
  11. */
  12. @Data
  13. public class JsonPage<T> implements Serializable {
  14. private static final long serialVersionUID = 18L;
  15. /**
  16. * 总记录数
  17. */
  18. private Long total;
  19. /**
  20. * 查询结果
  21. */
  22. private List<T> rows;
  23. /**
  24. * 页脚数据
  25. */
  26. private T footer;
  27. public static <T> JsonPage<T> restPage(Page<T> page) {
  28. JsonPage<T> jsonPage = new JsonPage<>();
  29. jsonPage.setTotal(page.getTotal());
  30. jsonPage.setRows(page.getRecords());
  31. return jsonPage;
  32. }
  33. }

用户信息工具类

基于shiro的获取用户登录信息的工具类

  1. package cn.edu.sgu.www.util;
  2. import cn.edu.sgu.www.entity.User;
  3. import cn.edu.sgu.www.exception.GlobalException;
  4. import cn.edu.sgu.www.restful.ResponseCode;
  5. import org.apache.shiro.SecurityUtils;
  6. import org.apache.shiro.subject.Subject;
  7. import org.springframework.web.context.request.RequestAttributes;
  8. import org.springframework.web.context.request.RequestContextHolder;
  9. import org.springframework.web.context.request.ServletRequestAttributes;
  10. import javax.servlet.http.HttpServletRequest;
  11. import javax.servlet.http.HttpServletResponse;
  12. /**
  13. * 获取用户信息的工具类
  14. * @author heyunlin
  15. * @version 1.0
  16. */
  17. public class UserUtils {
  18. /**
  19. * 得到Subject对象
  20. * @return Subject
  21. */
  22. public static Subject getSubject() {
  23. return SecurityUtils.getSubject();
  24. }
  25. /**
  26. * 获取登录的用户信息
  27. * @return User
  28. */
  29. public static User getUserInfo() {
  30. Object object = getSubject().getPrincipal();
  31. if (object == null) {
  32. throw new GlobalException(ResponseCode.BAD_REQUEST, "获取登录信息失败,当前没有用户登录。");
  33. }
  34. return (User) object;
  35. }
  36. /**
  37. * 获取登录用户的ID
  38. * @return String
  39. */
  40. public static String getUserId() {
  41. return getUserInfo().getId();
  42. }
  43. /**
  44. * 获取登录的用户名
  45. * @return String
  46. */
  47. public static String getLoginUsername() {
  48. return getUserInfo().getUsername();
  49. }
  50. public static HttpServletRequest getRequest() {
  51. RequestAttributes attributes = RequestContextHolder.getRequestAttributes();
  52. if (attributes != null ) {
  53. return ((ServletRequestAttributes) attributes).getRequest();
  54. }
  55. throw new GlobalException(ResponseCode.ERROR, "获取request对象失败");
  56. }
  57. public static HttpServletResponse getResponse() {
  58. RequestAttributes attributes = RequestContextHolder.getRequestAttributes();
  59. if (attributes != null ) {
  60. return ((ServletRequestAttributes) attributes).getResponse();
  61. }
  62. throw new GlobalException(ResponseCode.ERROR, "获取response对象失败");
  63. }
  64. }

表格过滤实体类

  1. package cn.edu.sgu.www.base;
  2. import lombok.Data;
  3. import java.io.Serializable;
  4. /**
  5. * 过滤规则
  6. * @author heyunlin
  7. * @version 1.0
  8. */
  9. @Data
  10. public class FilterRule implements Serializable {
  11. private static final long serialVersionUID = 18L;
  12. /**
  13. * 字段名
  14. */
  15. private String field;
  16. /**
  17. * 比较符
  18. */
  19. private Operator op;
  20. /**
  21. * 字段值
  22. */
  23. private String value;
  24. }
  1. package cn.edu.sgu.www.base;
  2. /**
  3. * 比较符
  4. * @author heyunlin
  5. * @version 1.0
  6. */
  7. public enum Operator {
  8. /**
  9. * 包含
  10. */
  11. contains,
  12. /**
  13. * 等于
  14. */
  15. equal,
  16. /**
  17. * 不等于
  18. */
  19. notequal,
  20. /**
  21. * 以...开始
  22. */
  23. beginwith,
  24. /**
  25. * 以...结尾
  26. */
  27. endwith,
  28. /**
  29. * 小于
  30. */
  31. less,
  32. /**
  33. * 小于或等于
  34. */
  35. lessorequal,
  36. /**
  37. * 大于
  38. */
  39. greater,
  40. /**
  41. * 大于或等于
  42. */
  43. greaterorequal
  44. }

分页实体对象

提供了分页的功能,需要分页功能的接口的参数类型只需要继承该类即可,将自动获得分页功能。

  1. package cn.edu.sgu.www.base;
  2. import cn.edu.sgu.www.util.StringUtils;
  3. import com.baomidou.mybatisplus.core.conditions.query.QueryWrapper;
  4. import com.baomidou.mybatisplus.extension.plugins.pagination.Page;
  5. import lombok.Data;
  6. import lombok.EqualsAndHashCode;
  7. import java.io.Serializable;
  8. import java.util.List;
  9. /**
  10. * 基础分页参数对象,包含页数和每页的记录数
  11. * @author heyunlin
  12. * @version 1.0
  13. */
  14. @EqualsAndHashCode(callSuper = true)
  15. @Data
  16. public class Pager<T> extends Sorter implements Serializable {
  17. private static final long serialVersionUID = 18L;
  18. /**
  19. * 页数
  20. */
  21. private Integer page = 1;
  22. /**
  23. * 每页记录数
  24. */
  25. private Integer rows = 10;
  26. /**
  27. * 过滤规则
  28. */
  29. private List<FilterRule> filterRules;
  30. /**
  31. * 根据Pager创建Page对象
  32. * @param pager Pager
  33. * @return Page
  34. */
  35. public static <T> Page<T> ofPage(Pager<T> pager) {
  36. return new Page<>(pager.getPage(), pager.getRows());
  37. }
  38. /**
  39. * 根据Pager创建QueryWrapper对象
  40. * @param pager Pager
  41. * @return QueryWrapper<T>
  42. */
  43. public static <T> QueryWrapper<T> getQueryWrapper(Pager<T> pager, boolean enableSort) {
  44. QueryWrapper<T> wrapper = new QueryWrapper<>();
  45. List<FilterRule> filterRules = pager.getFilterRules();
  46. if (filterRules != null && !filterRules.isEmpty()) {
  47. for (FilterRule filterRule : filterRules) {
  48. // 字段名:转为小写字母+下划线的格式
  49. String field = StringUtils.toLower(filterRule.getField());
  50. // 字段值
  51. String value = filterRule.getValue();
  52. if (StringUtils.isNotEmpty(value)) {
  53. switch (filterRule.getOp()) {
  54. case less:
  55. wrapper.lt(field, value);
  56. break;
  57. case equal:
  58. wrapper.eq(field, value);
  59. break;
  60. case greater:
  61. wrapper.gt(field, value);
  62. break;
  63. case notequal:
  64. wrapper.ne(field, value);
  65. break;
  66. case lessorequal:
  67. wrapper.le(field, value);
  68. break;
  69. case greaterorequal:
  70. wrapper.ge(field, value);
  71. break;
  72. case beginwith:
  73. wrapper.likeLeft(field, value);
  74. break;
  75. case endwith:
  76. wrapper.likeRight(field, value);
  77. break;
  78. case contains:
  79. wrapper.like(field, value);
  80. break;
  81. default:
  82. break;
  83. }
  84. }
  85. }
  86. }
  87. if (enableSort) {
  88. // 得到order by语句
  89. String statement = getOrderByStatement(pager);
  90. if (StringUtils.isNotEmpty(statement)) {
  91. wrapper.last(statement);
  92. }
  93. }
  94. return wrapper;
  95. }
  96. }

排序实体对象

因为前端的基础分页器Pager已经继承了Sorter,所以开启了分页功能后自动获得排序功能。

  1. package cn.edu.sgu.www.base;
  2. import cn.edu.sgu.www.exception.GlobalException;
  3. import cn.edu.sgu.www.restful.ResponseCode;
  4. import cn.edu.sgu.www.util.StringUtils;
  5. import lombok.Data;
  6. import java.io.Serializable;
  7. import java.util.ArrayList;
  8. import java.util.List;
  9. /**
  10. * 基础排序对象,包含排序字段和排序方式
  11. * @author heyunlin
  12. * @version 1.0
  13. */
  14. @Data
  15. public class Sorter implements Serializable {
  16. private static final long serialVersionUID = 18L;
  17. /**
  18. * 空字符串
  19. */
  20. private static final String EMPTY_STR = "";
  21. /**
  22. * 分割符
  23. */
  24. private static final String SEPARATOR = ",";
  25. /**
  26. * 排序方式
  27. */
  28. private static final List<String> ORDER_STYLES = new ArrayList<>(2);
  29. static {
  30. ORDER_STYLES.add("asc");
  31. ORDER_STYLES.add("desc");
  32. }
  33. /**
  34. * 排序字段
  35. */
  36. private String sort;
  37. /**
  38. * 排序方式:asc/desc
  39. */
  40. private String order;
  41. /**
  42. * 根据查询条件拼接得到order by语句
  43. * @param sorter 分页查询条件
  44. * @return String
  45. */
  46. public static String getStatement(Sorter sorter) {
  47. String sort;
  48. String sortColumn = sorter.getSort();
  49. // 处理排序字段
  50. String[] sortArray = {};
  51. if (StringUtils.isNotEmpty(sortColumn)) {
  52. // 驼峰命名转为下划线
  53. sort = StringUtils.toLower(sortColumn);
  54. if (sort.contains(SEPARATOR)) {
  55. sortArray = sort.split(SEPARATOR);
  56. }
  57. } else {
  58. return EMPTY_STR;
  59. }
  60. // 处理排序方式
  61. String[] orderArray = {};
  62. String order = sorter.getOrder();
  63. if (StringUtils.isNotEmpty(order)) {
  64. if (order.contains(SEPARATOR)) {
  65. orderArray = order.split(SEPARATOR);
  66. }
  67. } else {
  68. return EMPTY_STR;
  69. }
  70. StringBuilder statement = new StringBuilder();
  71. if (sortArray.length > 0 && orderArray.length > 0) {
  72. int length = sortArray.length;
  73. for (int i = 0; i < length; i++) {
  74. String pagerSort = sortArray[i];
  75. String pagerOrder = orderArray[i];
  76. boolean result = validate(pagerSort, pagerOrder);
  77. if (result) {
  78. statement.append(pagerSort);
  79. statement.append(" ");
  80. statement.append(pagerOrder);
  81. if (i < length - 1 ) {
  82. statement.append(", ");
  83. }
  84. }
  85. }
  86. } else {
  87. // " #{sort} #{order}“
  88. statement.append(sort);
  89. statement.append(" ");
  90. statement.append(order);
  91. }
  92. return statement.toString();
  93. }
  94. /**
  95. * 根据查询条件拼接得到order by语句
  96. * @param sorter 分页查询条件
  97. * @return String
  98. */
  99. public static String getOrderByStatement(Sorter sorter) {
  100. String statement = getStatement(sorter);
  101. if (StringUtils.isNotEmpty(statement)) {
  102. return " order by " + statement;
  103. } else {
  104. return EMPTY_STR;
  105. }
  106. }
  107. /**
  108. * 往Pager的排序字段中添加排序
  109. * @param pager Pager Pager对象
  110. * @param sort String 排序字段
  111. * @param order String 排序方式
  112. * @return Pager<?> 返回重新设置排序字段和排序方式后的Pager对象
  113. */
  114. public static Pager<?> append(Pager<?> pager, String sort, String order) {
  115. boolean result = validatePager(pager);
  116. if (result) {
  117. String pagerSort = pager.getSort();
  118. String pagerOrder = pager.getOrder();
  119. pager.setSort(pagerSort.concat(SEPARATOR).concat(sort));
  120. pager.setOrder(pagerOrder.concat(SEPARATOR).concat(order));
  121. return pager;
  122. }
  123. return null;
  124. }
  125. /**
  126. * 验证Pager对象的sort和order的值是否合法
  127. * @param pager Pager<?>
  128. * @return boolean
  129. */
  130. private static boolean validatePager(Pager<?> pager) {
  131. String sort = pager.getSort();
  132. String order = pager.getOrder();
  133. return validate(sort, order);
  134. }
  135. /**
  136. * 验证sort和order的值是否合法
  137. * @param sort 排序字段
  138. * @param order 排序方式
  139. * @return boolean
  140. */
  141. private static boolean validate(String sort, String order) {
  142. if (StringUtils.isEmpty(sort)) {
  143. throw new GlobalException(ResponseCode.FORBIDDEN, "排序字段不允许为空!");
  144. } else if (StringUtils.isEmpty(order)) {
  145. throw new GlobalException(ResponseCode.FORBIDDEN, "排序方式不允许为空!");
  146. } else if(!ORDER_STYLES.contains(order.toLowerCase())) {
  147. throw new GlobalException(ResponseCode.FORBIDDEN, "排序方式不合法!");
  148. }
  149. return true;
  150. }
  151. }

好了,文章就分享到这里了,自己的一个小成果,分享给大家,希望对大家有所帮助~

声明:本文内容由网友自发贡献,版权归原作者所有,本站不承担相应法律责任。如您发现有侵权的内容,请联系我们。转载请注明出处:【wpsshop博客】
推荐阅读
相关标签
  

闽ICP备14008679号