springboot+jwt+shiro+vue+elementUI+axios+redis+mysql完成一个前后端分离 ...

欢乐狗  金牌会员 | 2024-7-25 17:04:54 | 来自手机 | 显示全部楼层 | 阅读模式
打印 上一主题 下一主题

主题 797|帖子 797|积分 2391

简易博客项目(springboot+jwt+shiro+vue+elementUI+axios+redis+mysql)

项目github地址:https://github.com/huang-hanson/vueblog
第一章 整合新建springboot,整合mybatisplus

第一步 创建项目(第八步骤就行)+数据库:

1、 修改pom.xml

  1. <?xml version="1.0" encoding="UTF-8"?>
  2. <project xmlns="http://maven.apache.org/POM/4.0.0" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance"
  3.     xsi:schemaLocation="http://maven.apache.org/POM/4.0.0 https://maven.apache.org/xsd/maven-4.0.0.xsd">
  4.     <modelVersion>4.0.0</modelVersion>
  5.     <parent>
  6.         <groupId>org.springframework.boot</groupId>
  7.         <artifactId>spring-boot-starter-parent</artifactId>
  8.         <version>2.2.6.RELEASE</version>
  9.         <relativePath/>
  10.     </parent>
  11.     <groupId>com.hanson</groupId>
  12.     <artifactId>vueblog</artifactId>
  13.     <version>0.0.1-SNAPSHOT</version>
  14.     <name>vueblog</name>
  15.     <description>vueblog</description>
  16.     <dependencies>
  17.         <!-- web -->
  18.         <dependency>
  19.             <groupId>org.springframework.boot</groupId>
  20.             <artifactId>spring-boot-starter-web</artifactId>
  21.         </dependency>
  22.         <!-- devtools -->
  23.         <dependency>
  24.             <groupId>org.springframework.boot</groupId>
  25.             <artifactId>spring-boot-devtools</artifactId>
  26.             <scope>runtime</scope>
  27.             <optional>true</optional>
  28.         </dependency>
  29.         <!-- mysql -->
  30.         <dependency>
  31.             <groupId>mysql</groupId>
  32.             <artifactId>mysql-connector-java</artifactId>
  33.             <scope>runtime</scope>
  34.         </dependency>
  35.         <!-- lombok -->
  36.         <dependency>
  37.             <groupId>org.projectlombok</groupId>
  38.             <artifactId>lombok</artifactId>
  39.             <optional>true</optional>
  40.         </dependency>
  41.         <!-- testing -->
  42.         <dependency>
  43.             <groupId>org.springframework.boot</groupId>
  44.             <artifactId>spring-boot-starter-test</artifactId>
  45.             <scope>test</scope>
  46.             <exclusions>
  47.                 <exclusion>
  48.                     <groupId>org.junit.vintage</groupId>
  49.                     <artifactId>junit-vintage-engine</artifactId>
  50.                 </exclusion>
  51.             </exclusions>
  52.         </dependency>
  53.         <!--mybatis-plus-->
  54.         <dependency>
  55.             <groupId>com.baomidou</groupId>
  56.             <artifactId>mybatis-plus-boot-starter</artifactId>
  57.             <version>3.2.0</version>
  58.         </dependency>
  59.         <!-- framework: mybatis-plus代码生成需要一个模板引擎 -->
  60.         <dependency>
  61.             <groupId>org.springframework.boot</groupId>
  62.             <artifactId>spring-boot-starter-freemarker</artifactId>
  63.         </dependency>
  64.         <!--mp代码生成器-->
  65.         <dependency>
  66.             <groupId>com.baomidou</groupId>
  67.             <artifactId>mybatis-plus-generator</artifactId>
  68.             <version>3.2.0</version>
  69.         </dependency>
  70.         <!-- hutool -->
  71.         <dependency>
  72.             <groupId>cn.hutool</groupId>
  73.             <artifactId>hutool-all</artifactId>
  74.             <version>5.3.3</version>
  75.         </dependency>
  76.         <!-- jwt -->
  77.         <dependency>
  78.             <groupId>io.jsonwebtoken</groupId>
  79.             <artifactId>jjwt</artifactId>
  80.             <version>0.9.1</version>
  81.         </dependency>
  82.         <!-- shiro-redis -->
  83.         <!--    <dependency>
  84.                 <groupId>org.crazycake</groupId>
  85.                 <artifactId>shiro-redis-spring-boot-starter</artifactId>
  86.                 <version>3.2.1</version>
  87.             </dependency>-->
  88.     </dependencies>
  89.     <build>
  90.         <plugins>
  91.             <plugin>
  92.                 <groupId>org.springframework.boot</groupId>
  93.                 <artifactId>spring-boot-maven-plugin</artifactId>
  94.             </plugin>
  95.         </plugins>
  96.     </build>
  97. </project>
复制代码
2、修改配置文件

  1. # DataSource Config
  2. spring:
  3.   datasource:
  4.     driver-class-name: com.mysql.cj.jdbc.Driver
  5.     url: jdbc:mysql://localhost:3306/vueblog?useUnicode=true&useSSL=false&characterEncoding=utf8&serverTimezone=Asia/Shanghai
  6.     username: root
  7.     password: 123456
  8. mybatis-plus:
  9.   mapper-locations: classpath*:/mapper/**Mapper.xml
  10. server:
  11.   port: 8081
复制代码
3、创建数据库vueblog然后执行下面命令天生表

  1. DROP TABLE IF EXISTS `m_blog`;
  2. /*!40101 SET @saved_cs_client     = @@character_set_client */;
  3. SET character_set_client = utf8mb4 ;
  4. CREATE TABLE `m_blog` (
  5.   `id` bigint(20) NOT NULL AUTO_INCREMENT,
  6.   `user_id` bigint(20) NOT NULL,
  7.   `title` varchar(255) NOT NULL,
  8.   `description` varchar(255) NOT NULL,
  9.   `content` longtext,
  10.   `created` datetime NOT NULL ON UPDATE CURRENT_TIMESTAMP,
  11.   `status` tinyint(4) DEFAULT NULL,
  12.   PRIMARY KEY (`id`)
  13. ) ENGINE=InnoDB AUTO_INCREMENT=21 DEFAULT CHARSET=utf8mb4;
  14. /*!40101 SET character_set_client = @saved_cs_client */;
  15. DROP TABLE IF EXISTS `m_user`;
  16. /*!40101 SET @saved_cs_client     = @@character_set_client */;
  17. SET character_set_client = utf8mb4 ;
  18. CREATE TABLE `m_user` (
  19.   `id` bigint(20) NOT NULL AUTO_INCREMENT,
  20.   `username` varchar(64) DEFAULT NULL,
  21.   `avatar` varchar(255) DEFAULT NULL,
  22.   `email` varchar(64) DEFAULT NULL,
  23.   `password` varchar(64) DEFAULT NULL,
  24.   `status` int(5) NOT NULL,
  25.   `created` datetime DEFAULT NULL,
  26.   `last_login` datetime DEFAULT NULL,
  27.   PRIMARY KEY (`id`),
  28.   KEY `UK_USERNAME` (`username`) USING BTREE
  29. ) ENGINE=InnoDB AUTO_INCREMENT=2 DEFAULT CHARSET=utf8;
  30. /*!40101 SET character_set_client = @saved_cs_client */;
  31. INSERT INTO `vueblog`.`m_user` (`id`, `username`, `avatar`, `email`, `password`, `status`, `created`, `last_login`) VALUES ('1', 'markerhub', 'https://image-1300566513.cos.ap-guangzhou.myqcloud.com/upload/images/5a9f48118166308daba8b6da7e466aab.jpg', NULL, '96e79218965eb72c92a549dd5a330112', '0', '2020-04-20 10:44:01', NULL);
复制代码
第二步 配置分页MybatisPlusConfig+天生代码(dao 、service、serviceImpl等)

1、配置分页

创建MybatisPlusConfig类(创建路径com/vueblog/config)
  1. package com.vueblog.config;
  2. import com.baomidou.mybatisplus.extension.plugins.PaginationInterceptor;
  3. import org.mybatis.spring.annotation.MapperScan;
  4. import org.springframework.context.annotation.Bean;
  5. import org.springframework.context.annotation.Configuration;
  6. import org.springframework.transaction.annotation.EnableTransactionManagement;
  7. /**
  8. * @author hanson
  9. * @date 2024/5/17 14:02
  10. */
  11. @Configuration
  12. @EnableTransactionManagement
  13. @MapperScan("com.hanson.mapper")
  14. public class MybatisPlusConfig {
  15.     @Bean
  16.     public PaginationInterceptor paginationInterceptor() {
  17.         PaginationInterceptor paginationInterceptor = new PaginationInterceptor();
  18.         return paginationInterceptor;
  19.     }
  20. }
复制代码
2、天生代码

创建CodeGenerator(在com.vueblog包下面)
修改对应的数据库:账号暗码、数据库名、包配置(ctrl+f可找到对应位置)
然后运行输入俩表 ,号隔开是多表
  1. package com.vueblog;
  2. import com.baomidou.mybatisplus.core.exceptions.MybatisPlusException;
  3. import com.baomidou.mybatisplus.core.toolkit.StringPool;
  4. import com.baomidou.mybatisplus.core.toolkit.StringUtils;
  5. import com.baomidou.mybatisplus.generator.AutoGenerator;
  6. import com.baomidou.mybatisplus.generator.InjectionConfig;
  7. import com.baomidou.mybatisplus.generator.config.*;
  8. import com.baomidou.mybatisplus.generator.config.po.TableInfo;
  9. import com.baomidou.mybatisplus.generator.config.rules.NamingStrategy;
  10. import com.baomidou.mybatisplus.generator.engine.FreemarkerTemplateEngine;
  11. import java.util.ArrayList;
  12. import java.util.List;
  13. import java.util.Scanner;
  14. /**
  15. * @author hanson
  16. * @date 2024/5/17 14:06
  17. */
  18. // 演示例子,执行 main 方法控制台输入模块表名回车自动生成对应项目目录中
  19. public class CodeGenerator {
  20.     /**
  21.      * <p>
  22.      * 读取控制台内容
  23.      * </p>
  24.      */
  25.     public static String scanner(String tip) {
  26.         Scanner scanner = new Scanner(System.in);
  27.         StringBuilder help = new StringBuilder();
  28.         help.append("请输入" + tip + ":");
  29.         System.out.println(help.toString());
  30.         if (scanner.hasNext()) {
  31.             String ipt = scanner.next();
  32.             if (StringUtils.isNotEmpty(ipt)) {
  33.                 return ipt;
  34.             }
  35.         }
  36.         throw new MybatisPlusException("请输入正确的" + tip + "!");
  37.     }
  38.     public static void main(String[] args) {
  39.         // 代码生成器
  40.         AutoGenerator mpg = new AutoGenerator();
  41.         // 全局配置
  42.         GlobalConfig gc = new GlobalConfig();
  43.         String projectPath = System.getProperty("user.dir");
  44.         gc.setOutputDir(projectPath + "/src/main/java");
  45.         // gc.setOutputDir("D:\\test");
  46.         gc.setAuthor("anonymous");
  47.         gc.setOpen(false);
  48.         // gc.setSwagger2(true); 实体属性 Swagger2 注解
  49.         gc.setServiceName("%sService");
  50.         mpg.setGlobalConfig(gc);
  51.         // 数据源配置 数据库名 账号密码
  52.         DataSourceConfig dsc = new DataSourceConfig();
  53.         dsc.setUrl("jdbc:mysql://localhost:3306/vueblog?useUnicode=true&useSSL=false&characterEncoding=utf8&serverTimezone=UTC");
  54.         // dsc.setSchemaName("public");
  55.         dsc.setDriverName("com.mysql.cj.jdbc.Driver");
  56.         dsc.setUsername("root");
  57.         dsc.setPassword("123456");
  58.         mpg.setDataSource(dsc);
  59.         // 包配置
  60.         PackageConfig pc = new PackageConfig();
  61.         pc.setModuleName(null);
  62.         pc.setParent("com.vueblog");
  63.         mpg.setPackageInfo(pc);
  64.         // 自定义配置
  65.         InjectionConfig cfg = new InjectionConfig() {
  66.             @Override
  67.             public void initMap() {
  68.                 // to do nothing
  69.             }
  70.         };
  71.         // 如果模板引擎是 freemarker
  72.         String templatePath = "/templates/mapper.xml.ftl";
  73.         // 如果模板引擎是 velocity
  74.         // String templatePath = "/templates/mapper.xml.vm";
  75.         // 自定义输出配置
  76.         List<FileOutConfig> focList = new ArrayList<>();
  77.         // 自定义配置会被优先输出
  78.         focList.add(new FileOutConfig(templatePath) {
  79.             @Override
  80.             public String outputFile(TableInfo tableInfo) {
  81.                 // 自定义输出文件名 , 如果你 Entity 设置了前后缀、此处注意 xml 的名称会跟着发生变化!
  82.                 return projectPath + "/src/main/resources/mapper/"
  83.                         + "/" + tableInfo.getEntityName() + "Mapper" + StringPool.DOT_XML;
  84.             }
  85.         });
  86.         cfg.setFileOutConfigList(focList);
  87.         mpg.setCfg(cfg);
  88.         // 配置模板
  89.         TemplateConfig templateConfig = new TemplateConfig();
  90.         templateConfig.setXml(null);
  91.         mpg.setTemplate(templateConfig);
  92.         // 策略配置
  93.         StrategyConfig strategy = new StrategyConfig();
  94.         strategy.setNaming(NamingStrategy.underline_to_camel);
  95.         strategy.setColumnNaming(NamingStrategy.underline_to_camel);
  96.         strategy.setEntityLombokModel(true);
  97.         strategy.setRestControllerStyle(true);
  98.         strategy.setInclude(scanner("表名,多个英文逗号分割").split(","));
  99.         strategy.setControllerMappingHyphenStyle(true);
  100.         strategy.setTablePrefix("m_");
  101.         mpg.setStrategy(strategy);
  102.         mpg.setTemplateEngine(new FreemarkerTemplateEngine());
  103.         mpg.execute();
  104.     }
  105. }
复制代码
结果如下:

第三步 做测试

1、UserController类(ctrl+R可全局搜刮类)

  1. package com.vueblog.controller;
  2. import com.vueblog.service.UserService;
  3. import org.springframework.beans.factory.annotation.Autowired;
  4. import org.springframework.web.bind.annotation.GetMapping;
  5. import org.springframework.web.bind.annotation.RequestMapping;
  6. import org.springframework.web.bind.annotation.RestController;
  7. /**
  8. * <p>
  9. *  前端控制器
  10. * </p>
  11. *
  12. * @author anonymous
  13. * @since 2024-05-17
  14. */
  15. @RestController
  16. @RequestMapping("/user")
  17. public class UserController {
  18.     @Autowired
  19.     UserService userService;
  20.     @GetMapping("/index")
  21.     public Object index(){
  22.         return userService.getById(1L);
  23.     }
  24. }
复制代码
2、运行项目 检察结果


第二章 同一结果封装

这里我们用到了一个Result的类,这个用于我们的异步同一返回的结果封装。一般来说,结果里面有几个要素必要的


  • 是否乐成,可用code表示(如200表示乐成,400表示非常)
  • 结果消息
  • 结果数据
  • Result类(路径com.vueblog.common.lang;)
  1. package com.vueblog.common.lang;
  2. import lombok.Data;
  3. import java.io.Serializable;
  4. /**
  5. * @author hanson
  6. * @date 2024/5/17 14:32
  7. */
  8. @Data
  9. public class Result implements Serializable {
  10.     private int code; // 200是正常,非200表示异常
  11.     private String msg;
  12.     private Object data;
  13.     //成功
  14.     public static Result success(Object data) {
  15.         return success(200, "操作成功", data);
  16.     }
  17.     //成功
  18.     public static Result success(int code, String msg, Object data) {
  19.         Result r = new Result();
  20.         r.setCode(code);
  21.         r.setMsg(msg);
  22.         r.setData(data);
  23.         return r;
  24.     }
  25.     //失败
  26.     public static Result fail(String msg) {
  27.         return fail(400, msg, null);
  28.     }
  29.     //失败
  30.     public static Result fail(String msg, Object data) {
  31.         return fail(400, msg, data);
  32.     }
  33.     //失败
  34.     public static Result fail(int code, String msg, Object data) {
  35.         Result r = new Result();
  36.         r.setCode(code);
  37.         r.setMsg(msg);
  38.         r.setData(data);
  39.         return r;
  40.     }
  41. }
复制代码


  • 在UserController 中引用测试
  1. package com.vueblog.controller;
  2. import com.vueblog.common.lang.Result;
  3. import com.vueblog.entity.User;
  4. import com.vueblog.service.UserService;
  5. import org.springframework.beans.factory.annotation.Autowired;
  6. import org.springframework.web.bind.annotation.GetMapping;
  7. import org.springframework.web.bind.annotation.RequestMapping;
  8. import org.springframework.web.bind.annotation.RestController;
  9. /**
  10. * <p>
  11. *  前端控制器
  12. * </p>
  13. *
  14. * @author anonymous
  15. * @since 2024-05-17
  16. */
  17. @RestController
  18. @RequestMapping("/user")
  19. public class UserController {
  20.     @Autowired
  21.     UserService userService;
  22.     @GetMapping("/index")
  23.     public Result index(){
  24.         User user = userService.getById(1L);
  25.         return Result.success(user);
  26.     }
  27. }
复制代码


  • 页面运行结果图 (http://localhost:8082/user/index)

第三章 Shiro整合jwt逻辑分析

考虑到后面大概需要做集群、负载均衡等,所以就需要会话共享,而shiro的缓存和会话信息,我们一般考虑使用redis来存储这些数据,所以,我们不仅仅需要整合shiro,同时也需要整合redis。在开源的项目中,我们找到了一个starter可以快速整合shiro-redis,配置简朴,这里也保举大家使用。
而因为我们需要做的是前后端分离项目标骨架,所以一般我们会采用token或者jwt作为跨域身份验证办理方案。所以整合shiro的过程中,我们需要引入jwt的身份验证过程。
那么我们就开始整合:
我们使用一个shiro-redis-spring-boot-starter的jar包,详细教程可以看官方文档:
https://github.com/alexxiyang/shiro-redis/blob/master/docs/README.md#spring-boot-starter
1、导入shiro-redis的starter包:还有jwt的工具包,以及为了简化开发,引入hutool工具包。

pom.xml中导入:
  1. <!-- shiro-redis -->
  2. <dependency>
  3.      <groupId>org.crazycake</groupId>
  4.      <artifactId>shiro-redis-spring-boot-starter</artifactId>
  5.      <version>3.2.1</version>
  6. </dependency>
  7. <!-- hutool工具类 -->
  8. <dependency>       
  9.      <groupId>cn.hutool</groupId>
  10.      <artifactId>hutool-all</artifactId>
  11.      <version>5.3.3</version>
  12. </dependency>
  13.      <!-- jwt 生成工具 校验工具-->
  14. <dependency>
  15.      <groupId>io.jsonwebtoken</groupId>
  16.      <artifactId>jjwt</artifactId>
  17.      <version>0.9.1</version>
  18. </dependency>
复制代码
2、创建ShiroConfig

文件路径:com/vueblog/config
  1. package com.vueblog.config;
  2. import com.vueblog.shiro.AccountRealm;
  3. import com.vueblog.shiro.JwtFilter;
  4. import org.apache.shiro.mgt.DefaultSessionStorageEvaluator;
  5. import org.apache.shiro.mgt.DefaultSubjectDAO;
  6. import org.apache.shiro.mgt.SecurityManager;
  7. import org.apache.shiro.session.mgt.SessionManager;
  8. import org.apache.shiro.spring.web.ShiroFilterFactoryBean;
  9. import org.apache.shiro.spring.web.config.DefaultShiroFilterChainDefinition;
  10. import org.apache.shiro.spring.web.config.ShiroFilterChainDefinition;
  11. import org.apache.shiro.web.mgt.DefaultWebSecurityManager;
  12. import org.apache.shiro.web.session.mgt.DefaultWebSessionManager;
  13. import org.crazycake.shiro.RedisCacheManager;
  14. import org.crazycake.shiro.RedisSessionDAO;
  15. import org.springframework.beans.factory.annotation.Autowired;
  16. import org.springframework.context.annotation.Bean;
  17. import org.springframework.context.annotation.Configuration;
  18. import java.util.HashMap;
  19. import java.util.LinkedHashMap;
  20. import java.util.Map;
  21. import javax.servlet.Filter;
  22. /**
  23. * @author hanson
  24. * @date 2024/5/17 15:13
  25. */
  26. @Configuration
  27. public class ShiroConfig {
  28.     @Autowired
  29.     private JwtFilter jwtFilter;
  30.     @Bean
  31.     public SessionManager sessionManager(RedisSessionDAO redisSessionDAO) {
  32.         DefaultWebSessionManager sessionManager = new DefaultWebSessionManager();
  33.         sessionManager.setSessionDAO(redisSessionDAO);
  34.         return sessionManager;
  35.     }
  36.     @Bean
  37.     public DefaultWebSecurityManager securityManager(AccountRealm accountRealm,
  38.                                                      SessionManager sessionManager,
  39.                                                      RedisCacheManager redisCacheManager) {
  40.         DefaultWebSecurityManager securityManager = new DefaultWebSecurityManager(accountRealm);
  41.         securityManager.setSessionManager(sessionManager);
  42.         securityManager.setCacheManager(redisCacheManager);
  43.         /*
  44.          * 关闭shiro自带的session,详情见文档
  45.          */
  46.         DefaultSubjectDAO subjectDAO = new DefaultSubjectDAO();
  47.         DefaultSessionStorageEvaluator defaultSessionStorageEvaluator = new DefaultSessionStorageEvaluator();
  48.         defaultSessionStorageEvaluator.setSessionStorageEnabled(false);
  49.         subjectDAO.setSessionStorageEvaluator(defaultSessionStorageEvaluator);
  50.         securityManager.setSubjectDAO(subjectDAO);
  51.         return securityManager;
  52.     }
  53.     @Bean
  54.     public ShiroFilterChainDefinition shiroFilterChainDefinition() {
  55.         DefaultShiroFilterChainDefinition chainDefinition = new DefaultShiroFilterChainDefinition();
  56.         Map<String, String> filterMap = new LinkedHashMap<>();
  57.         filterMap.put("/**", "jwt"); // 主要通过注解方式校验权限
  58.         chainDefinition.addPathDefinitions(filterMap);
  59.         return chainDefinition;
  60.     }
  61.     @Bean("shiroFilterFactoryBean")
  62.     public ShiroFilterFactoryBean shiroFilterFactoryBean(SecurityManager securityManager,
  63.                                                          ShiroFilterChainDefinition shiroFilterChainDefinition) {
  64.         ShiroFilterFactoryBean shiroFilter = new ShiroFilterFactoryBean();
  65.         shiroFilter.setSecurityManager(securityManager);
  66.         Map<String, Filter> filters = new HashMap<>();
  67.         filters.put("jwt", jwtFilter);
  68.         shiroFilter.setFilters(filters);
  69.         Map<String, String> filterMap = shiroFilterChainDefinition.getFilterChainMap();
  70.         shiroFilter.setFilterChainDefinitionMap(filterMap);
  71.         return shiroFilter;
  72.     }
  73. }
复制代码
上面ShiroConfig,我们重要做了几件事情:

  • 引入RedisSessionDAO和RedisCacheManager,为了办理shiro的权限数据和会话信息能保存到redis中,实现会话共享。
  • 重写了SessionManager和DefaultWebSecurityManager,同时在DefaultWebSecurityManager中为了关闭shiro自带的session方式,我们需要设置为false,如许用户就不再能通过session方式登录shiro。后面将采用jwt凭证登录。
  • 在ShiroFilterChainDefinition中,我们不再通过编码形式拦截Controller访问路径,而是所有的路由都需要颠末JwtFilter这个过滤器,然后判断请求头中是否含有jwt的信息,有就登录,没有就跳过。跳过之后,有Controller中的shiro注解举行再次拦截,比如@RequiresAuthentication,如许控制权限访问。
那么,接下来,我们聊聊ShiroConfig中出现的AccountRealm,还有JwtFilter。
3、创建MybatisPlusConfig

路径:com.vueblog.config
  1. package com.vueblog.config;
  2. import com.baomidou.mybatisplus.extension.plugins.PaginationInterceptor;
  3. import org.mybatis.spring.annotation.MapperScan;
  4. import org.springframework.context.annotation.Bean;
  5. import org.springframework.context.annotation.Configuration;
  6. import org.springframework.transaction.annotation.EnableTransactionManagement;
  7. /**
  8. * @author hanson
  9. * @date 2024/5/17 14:02
  10. */
  11. @Configuration
  12. @EnableTransactionManagement
  13. @MapperScan("com.vueblog.mapper")
  14. public class MybatisPlusConfig {
  15.     @Bean
  16.     public PaginationInterceptor paginationInterceptor() {
  17.         PaginationInterceptor paginationInterceptor = new PaginationInterceptor();
  18.         return paginationInterceptor;
  19.     }
  20. }
复制代码
4、创建AccountRealm

路径: com.vueblog.shiro
AccountRealm是shiro举行登录或者权限校验的逻辑所在,算是焦点了,我们需要重写3个方法,分别是


  • supports:为了让realm支持jwt的凭证校验
  • doGetAuthorizationInfo:权限校验
  • doGetAuthenticationInfo:登录认证校验
我们先来总体看看AccountRealm的代码,然后逐个分析:
  1. package com.vueblog.shiro;
  2. import org.apache.shiro.authc.AuthenticationException;
  3. import org.apache.shiro.authc.AuthenticationInfo;
  4. import org.apache.shiro.authc.AuthenticationToken;
  5. import org.apache.shiro.authz.AuthorizationInfo;
  6. import org.apache.shiro.realm.AuthorizingRealm;
  7. import org.apache.shiro.subject.PrincipalCollection;
  8. import org.springframework.stereotype.Component;
  9. /**
  10. * @author hanson
  11. * @date 2024/5/17 15:17
  12. */
  13. @Component
  14. public class AccountRealm extends AuthorizingRealm {
  15.     //为了让realm支持jwt的凭证校验
  16.     @Override
  17.     public boolean supports(AuthenticationToken token) {
  18.         return token instanceof JwtToken;
  19.     }
  20.     //权限校验
  21.     @Override
  22.     protected AuthorizationInfo doGetAuthorizationInfo(PrincipalCollection principalCollection) {
  23.         return null;
  24.     }
  25.     //登录认证校验
  26.     @Override
  27.     protected AuthenticationInfo doGetAuthenticationInfo(AuthenticationToken authenticationToken) throws AuthenticationException {
  28.         return null;
  29.     }
  30. }
复制代码
其实重要就是doGetAuthenticationInfo登录认证这个方法,可以看到我们通过jwt获取到用户信息,判断用户的状态,末了非常就抛出对应的非常信息,否者封装成SimpleAuthenticationInfo返回给shiro。
接下来我们渐渐分析里面出现的新类:
1、shiro默认supports的是UsernamePasswordToken,而我们如今采用了jwt的方式,所以这里我们自定义一个JwtToken,来完成shiro的supports方法。
注意事项如果启动不了在VueblogApplication加入@MapperScan扫描mapper
  1. @SpringBootApplication
  2. @MapperScan(basePackages = "com.vueblog.mapper")
  3. public class VueblogApplication {
  4.     public static void main(String[] args) {
  5.         SpringApplication.run(VueblogApplication.class, args);
  6.     }
  7. }
复制代码
5、创建JwtFilter

路径:com.vueblog.shiro;
这个过滤器是我们的重点,这里我们继续的是Shiro内置的AuthenticatingFilter,一个可以内置了可以主动登录方法的的过滤器,有些同学继续BasicHttpAuthenticationFilter也是可以的。
我们需要重写几个方法:

  • createToken:实现登录,我们需要天生我们自定义支持的JwtToken
  • onAccessDenied:拦截校验,当头部没有Authorization时候,我们直接通过,不需要主动登录;当带有的时候,首先我们校验jwt的有用性,没题目我们就直接执行executeLogin方法实现主动登录
  • onLoginFailure:登录非常时候进入的方法,我们直接把非常信息封装然后抛出
  • preHandle:拦截器的前置拦截,因为我们是前后端分析项目,项目中除了需要跨域全局配置之外,我们再拦截器中也需要提供跨域支持。如许,拦截器才不会在进入Controller之前就被限定了。
下面我们看看总体的代码:
  1. package com.vueblog.shiro;
  2. import cn.hutool.json.JSONUtil;
  3. import com.vueblog.common.lang.Result;
  4. import com.vueblog.util.JwtUtils;
  5. import io.jsonwebtoken.Claims;
  6. import org.apache.shiro.authc.AuthenticationException;
  7. import org.apache.shiro.authc.AuthenticationToken;
  8. import org.apache.shiro.authc.ExpiredCredentialsException;
  9. import org.apache.shiro.web.filter.authc.AuthenticatingFilter;
  10. import org.springframework.beans.factory.annotation.Autowired;
  11. import org.springframework.stereotype.Component;
  12. import org.springframework.util.StringUtils;
  13. import javax.servlet.ServletRequest;
  14. import javax.servlet.ServletResponse;
  15. import javax.servlet.http.HttpServletRequest;
  16. import javax.servlet.http.HttpServletResponse;
  17. import java.io.IOException;
  18. /**
  19. * @author hanson
  20. * @date 2024/5/17 15:25
  21. */
  22. @Component
  23. public class JwtFilter extends AuthenticatingFilter {
  24.     @Autowired
  25.     JwtUtils jwtUtils;
  26.     //验证token
  27.     @Override
  28.     protected AuthenticationToken createToken(ServletRequest servletRequest, ServletResponse servletResponse) throws Exception {
  29.         HttpServletRequest request = (HttpServletRequest) servletRequest;
  30.         // 获取头部token
  31.         String jwt = request.getHeader("Authorization");
  32.         if (StringUtils.isEmpty(jwt)) {
  33.             return null;
  34.         }
  35.         return new JwtToken(jwt);
  36.     }
  37.     @Override
  38.     protected boolean onAccessDenied(ServletRequest servletRequest, ServletResponse servletResponse) throws Exception {
  39.         HttpServletRequest request = (HttpServletRequest) servletRequest;
  40.         // 获取头部token
  41.         String jwt = request.getHeader("Authorization");
  42.         if (StringUtils.isEmpty(jwt)) {
  43.             return true;
  44.         } else {
  45.             // 检验jwt
  46.             Claims claim = jwtUtils.getClaimByToken(jwt);
  47.             if (claim == null || jwtUtils.isTokenExpired(claim.getExpiration())){
  48.                 throw new ExpiredCredentialsException("token已失效,请重新登录");
  49.             }
  50.             // 执行登录
  51.             return executeLogin(servletRequest, servletResponse);
  52.         }
  53.     }
  54.     @Override
  55.     protected boolean onLoginFailure(AuthenticationToken token, AuthenticationException e, ServletRequest request, ServletResponse response) {
  56.         HttpServletResponse httpServletResponse = (HttpServletResponse) response;
  57.         Throwable throwable = e.getCause() == null ? e : e.getCause();
  58.         Result result = Result.fail(throwable.getMessage());
  59.         String json = JSONUtil.toJsonStr(result);
  60.         try {
  61.             httpServletResponse.getWriter().print(json);
  62.         } catch (IOException ex) {
  63.         }
  64.         return false;
  65.     }
  66. }
复制代码
6、创建JwtToken

路径:com.vueblog.shiro
  1. package com.vueblog.shiro;
  2. import org.apache.shiro.authc.AuthenticationToken;
  3. /**
  4. * @author hanson
  5. * @date 2024/5/17 15:41
  6. */
  7. public class JwtToken implements AuthenticationToken {
  8.     private String token;
  9.     public JwtToken(String jwt){
  10.         this.token = jwt;
  11.     }
  12.     @Override
  13.     public Object getPrincipal() {
  14.         return token;
  15.     }
  16.     @Override
  17.     public Object getCredentials() {
  18.         return token;
  19.     }
  20. }
复制代码
7、创建JwtUtils

路径:com.vueblog.util
  1. package com.vueblog.util;
  2. import io.jsonwebtoken.Claims;
  3. import io.jsonwebtoken.Jwts;
  4. import io.jsonwebtoken.SignatureAlgorithm;
  5. import lombok.Data;
  6. import lombok.extern.slf4j.Slf4j;
  7. import org.springframework.boot.context.properties.ConfigurationProperties;
  8. import org.springframework.stereotype.Component;
  9. import java.util.Date;
  10. /**
  11. * @author hanson
  12. * @date 2024/5/17 15:55
  13. */
  14. @Slf4j
  15. @Data
  16. @Component
  17. @ConfigurationProperties(prefix = "markerhub.jwt")
  18. public class JwtUtils {
  19.     private String secret;
  20.     private long expire;
  21.     private String header;
  22.     /**
  23.      * 生成jwt token
  24.      */
  25.     public String generateToken(long userId) {
  26.         Date nowDate = new Date();
  27.         //过期时间
  28.         Date expireDate = new Date(nowDate.getTime() + expire * 1000);
  29.         return Jwts.builder()
  30.                 .setHeaderParam("typ", "JWT")
  31.                 .setSubject(userId+"")
  32.                 .setIssuedAt(nowDate)
  33.                 .setExpiration(expireDate)
  34.                 .signWith(SignatureAlgorithm.HS512, secret)
  35.                 .compact();
  36.     }
  37.     public Claims getClaimByToken(String token) {
  38.         try {
  39.             return Jwts.parser()
  40.                     .setSigningKey(secret)
  41.                     .parseClaimsJws(token)
  42.                     .getBody();
  43.         }catch (Exception e){
  44.             log.debug("validate is token error ", e);
  45.             return null;
  46.         }
  47.     }
  48.     /**
  49.      * token是否过期
  50.      * @return  true:过期
  51.      */
  52.     public boolean isTokenExpired(Date expiration) {
  53.         return expiration.before(new Date());
  54.     }
  55. }
复制代码
8、创建spring-devtools.properties

路径:resources/WETA-INF/
  1. restart.include.shiro-redis=/shiro-[\\w-\\.]+jar
复制代码
第四章 Shiro逻辑开发

小提示:登录调用AccountRealm类下面的doGetAuthenticationInfo
创建类AccountProfile 用于传递数据
路径:com.vueblog.shiro
  1. package com.vueblog.shiro;
  2. import lombok.Data;
  3. import java.io.Serializable;
  4. /**
  5. * @author hanson
  6. * @date 2024/5/17 17:33
  7. */
  8. @Data
  9. public class AccountProfile implements Serializable {
  10.     private Long id;
  11.     private String username;
  12.     private String avatar;
  13.     private String email;
  14. }
复制代码
完善AccountRealm
  1. package com.vueblog.shiro;
  2. import cn.hutool.core.bean.BeanUtil;
  3. import com.vueblog.entity.User;
  4. import com.vueblog.service.UserService;
  5. import com.vueblog.util.JwtUtils;
  6. import org.apache.shiro.authc.*;
  7. import org.apache.shiro.authz.AuthorizationInfo;
  8. import org.apache.shiro.realm.AuthorizingRealm;
  9. import org.apache.shiro.subject.PrincipalCollection;
  10. import org.springframework.beans.factory.annotation.Autowired;
  11. import org.springframework.stereotype.Component;
  12. /**
  13. * @author hanson
  14. * @date 2024/5/17 15:17
  15. */
  16. @Component
  17. public class AccountRealm extends AuthorizingRealm {
  18.     @Autowired
  19.     JwtUtils jwtUtils;
  20.     @Autowired
  21.     UserService userService;
  22.     //为了让realm支持jwt的凭证校验
  23.     @Override
  24.     public boolean supports(AuthenticationToken token) {
  25.         return token instanceof JwtToken;
  26.     }
  27.     //权限校验
  28.     @Override
  29.     protected AuthorizationInfo doGetAuthorizationInfo(PrincipalCollection principalCollection) {
  30.         return null;
  31.     }
  32.     //登录认证校验
  33.     @Override
  34.     protected AuthenticationInfo doGetAuthenticationInfo(AuthenticationToken token) throws AuthenticationException {
  35.         JwtToken jwtToken = (JwtToken) token;
  36.         String userId = jwtUtils.getClaimByToken((String) jwtToken.getPrincipal()).getSubject();
  37.         User user = userService.getById(Long.valueOf(userId));
  38.         if (user == null){
  39.             throw new UnknownAccountException("账户不存在");
  40.         }
  41.         if (user.getStatus() == -1){
  42.             throw new LockedAccountException("账户已经被锁定");
  43.         }
  44.         AccountProfile profile = new AccountProfile();
  45.         BeanUtil.copyProperties(user,profile);
  46.         System.out.println("----------------------");
  47.         return new SimpleAuthenticationInfo(profile,jwtToken.getCredentials(),getName());
  48.     }
  49. }
复制代码
第五章 非常处理

创建GlobalExceptionHandler 类
捕获全局非常
  1. package com.vueblog.common.exception;
  2. import com.vueblog.common.lang.Result;
  3. import lombok.extern.slf4j.Slf4j;
  4. import org.apache.shiro.ShiroException;
  5. import org.springframework.http.HttpStatus;
  6. import org.springframework.web.bind.annotation.ExceptionHandler;
  7. import org.springframework.web.bind.annotation.ResponseStatus;
  8. import org.springframework.web.bind.annotation.RestControllerAdvice;
  9. /**
  10. * 日志输出
  11. * 全局异常捕获
  12. *
  13. * @author hanson
  14. * @date 2024/5/17 17:39
  15. */
  16. @Slf4j
  17. @RestControllerAdvice
  18. public class GlobalExceptionHandler {
  19.     @ResponseStatus(HttpStatus.UNAUTHORIZED)//因为前后端分离 返回一个状态 一般是401 没有权限
  20.     @ExceptionHandler(value = RuntimeException.class)//捕获运行时异常ShiroException是大部分异常的父类
  21.     public Result handler(ShiroException e) {
  22.         log.error("运行时异常:--------------------{}", e);
  23.         return Result.fail(401, e.getMessage(), null);
  24.     }
  25.     @ResponseStatus(HttpStatus.BAD_REQUEST)//因为前后端分离 返回一个状态
  26.     @ExceptionHandler(value = RuntimeException.class)//捕获运行时异常
  27.     public Result handler(RuntimeException e) {
  28.         log.error("运行时异常:--------------------{}", e);
  29.         return Result.fail(e.getMessage());
  30.     }
  31. }
复制代码
然而我们运行测试发现并没有拦截

因为我们没有举行登录拦截
@RequiresAuthentication//登录拦截注解

运行结果:
提示401登录非常

第六章 实体校验

当我们表单数据提交的时候,前端的校验我们可以使用一些类似于jQuery Validate等js插件实现,而后端我们可以使用Hibernate validatior来做校验。
我们使用springboot框架作为基础,那么就已经主动集成了Hibernate validatior。(校验登录非空等等)



  • User实体类中
  1. package com.vueblog.entity;
  2. import com.baomidou.mybatisplus.annotation.TableName;
  3. import com.baomidou.mybatisplus.annotation.IdType;
  4. import com.baomidou.mybatisplus.annotation.TableId;
  5. import java.time.LocalDateTime;
  6. import java.io.Serializable;
  7. import lombok.Data;
  8. import lombok.EqualsAndHashCode;
  9. import lombok.experimental.Accessors;
  10. import javax.validation.constraints.Email;
  11. import javax.validation.constraints.NotBlank;
  12. /**
  13. * <p>
  14. *
  15. * </p>
  16. *
  17. * @author anonymous
  18. * @since 2024-05-17
  19. */
  20. @Data
  21. @EqualsAndHashCode(callSuper = false)
  22. @Accessors(chain = true)
  23. @TableName("m_user")
  24. public class User implements Serializable {
  25.     private static final long serialVersionUID = 1L;
  26.     @TableId(value = "id", type = IdType.AUTO)
  27.     private Long id;
  28.     @NotBlank(message = "昵称不能为空")
  29.     private String username;
  30.     private String avatar;
  31.     @NotBlank(message = "邮箱不能为空")
  32.     @Email(message = "邮箱格式不正确")
  33.     private String email;
  34.     private String password;
  35.     private Integer status;
  36.     private LocalDateTime created;
  37.     private LocalDateTime lastLogin;
  38. }
复制代码


  • 在userController类中写一个方法测试
  1. /**
  2. *
  3. *@RequestBody主要用来接收前端传递给后端的json字符串中的数据的(请求体中的数据的);
  4. * GET方式无请求体,所以使用@RequestBody接收数据时,
  5. * 前端不能使用GET方式提交数据,
  6. * 而是用POST方式进行提交。在后端的同一个接收方法里,
  7. * @RequestBody与@RequestParam()可以同时使用,@RequestBody最多只能有一个,
  8. * 而@RequestParam()可以有多个。
  9. *
  10. * @Validated注解用于检查user中填写的规则  如果不满足抛出异常
  11. * 可在GlobalExceptionHandler中捕获此异常 进行自定义 返回数据信息
  12. */
  13. @PostMapping("/save")
  14. public  Result save(@Validated @RequestBody User user){
  15.     return Result.succ(user);
  16. }
复制代码


  • 启动postMan测试



  • 定义捕获非常返回处理
在捕获非常 GlobalExceptionHandler类中增加如下:
  1. @ResponseStatus(HttpStatus.BAD_REQUEST)//因为前后端分离 返回一个状态
  2. @ExceptionHandler(value = MethodArgumentNotValidException.class)//捕获运行时异常
  3. public Result handler(RuntimeException e) {
  4.     log.error("实体校验异常:--------------------{}", e);
  5.     return Result.fail(e.getMessage());
  6. }
复制代码
结果如下:(变得简短了)

输入正确的格式如下:
返回了我们需要的信息

第七章 跨域题目

因为是前后端分析,所以跨域题目是克制不了的,我们直接在背景举行全局跨域处理:
路径:com.vueblog.config
注意:此配置是配置到confroller的,在confroller之前是颠末jwtFilter,所以在举行访问之前配置一下Filter的跨域题目
  1. package com.vueblog.config;
  2. import org.springframework.context.annotation.Configuration;
  3. import org.springframework.web.servlet.config.annotation.CorsRegistry;
  4. import org.springframework.web.servlet.config.annotation.WebMvcConfigurer;
  5. /**
  6. * 解决跨域问题
  7. *
  8. * @author hanson
  9. * @date 2024/5/17 19:10
  10. */
  11. @Configuration
  12. public class CorsConfig implements WebMvcConfigurer {
  13.     @Override
  14.     public void addCorsMappings(CorsRegistry registry) {
  15.         registry.addMapping("/**")
  16.                 .allowedOrigins("*")
  17.                 .allowedMethods("GET", "HEAD", "POST", "PUT", "DELETE", "OPTIONS")
  18.                 .allowCredentials(true)
  19.                 .maxAge(3600)
  20.                 .allowedHeaders("*");
  21.     }
  22. }
复制代码
jwtFilter举行跨域处理:
  1. /**
  2. * 对跨域提供支持
  3. * @param request
  4. * @param response
  5. * @return
  6. * @throws Exception
  7. */
  8. @Override
  9. protected boolean preHandle(ServletRequest request, ServletResponse response) throws Exception {
  10.     HttpServletRequest httpServletRequest = WebUtils.toHttp(request);
  11.     HttpServletResponse httpServletResponse = WebUtils.toHttp(response);
  12.     httpServletResponse.setHeader("Access-control-Allow-Origin", httpServletRequest.getHeader("Origin"));
  13.     httpServletResponse.setHeader("Access-Control-Allow-Methods", "GET,POST,OPTIONS,PUT,DELETE");
  14.     httpServletResponse.setHeader("Access-Control-Allow-Headers", httpServletRequest.getHeader("Access-Control-Request-Headers"));
  15.     // 跨域时会首先发送一个OPTIONS请求,这里我们给OPTIONS请求直接返回正常状态
  16.     if (httpServletRequest.getMethod().equals(RequestMethod.OPTIONS.name())) {
  17.         httpServletResponse.setStatus(org.springframework.http.HttpStatus.OK.value());
  18.         return false;
  19.     }
  20.     return super.preHandle(request, response);
  21. }
复制代码
----根本框架已经搭建完成-----
第八章 登录接口开发



  • 创建LoginDto
  • 路径: com.vueblog.common.dto
  1. package com.vueblog.dto;
  2. import lombok.Data;
  3. import javax.validation.constraints.NotBlank;
  4. import java.io.Serializable;
  5. /**
  6. * @author hanson
  7. * @date 2024/5/17 19:17
  8. */
  9. @Data
  10. public class LoginDto implements Serializable {
  11.     @NotBlank(message = "昵称不能为空")
  12.     private String username;
  13.     @NotBlank(message = "密码不能为空")
  14.     private String password;
  15. }
复制代码


  • 在GlobalExceptionHandler类中增加断言非常
  • 路径:com.vueblog.common.exception
  1. /**
  2. * 断言异常
  3. * @param e
  4. * @return
  5. */
  6. @ResponseStatus(HttpStatus.BAD_REQUEST)
  7. @ExceptionHandler(value = IllegalArgumentException.class)
  8. public Result handler(IllegalArgumentException e){
  9.     log.error("Assert异常:------------------>{}",e);
  10.     return Result.fail(e.getMessage());
  11. }
复制代码


  • 创建AccountController类

登录和退出逻辑
  1. package com.vueblog.controller;
  2. import cn.hutool.core.map.MapUtil;
  3. import cn.hutool.crypto.SecureUtil;
  4. import com.baomidou.mybatisplus.core.conditions.query.QueryWrapper;
  5. import com.vueblog.common.lang.Result;
  6. import com.vueblog.dto.LoginDto;
  7. import com.vueblog.entity.User;
  8. import com.vueblog.service.UserService;
  9. import com.vueblog.util.JwtUtils;
  10. import io.jsonwebtoken.lang.Assert;
  11. import org.apache.shiro.SecurityUtils;
  12. import org.springframework.beans.factory.annotation.Autowired;
  13. import org.springframework.validation.annotation.Validated;
  14. import org.springframework.web.bind.annotation.GetMapping;
  15. import org.springframework.web.bind.annotation.PostMapping;
  16. import org.springframework.web.bind.annotation.RequestBody;
  17. import org.springframework.web.bind.annotation.RestController;
  18. import javax.servlet.http.HttpServletResponse;
  19. /**
  20. * @author hanson
  21. * @date 2024/5/17 19:16
  22. */
  23. @RestController
  24. public class AccountController {
  25.     @Autowired
  26.     UserService userService;
  27.     @Autowired
  28.     JwtUtils jwtUtils;
  29.     @PostMapping("/login")
  30.     public Result login(@Validated @RequestBody LoginDto loginDto, HttpServletResponse response) {
  31.         User user = userService.getOne(new QueryWrapper<User>().eq("username", loginDto.getUsername()));
  32.         Assert.notNull(user,"用户不存在");
  33.         if (!user.getPassword().equals(SecureUtil.md5(loginDto.getPassword()))){
  34.             return Result.fail("密码不正确");
  35.         }
  36.         String jwt = jwtUtils.generateToken(user.getId());
  37.         response.setHeader("Authorization",jwt);
  38.         response.setHeader("Access-control-Expose-Headers","Authorization");
  39.         return Result.success(MapUtil.builder()
  40.                 .put("id",user.getId())
  41.                 .put("username",user.getUsername())
  42.                 .put("avatar",user.getAvatar())
  43.                 .put("password",user.getPassword())
  44.                 .map()
  45.         );
  46.     }
  47.     @GetMapping("/logout")
  48.     public Result logout(){
  49.         SecurityUtils.getSubject().logout();
  50.         return Result.success(null);
  51.     }
  52. }
复制代码
测试运行结果:


假设输入错误的暗码:

第九章 博客接口的开发



  • 创建工具类ShiroUtil
路径com.vueblog.util,可于判断等等
  1. package com.vueblog.util;
  2. import com.vueblog.shiro.AccountProfile;
  3. import org.apache.shiro.SecurityUtils;
  4. /**
  5. * @author hanson
  6. * @date 2024/5/17 20:13
  7. */
  8. public class ShiroUtil {
  9.     public static AccountProfile getProfile(){
  10.         return (AccountProfile) SecurityUtils.getSubject().getPrincipal();
  11.     }
  12. }
复制代码


  • 完善BlogController类
  1. package com.vueblog.controller;
  2. import cn.hutool.core.bean.BeanUtil;
  3. import com.baomidou.mybatisplus.core.conditions.query.QueryWrapper;
  4. import com.baomidou.mybatisplus.core.metadata.IPage;
  5. import com.baomidou.mybatisplus.extension.plugins.pagination.Page;
  6. import com.vueblog.common.lang.Result;
  7. import com.vueblog.entity.Blog;
  8. import com.vueblog.service.BlogService;
  9. import com.vueblog.util.ShiroUtil;
  10. import io.jsonwebtoken.lang.Assert;
  11. import org.apache.shiro.authz.annotation.RequiresAuthentication;
  12. import org.springframework.beans.factory.annotation.Autowired;
  13. import org.springframework.validation.annotation.Validated;
  14. import org.springframework.web.bind.annotation.*;
  15. import java.time.LocalDateTime;
  16. /**
  17. * <p>
  18. * 前端控制器
  19. * </p>
  20. *
  21. * @author anonymous
  22. * @since 2024-05-17
  23. */
  24. @RestController
  25. public class BlogController {
  26.     @Autowired
  27.     BlogService blogService;
  28.     //木有值默认为1
  29.     @GetMapping("/blogs")
  30.     public Result list(@RequestParam(defaultValue = "1") Integer currentPage) {
  31.         Page page = new Page(currentPage, 5);
  32.         IPage pageData = blogService.page(page, new QueryWrapper<Blog>().orderByDesc("created"));
  33.         return Result.success(pageData);
  34.     }
  35.     //@PathVariable动态路由
  36.     @GetMapping("/blog/{id}")
  37.     public Result detail(@PathVariable(name = "id") Long id) {
  38.         Blog blog = blogService.getById(id);
  39.         Assert.notNull(blog, "该博客已被删除");
  40.         return Result.success(blog);
  41.     }
  42.     //@Validated校验
  43.     //@RequestBody
  44.     //添加删除  木有id则添加 有id则编辑
  45.     @RequiresAuthentication //需要认证之后才能操作
  46.     @PostMapping("/blog/edit")
  47.     public Result edit(@Validated @RequestBody Blog blog) {
  48.         System.out.println(blog.toString());
  49.         Blog temp = null;
  50.         //如果有id则是编辑
  51.         if(blog.getId() != null) {
  52.             temp = blogService.getById(blog.getId());//将数据库的内容传递给temp
  53.             //只能编辑自己的文章
  54.             Assert.isTrue(temp.getUserId().longValue()  == ShiroUtil.getProfile().getId().longValue() , "没有权限编辑");
  55.         } else {
  56.             temp = new Blog();
  57.             temp.setUserId(ShiroUtil.getProfile().getId());
  58.             temp.setCreated(LocalDateTime.now());
  59.             temp.setStatus(0);
  60.         }
  61.         //将blog的值赋给temp 忽略 id userid created status 引用于hutool
  62.         BeanUtil.copyProperties(blog, temp, "id", "userId", "created", "status");
  63.         blogService.saveOrUpdate(temp);
  64.         return Result.success(null);
  65.     }
  66.     //@PathVariable动态路由
  67.     @RequiresAuthentication  //需要认证之后才能操作
  68.     @PostMapping("/blogdel/{id}")
  69.     public Result del(@PathVariable Long id){
  70.         boolean b = blogService.removeById(id);
  71.         //判断是否为空 为空则断言异常
  72.         if(b==true){
  73.             return Result.success("文章删除成功");
  74.         }else{
  75.             return Result.fail("文章删除失败");
  76.         }
  77.     }
  78. }
复制代码


  • 运行程序
查询测试:




  • 新增编辑测试:
测试修改别人文章

得到token

选中header=>填写token

选中body=>raw=>json填写请求
新增
  1. {
  2.         "title":"标题测试",
  3.         "description":"描述测试aabbcc",
  4.         "content":"内容测试1234567"
  5. }
复制代码

文章删除

后端总结
后端的一个骨架根本完成然后开始我们的前端开发
第十章 Vue前端页面开发

1、前言

接下来,我们来完成vueblog前端的部分功能。大概会使用的到技能如下:


  • vue
  • element-ui
  • axios
  • mavon-editor
  • markdown-it
  • github-markdown-css
2、环境预备



  • node.js安装:
https://nodejs.org/zh-cn/

安装完成之后查抄下版本信息:



  • 接下来,我们安装vue的环境
  1. # 安装淘宝npm
  2. npm install -g cnpm --registry=https://registry.npm.taobao.org
  3. # vue-cli 安装依赖包
  4. cnpm install --g vue-cli
复制代码
如果报错信息显示证书过期,更换路径

  1. http://npm.taobao.org => http://npmmirror.com
  2. http://registry.npm.taobao.org => http://registry.npmmirror.com
复制代码

3、新建项目

方式一:使用Vue ui

选中要创建的文件cmd打开,输入vue ui


点击在此创建新项目

点手动配置

打开Router和Vuex,关掉Linter

勾选

前端基础框架初始化乐成

目录下天生了对应文件

方式二:命令行

选中要创建的文件cmd打开,进入你的项目目录,创建一个基于 webpack 模板的新项目: vue init webpack 项目名

   输入:
vue init webpack xx
全部enter即可
  

完成

我们来看下整个vueblog-vue的项目结构

   ├── README.md 项目先容
├── index.html 入口页面
├── build 构建脚本目录
│ ├── build-server.js 运行本地构建服务器,可以访问构建后的页面
│ ├── build.js 生产环境构建脚本
│ ├── dev-client.js 开发服务器热重载脚本,重要用来实现开发阶段的页面主动刷新
│ ├── dev-server.js 运行本地开发服务器
│ ├── utils.js 构建相关工具方法
│ ├── webpack.base.conf.js wabpack基础配置
│ ├── webpack.dev.conf.js wabpack开发环境配置
│ └── webpack.prod.conf.js wabpack生产环境配置
├── config 项目配置
│ ├── dev.env.js 开发环境变量
│ ├── index.js 项目配置文件
│ ├── prod.env.js 生产环境变量
│ └── test.env.js 测试环境变量
├── mock mock数据目录
│ └── hello.js
├── package.json npm包配置文件,里面定义了项目标npm脚本,依赖包等信息
├── src 源码目录
│ ├── main.js 入口js文件
│ ├── app.vue 根组件
│ ├── components 公共组件目录
│ │ └── title.vue
│ ├── assets 资源目录,这里的资源会被wabpack构建
│ │ └── images
│ │ └── logo.png
│ ├── routes 前端路由
│ │ └── index.js
│ ├── store 应用级数据(state)状态管理
│ │ └── index.js
│ └── views 页面目录
│ ├── hello.vue
│ └── notfound.vue
├── static 纯静态资源,不会被wabpack构建。
└── test 测试文件目录(unit&e2e)
└── unit 单元测试
├── index.js 入口脚本
├── karma.conf.js karma配置文件
└── specs 单测case目录
└── Hello.spec.js
  4、安装element-ui



  • 官方文档:
https://element.eleme.cn/#/zh-CN/component/installation
ctrl+`(~键)打开终端输入安装命令
  1. # 安装element-ui
  2. cnpm install element-ui --save
复制代码
然后我们打开项目src目录下的main.js,引入element-ui依赖。
  1. import Element from 'element-ui'
  2. import "element-ui/lib/theme-chalk/index.css"
  3. Vue.use(Element)
复制代码



  • 测试elementUi是否引入乐成
在AboutView.vue引入button组件
  1. <template>
  2.   <div class="about">
  3.     <h1>This is an about page</h1>
  4.     <el-button plain>朴素按钮</el-button>
  5.   </div>
  6. </template>
复制代码

运行检察结果

引入乐成
5、安装axios

接下来,我们来安装axios(http://www.axios-js.com/),axios是一个基于 promise 的 HTTP 库,如许我们举行前后端对接的时候,使用这个工具可以提高我们的开发效率。


  • 安装命令:
  1. cnpm install axios --save
复制代码



  • 然后同样我们在main.js中全局引入axios。
  1. import axios from 'axios'
  2. //引用全局
  3. Vue.prototype.$axios = axios
复制代码

6、页面路由

接下来,我们先定义好路由和页面,因为我们只是做一个简朴的博客项目,页面比较少,所以我们可以直接先定义好,然后在慢慢开发,如许需要用到链接的地方我们就可以直接可以使用:
我们在views文件夹下定义几个页面:


  • BlogDetail.vue(博客详情页)
  • BlogEdit.vue(编辑博客)
  • Blogs.vue(博客列表)
  • Login.vue(登录页面)
可以配置插件:VueHelper(新建vue项目 最上方输入vuet按键tab可直接天生模板)
几个页面相同,以Login为例

注意:每个页面下方 里面只能有一个
  

测试结果





所有路由正确
7、登录页面开发

登录页面制作
Login.vie
  1. <template>
  2.   <div>
  3.     <el-container>
  4.       <el-header>
  5.         <img class="mlogo" src="https://img1.baidu.com/it/u=3430690511,3867923153&fm=253&fmt=auto&app=138&f=JPEG?w=500&h=453" alt="">
  6.       </el-header>
  7.       <el-main>
  8.         <el-form :model="ruleForm" :rules="rules" ref="ruleForm" label-width="100px" class="demo-ruleForm">
  9.           <el-form-item label="用户名" prop="username">
  10.             <el-input v-model="ruleForm.username"></el-input>
  11.           </el-form-item>
  12.           <el-form-item label="密码" prop="password">
  13.             <el-input type="password" v-model="ruleForm.password"></el-input>
  14.           </el-form-item>
  15.           <el-form-item>
  16.             <el-button type="primary" @click="submitForm('ruleForm')">立即创建</el-button>
  17.             <el-button @click="resetForm('ruleForm')">重置</el-button>
  18.           </el-form-item>
  19.         </el-form>
  20.       </el-main>
  21.     </el-container>
  22.   </div>
  23. </template>
  24. <script>
  25. export default {
  26.   name: "Login",
  27.   data() {
  28.     return {
  29.       ruleForm: {
  30.         username: '',
  31.         password: ''
  32.       },
  33.       rules: {
  34.         username: [
  35.           {required: true, message: '请输入用户名', trigger: 'blur'},
  36.           {min: 3, max: 15, message: '长度在 3 到 15 个字符', trigger: 'blur'}
  37.         ],
  38.         password: [
  39.           {required: true, message: '请选输入密码', trigger: 'change'}
  40.         ]
  41.       }
  42.     };
  43.   },
  44.   methods: {
  45.     submitForm(formName) {
  46.       this.$refs[formName].validate((valid) => {
  47.         if (valid) {
  48.           alert('submit!');
  49.         } else {
  50.           console.log('error submit!!');
  51.           return false;
  52.         }
  53.       });
  54.     },
  55.     resetForm(formName) {
  56.       this.$refs[formName].resetFields();
  57.     }
  58.   }
  59. }
  60. </script>
  61. <style scoped>
  62. .el-header, .el-footer {
  63.   background-color: #B3C0D1;
  64.   color: #333;
  65.   text-align: center;
  66.   line-height: 60px;
  67. }
  68. .el-aside {
  69.   background-color: #D3DCE6;
  70.   color: #333;
  71.   text-align: center;
  72.   line-height: 200px;
  73. }
  74. .el-main {
  75. //background-color: #E9EEF3; color: #333; text-align: center;
  76.   line-height: 160px;
  77. }
  78. body > .el-container {
  79.   margin-bottom: 40px;
  80. }
  81. .el-container:nth-child(5) .el-aside,
  82. .el-container:nth-child(6) .el-aside {
  83.   line-height: 260px;
  84. }
  85. .el-container:nth-child(7) .el-aside {
  86.   line-height: 320px;
  87. }
  88. .mlogo {
  89.   height: 60%;
  90.   margin-top: 10px;
  91. }
  92. .demo-ruleForm {
  93.   max-width: 500px;
  94.   margin: 0 auto;
  95. }
  96. </style>
复制代码

在Login.vie中添加axios

测试

登陆乐成,请求头中携带token
8、登录发起请求 (配置完善store)

配置完善store/index.js
在store下面的index.js添加
mutationsx相称于java中实体类的set
getters相称于get
*
   userInfo可以存入会话的sessionStorage里面
sessionStorage中只能存字符串 不能存入对象所以我们存入序列化 jons串:
sessionStorage.setItem(“userInfo”,JSON.stringify(userInfo))
会话获取
sessionStorage.getInte(userInfo)
    token可以存入浏览器的localStorage里面
localStorage.setItem(“token”,token)
token获取:
localStorage.getItem(“token”)
  1. import Vue from 'vue'
  2. import Vuex from 'vuex'
  3. Vue.use(Vuex)
  4. export default new Vuex.Store({
  5.   //定义全局参数 其他页面可以直接获取state里面的内容
  6.   state: {
  7.     token: '', //方法一 localStorage.getItem("token")
  8.     //反序列化获取session会话中的 userInfo对象
  9.     userInfo:JSON.parse(sessionStorage.getItem("userInfo"))
  10.   },
  11.   mutations: {
  12.     //相当于实体类的set
  13.     SET_TOKEN:(state,token)=>{
  14.       state.token=token//将传入的token赋值 给state的token
  15.       //同时可以存入浏览器的localStorage里面
  16.       localStorage.setItem("token",token)
  17.     },
  18.     SET_USERINFO:(state,userInfo)=>{
  19.       state.userInfo=userInfo//将传入的tuserInfo赋值 给state的userInfo
  20.       //同时可以存入会话的sessionStorage里面 sessionStorage中只能存字符串 不能存入对象所以我们存入序列化 jons串
  21.       sessionStorage.setItem("userInfo",JSON.stringify(userInfo))
  22.     },
  23.     //删除token及userInfo
  24.     REMOVE_INFO:(state)=>{
  25.       state.token = '';
  26.       state.userInfo = {};
  27.       localStorage.setItem("token",'')
  28.       sessionStorage.setItem("userInfo",JSON.stringify(''))
  29.     }
  30.   },
  31.   getters: {
  32.     //相当于get
  33.     //配置一个getUser可以直接获取已经反序列化对象的一个userInfo
  34.    getUser: state=>{
  35.      return state.userInfo;
  36.    },getToken: state=>{
  37.     return state.token;
  38.   }
  39.   },
  40.   actions: {
  41.    
  42.   },
  43.   modules: {
  44.    
  45.   }
  46. })
复制代码


  • 在Login.vue中添加
  1. _this.$axios.post("http://localhost:8081/login", _this.ruleForm).then(res => {
  2.          console.log(res)
  3.          const jwt = res.headers['authorization'];
  4.          const userInfo = res.data.data
  5.          _this.$store.commit('SET_TOKEN', token)
  6.          _this.$store.commit('SET_USERINFO', userInfo)
  7.        })
复制代码
  1. <template>
  2.   <div>
  3.     <el-container>
  4.       <el-header>
  5.         <img class="mlogo"
  6.              src="https://img1.baidu.com/it/u=3430690511,3867923153&fm=253&fmt=auto&app=138&f=JPEG?w=500&h=453" alt="">
  7.       </el-header>
  8.       <el-main>
  9.         <el-form :model="ruleForm" :rules="rules" ref="ruleForm" label-width="100px" class="demo-ruleForm">
  10.           <el-form-item label="用户名" prop="username">
  11.             <el-input v-model="ruleForm.username"></el-input>
  12.           </el-form-item>
  13.           <el-form-item label="密码" prop="password">
  14.             <el-input type="password" v-model="ruleForm.password"></el-input>
  15.           </el-form-item>
  16.           <el-form-item>
  17.             <el-button type="primary" @click="submitForm('ruleForm')">立即创建</el-button>
  18.             <el-button @click="resetForm('ruleForm')">重置</el-button>
  19.           </el-form-item>
  20.         </el-form>
  21.       </el-main>
  22.     </el-container>
  23.   </div>
  24. </template>
  25. <script>
  26. export default {
  27.   name: "Login",
  28.   data() {
  29.     return {
  30.       ruleForm: {
  31.         username: 'Hanson',
  32.         password: '111111'
  33.       },
  34.       rules: {
  35.         username: [
  36.           {required: true, message: '请输入用户名', trigger: 'blur'},
  37.           {min: 3, max: 15, message: '长度在 3 到 15 个字符', trigger: 'blur'}
  38.         ],
  39.         password: [
  40.           {required: true, message: '请选输入密码', trigger: 'change'}
  41.         ]
  42.       }
  43.     };
  44.   },
  45.   methods: {
  46.     submitForm(formName) {
  47.       this.$refs[formName].validate((valid) => {
  48.         if (valid) {
  49.           const _this = this
  50.           this.$axios.post('http://localhost:8082/login', this.ruleForm).then(res => {
  51.             const jwt = res.headers['authorization']
  52.             const userInfo = res.data.data
  53.             console.log(userInfo)
  54.             // 把数据共享出来
  55.             _this.$store.commit("SET_TOKEN",jwt)
  56.             _this.$store.commit("SET_USERINFO",userInfo)
  57.             // 获取
  58.             // console.log(this.$store.getters.getUser)
  59.             // 跳转页面
  60.             _this.$router.push("/blogs")
  61.           })
  62.         } else {
  63.           console.log('error submit!!');
  64.           return false;
  65.         }
  66.       });
  67.     },
  68.     resetForm(formName) {
  69.       this.$refs[formName].resetFields();
  70.     }
  71.   }
  72. }
  73. </script>
  74. <style scoped>
  75. .el-header, .el-footer {
  76.   background-color: #B3C0D1;
  77.   color: #333;
  78.   text-align: center;
  79.   line-height: 60px;
  80. }
  81. .el-aside {
  82.   background-color: #D3DCE6;
  83.   color: #333;
  84.   text-align: center;
  85.   line-height: 200px;
  86. }
  87. .el-main {
  88. //background-color: #E9EEF3; color: #333; text-align: center; line-height: 160px;
  89. }
  90. body > .el-container {
  91.   margin-bottom: 40px;
  92. }
  93. .el-container:nth-child(5) .el-aside,
  94. .el-container:nth-child(6) .el-aside {
  95.   line-height: 260px;
  96. }
  97. .el-container:nth-child(7) .el-aside {
  98.   line-height: 320px;
  99. }
  100. .mlogo {
  101.   height: 60%;
  102.   margin-top: 10px;
  103. }
  104. .demo-ruleForm {
  105.   max-width: 500px;
  106.   margin: 0 auto;
  107. }
  108. </style>
复制代码
打开页面点击登录
可检察我们的信息已经存入浏览器中


localStorage中存入了token信息,sessionStorage中存入了用户信息
9、配置axios拦截



  • main.js中引入
  1. // 引入自定义axios.js
  2. import "./axios.js"
复制代码



  • 完善axios.js
  1. import axios from 'axios'
  2. import Element from "element-ui";
  3. import router from './router'
  4. import store from './store'
  5. axios.defaults.baseURL = "http://localhost:8082"
  6. // 前置拦截
  7. axios.interceptors.request.use(config => {
  8.     return config
  9. })
  10. axios.interceptors.response.use(response => {
  11.         let res = response.data;
  12.         console.log("====================")
  13.         console.log(res)
  14.         console.log("====================")
  15.         if (res.code === 200) {
  16.             return response
  17.         } else {
  18.             Element.Message.error('错了哦,这是一条错误消息', {duration: 3 * 1000});
  19.             return Promise.reject(response.data.msg)
  20.         }
  21.     },
  22.     error => {
  23.         console.log(error)
  24.         if (error.response.data){
  25.             error.message = error.response.data.msg
  26.         }
  27.         if (error.response.status === 401) {
  28.             store.commit("REMOVE_INFO")
  29.             router.push("/login")
  30.         }
  31.         Element.Message.error(error.message, {duration: 3 * 1000});
  32.         return Promise.reject(error)
  33.     }
  34. )
复制代码


  • 运行结果如下

10、公共组件Header



  • 首先,需要打开redis-serve
在application.yml中加入redis配置
  1. shiro-redis:
  2.   enabled: true
  3.   redis-manager:
  4.     host: 127.0.0.1:6379
复制代码


  • 完善配置Header组件
  1. <template>
  2.   <div class="m-content">
  3.     <h3>欢迎来到Hanson的博客</h3>
  4.     <div class="block">
  5.       <el-avatar :size="50" :src="user.avatar"></el-avatar>
  6.       <div>{{ user.username }}</div>
  7.     </div>
  8.     <div class="maction">
  9.       <span><el-link href="/blogs">主页</el-link></span>
  10.       <el-divider direction="vertical"></el-divider>
  11.       <span><el-link type="success" href="/blog/add">发表博客</el-link></span>
  12.       <el-divider direction="vertical"></el-divider>
  13.       <span v-show="!hasLogin"><el-link type="primary" href="/login">登录</el-link></span>
  14.       <el-divider direction="vertical"></el-divider>
  15.       <span v-show="hasLogin"><el-link type="danger" @click="logout">退出</el-link></span>
  16.     </div>
  17.   </div>
  18. </template>
  19. <script>
  20. export default {
  21.   name: "Header",
  22.   data() {
  23.     return {
  24.       user: {
  25.         username: '请先登录',
  26.         avatar: 'https://cube.elemecdn.com/3/7c/3ea6beec64369c2642b92c6726f1epng.png'
  27.       },
  28.       hasLogin: false
  29.     }
  30.   },
  31.   methods: {
  32.     logout() {
  33.       const _this = this
  34.       _this.$axios.get("/logout", {
  35.         headers: {
  36.           "Authorization": localStorage.getItem("token")
  37.         }
  38.       }).then(res => {
  39.         _this.$store.commit("REMOVE_INFO")
  40.         _this.$router.push("/login")
  41.       })
  42.     }
  43.   },
  44.   created() {
  45.     if (this.$store.getters.getUser.username) {
  46.       this.user.username = this.$store.getters.getUser.username
  47.       this.user.avatar = this.$store.getters.getUser.avatar
  48.       this.hasLogin = true
  49.     }
  50.   }
  51. }
  52. </script>
  53. <style scoped>
  54. .m-content {
  55.   max-width: 960px;
  56.   margin: 0 auto;
  57.   text-align: center;
  58. }
  59. .maction {
  60.   margin: 10px 0;
  61. }
  62. </style>
复制代码


  • 运行项目可以自行测试登录退出功能


11、博客列表页面开发



  • 完善blogs.vue
先给实体类Blog加上JsonFormat

  1. @JsonFormat(pattern = "yyyy-MM-dd HH:mm:ss")
  2. private LocalDateTime created;
复制代码


  • 完善Blogs.vue
  1. <template>
  2.   <div class="mcontaner">
  3.     <Header></Header>
  4.     <div class="block">
  5.       <el-timeline>
  6.         <el-timeline-item :timestamp="blog.created" placement="top" v-for="blog in blogs">
  7.           <el-card>
  8.             <h4>
  9.               <router-link :to="{name:'BlogDetail',params:{blogId: blog.id}}">
  10.                 {{ blog.title }}
  11.               </router-link>
  12.             </h4>
  13.             <p>{{ blog.description }}</p>
  14.           </el-card>
  15.         </el-timeline-item>
  16.       </el-timeline>
  17.       <el-pagination class="mpage"
  18.                      background
  19.                      layout="prev, pager, next"
  20.                      :current-page="currentPage"
  21.                      :page-size="pageSize"
  22.                      :total="total"
  23.                      @current-change=page
  24.       >
  25.       </el-pagination>
  26.     </div>
  27.   </div>
  28. </template>
  29. <script>
  30. import Header from "../components/Header"
  31. export default {
  32.   name: "Blogs.vue",
  33.   components: {Header},
  34.   data() {
  35.     return {
  36.       blogs: {},
  37.       currentPage: 1,
  38.       total: 0,
  39.       pageSize: 5
  40.     }
  41.   },
  42.   methods: {
  43.     page(currentPage) {
  44.       const _this = this
  45.       _this.$axios.get("/blogs?currentPage=" + currentPage).then(res => {
  46.         console.log(res)
  47.         _this.blogs = res.data.data.records
  48.         _this.currentPage = res.data.data.current
  49.         _this.total = res.data.data.total
  50.         _this.pageSize = res.data.data.size
  51.       })
  52.     }
  53.   },
  54.   created() {
  55.     this.page(1)
  56.   }
  57. }
  58. </script>
  59. <style scoped>
  60. .mpage {
  61.   margin: 0 auto;
  62.   text-align: center;
  63. }
  64. </style>
复制代码
结果展示:


点击第二页能翻页

12、博客编辑(发表)

安装mavon-editor


  • 基于Vue的markdown编辑器mavon-editor
  1. cnpm install mavon-editor --save
复制代码


  • 然后在main.js中全局注册:
  1. // 全局注册
  2. import mavonEditor from 'mavon-editor'
  3. import 'mavon-editor/dist/css/index.css'
  4. // use
  5. Vue.use(mavonEditor)
复制代码


  • 编写BlogEdit.vue
  1. <template>
  2.   <div>
  3.     <Header></Header>
  4.     <div class="m-content">
  5.       <el-form :model="ruleForm" :rules="rules" ref="ruleForm" label-width="100px" class="demo-ruleForm">
  6.         <el-form-item label="标题" prop="title">
  7.           <el-input v-model="ruleForm.title"></el-input>
  8.         </el-form-item>
  9.         <el-form-item label="摘要" prop="description">
  10.           <el-input type="textarea" v-model="ruleForm.description"></el-input>
  11.         </el-form-item>
  12.         <el-form-item label="内容" prop="content">
  13.           <mavon-editor v-model="ruleForm.content"></mavon-editor>
  14.         </el-form-item>
  15.         <el-form-item>
  16.           <el-button type="primary" @click="submitForm('ruleForm')">立即创建</el-button>
  17.           <el-button @click="resetForm('ruleForm')">重置</el-button>
  18.         </el-form-item>
  19.       </el-form>
  20.     </div>
  21.   </div>
  22. </template>
  23. <script>
  24. import Header from "../components/Header"
  25. export default {
  26.   name: "BlogEdit",
  27.   components: {Header},
  28.   data() {
  29.     return {
  30.       ruleForm: {
  31.         id: "",
  32.         title: '',
  33.         description: '',
  34.         content: ''
  35.       },
  36.       rules: {
  37.         title: [
  38.           {required: true, message: '请输入标题', trigger: 'blur'},
  39.           {min: 3, max: 25, message: '长度在 3 到 25 个字符', trigger: 'blur'}
  40.         ],
  41.         description: [
  42.           {required: true, message: '请输入摘要', trigger: 'blur'}
  43.         ],
  44.         content: [
  45.           {trequired: true, message: '请输入内容', trigger: 'blur'}
  46.         ]
  47.       }
  48.     };
  49.   },
  50.   methods: {
  51.     submitForm(formName) {
  52.       this.$refs[formName].validate((valid) => {
  53.         if (valid) {
  54.           const _this = this
  55.           this.$axios.post('blog/edit', this.ruleForm, {
  56.             headers: {
  57.               "Authorization": localStorage.getItem("token")
  58.             }
  59.           }).then(res => {
  60.             console.log(res)
  61.             this.$alert('操作成功', '提示', {
  62.               confirmButtonText: '确定',
  63.               callback: action => {
  64.                 -this.$router.push("/blogs")
  65.               }
  66.             });
  67.           })
  68.         } else {
  69.           console.log('error submit!!');
  70.           return false;
  71.         }
  72.       });
  73.     },
  74.     resetForm(formName) {
  75.       this.$refs[formName].resetFields();
  76.     }
  77.   },
  78.   created() {
  79.     // 内容渲染的时候进行回显
  80.     const blogId = this.$route.params.blogId
  81.     console.log(blogId)
  82.     if (blogId) {
  83.       this.$axios.get("/blog/" + blogId).then(res => {
  84.         const _this = this
  85.         const blog = res.data.data
  86.         _this.ruleForm.id = blog.id
  87.         _this.ruleForm.title = blog.title
  88.         _this.ruleForm.description = blog.description
  89.         _this.ruleForm.content = blog.content
  90.       })
  91.     }
  92.   }
  93. }
  94. </script>
  95. <style scoped>
  96. .m-content {
  97.   text-align: center;
  98. }
  99. </style>
复制代码
结果展示


13、博客详情

博客详情中需要回显博客信息,然后有个题目就是,后端传过来的是博客内容是markdown格式的内容,我们需要举行渲染然后显示出来,这里我们使用一个插件markdown-it,用于剖析md文档,然后导入github-markdown-c,所谓md的样式。
  1. # 用于解析md文档
  2. cnpm install markdown-it --save
  3. # md样式
  4. cnpm install github-markdown-css
复制代码
然后就可以在需要渲染的地方使用:


  • views\BlogDetail.vue
  1. <template>
  2.   <div>
  3.     <Header></Header>
  4.     <div class="mblog">
  5.       <h2>{{ blog.title }}</h2>
  6.       <el-link icon="el-icon-edit">
  7.         <router-link :to="{name:'BlogEdit' ,params:{BlogId:blog.id}}">
  8.           编辑
  9.         </router-link>
  10.       </el-link>
  11.       <el-divider></el-divider>
  12.       <div class="markdown-body" v-html="blog.content"></div>
  13.     </div>
  14.   </div>
  15. </template>
  16. <script>
  17. import Header from "@/components/Header.vue";
  18. import "github-markdown-css/github-markdown.css"
  19. export default {
  20.   name: "BlogDetail.vue",
  21.   components: {Header},
  22.   data() {
  23.     return {
  24.       blog: {
  25.         id: "",
  26.         title: "",
  27.         content: ""
  28.       }
  29.     }
  30.   },
  31.   created() {
  32.     const blogId = this.$route.params.blogId
  33.     console.log(blogId)
  34.     const _this = this
  35.     this.$axios.get("/blog/" + blogId).then(res => {
  36.       const _this = this
  37.       const blog = res.data.data
  38.       _this.blog.id = blog.id
  39.       _this.blog.title = blog.title
  40.       _this.blog.content = blog.content
  41.       var MarkdownIt = require("markdown-it")
  42.       var md = new MarkdownIt()
  43.       var result = md.render(blog.content)
  44.       _this.blog.content = result
  45.     })
  46.   }
  47. }
  48. </script>
  49. <style scoped>
  50. .mblog {
  51.   box-shadow: 0 2px 12px 0 rgba(0, 0, 0, 0.1);
  52.   width: 100%;
  53.   min-height: 700px;
  54.   padding: 20px 15px;
  55. }
  56. </style>
复制代码
结果展示:
自己的博客可以编辑

别人的博客不可以编辑

14、路由权限拦截

页面已经开发完毕之后,我们来控制一下哪些页面是需要登录之后才能跳转的,如果未登录访问就直接重定向到登录页面,因此我们在src目录下定义一个js文件:
//配置一个路由前置拦截 rounter是路由


  • src\permission.js
  1. import router from "./router";
  2. // 路由判断登录 根据路由配置文件的参数
  3. router.beforeEach((to, from, next) => {
  4.   if (to.matched.some(record => record.meta.requireAuth)) { // 判断该路由是否需要登录权限
  5.     const token = localStorage.getItem("token")
  6.     console.log("------------" + token)
  7.     if (token) { // 判断当前的token是否存在 ; 登录存入的token
  8.       if (to.path === '/login') {
  9.       } else {
  10.         next()
  11.       }
  12.     } else {
  13.       next({
  14.         path: '/login'
  15.       })
  16.     }
  17.   } else {
  18.     next()
  19.   }
  20. })
复制代码
通过之前我们再定义页面路由时候的的meta信息,指定requireAuth: true,需要登录才能访问,因此这里我们在每次路由之前(router.beforeEach)判断token的状态,以为是否需要跳转到登录页面。


  • src/rouer/index.js
    添加:
  1. meta: {
  2.         requireAuth: true
  3. }
复制代码
  1. {
  2.   path: '/blog/add', // 注意放在 path: '/blog/:blogId'之前
  3.   name: 'BlogAdd',
  4.   meta: {
  5.     requireAuth: true
  6.   },
  7.   component: BlogEdit
  8. },{
  9.       path: '/blog/:blogid/edit',
  10.       name: 'BlogEdit',
  11.       component: BlogEdit,
  12.       meta: {
  13.         requireAuth: true
  14.       }
复制代码
  1. import Vue from 'vue'
  2. import Router from 'vue-router'
  3. import HelloWorld from '@/components/HelloWorld'
  4. import Demo from '@/views/Demo'
  5. import Login from '@/views/Login'
  6. import Blogs from '@/views/Blogs'
  7. import BlogEdit from '@/views/BlogEdit'
  8. import BlogDetail from '@/views/BlogDetail'
  9. Vue.use(Router)
  10. export default new Router({
  11.   routes: [
  12.     {
  13.       path: '/',
  14.       name: 'Index',
  15.       redirect:{name : "Blogs"}
  16.     },
  17.     {
  18.       path: '/blogs',
  19.       name: 'Blogs',
  20.       component: Blogs
  21.     },{
  22.     path: '/Login',
  23.     name: 'Login',
  24.     component: Login
  25.     },{
  26.       path: '/blog/add',
  27.       name: 'BlogEdit',
  28.       component: BlogEdit,
  29.       meta: {
  30.         requireAuth: true
  31.       }
  32.     }, {
  33.       path: '/Demo',
  34.       name: 'Demo',
  35.       component: Demo
  36.     },{
  37.       path: '/blog/:blogid',
  38.       name: 'BlogDetail',
  39.       component: BlogDetail
  40.     } ,{
  41.       path: '/blog/:blogid/edit',
  42.       name: 'BlogEdit',
  43.       component: BlogEdit,
  44.       meta: {
  45.         requireAuth: true
  46.       }
  47.     }
  48. ]})
复制代码


  • 然后我们再main.js中import我们的permission.js
  1. // The Vue build version to load with the `import` command// (runtime-only or standalone) has been set in webpack.base.conf with an alias.import Vue from 'vue'import App from './App'// 存储import store from './store'// 路由import router from './router'// 引入element-ui依赖import Element from 'element-ui'import "element-ui/lib/theme-chalk/index.css"// 引入axios依赖import axios from 'axios'   // 引入自定义axios.js
  2. import "./axios.js"
  3. import './permission.js' // 路由拦截//mavonEditorimport mavonEditor from 'mavon-editor'import 'mavon-editor/dist/css/index.css'//引用全局Vue.prototype.$axios = axios // useVue.use(mavonEditor)Vue.use(Element)Vue.config.productionTip = false/* eslint-disable no-new */new Vue({  el: '#app',  router,  store ,  components: { App },  template: '<App/>'})
复制代码
结果展示

未登录访问编辑页面

然后跳转登陆页面
16、前端总结

ok,根本所有页面就已经开发完毕啦,css样式信息我未贴出来,大家直接上github上clone下来检察。

免责声明:如果侵犯了您的权益,请联系站长,我们会及时删除侵权内容,谢谢合作!更多信息从访问主页:qidao123.com:ToB企服之家,中国第一个企服评测及商务社交产业平台。

本帖子中包含更多资源

您需要 登录 才可以下载或查看,没有账号?立即注册

x
回复

使用道具 举报

0 个回复

倒序浏览

快速回复

您需要登录后才可以回帖 登录 or 立即注册

本版积分规则

欢乐狗

金牌会员
这个人很懒什么都没写!

标签云

快速回复 返回顶部 返回列表