SpringSecurity5(9-JWT整合)

莱莱  金牌会员 | 2025-3-21 09:23:20 | 显示全部楼层 | 阅读模式
打印 上一主题 下一主题

主题 984|帖子 984|积分 2952

依赖设置
  1. <dependency>
  2.     <groupId>org.springframework.boot</groupId>
  3.     <artifactId>spring-boot-starter-web</artifactId>
  4. </dependency>
  5. <dependency>
  6.     <groupId>org.springframework.boot</groupId>
  7.     <artifactId>spring-boot-starter-security</artifactId>
  8. </dependency>
  9. <dependency>
  10.     <groupId>org.springframework.boot</groupId>
  11.     <artifactId>spring-boot-starter-data-redis</artifactId>
  12. </dependency>
  13. <dependency>
  14.     <groupId>org.apache.commons</groupId>
  15.     <artifactId>commons-pool2</artifactId>
  16.     <version>2.9.0</version>
  17. </dependency>
  18. <dependency>
  19.     <groupId>io.jsonwebtoken</groupId>
  20.     <artifactId>jjwt</artifactId>
  21.     <version>0.9.1</version>
  22. </dependency>
  23. <dependency>
  24.     <groupId>com.github.axet</groupId>
  25.     <artifactId>kaptcha</artifactId>
  26.     <version>0.0.9</version>
  27. </dependency>
  28. <dependency>
  29.     <groupId>cn.hutool</groupId>
  30.     <artifactId>hutool-all</artifactId>
  31.     <version>5.7.15</version>
  32. </dependency>
  33. <dependency>
  34.     <groupId>org.apache.commons</groupId>
  35.     <artifactId>commons-lang3</artifactId>
  36. </dependency>
  37. <dependency>
  38.     <groupId>commons-codec</groupId>
  39.     <artifactId>commons-codec</artifactId>
  40. </dependency>
  41. <dependency>
  42.     <groupId>org.springframework.boot</groupId>
  43.     <artifactId>spring-boot-starter-validation</artifactId>
  44. </dependency>
  45. <dependency>
  46.     <groupId>org.projectlombok</groupId>
  47.     <artifactId>lombok</artifactId>
  48. </dependency>
  49. <dependency>
  50.     <groupId>org.springframework.boot</groupId>
  51.     <artifactId>spring-boot-starter-thymeleaf</artifactId>
  52. </dependency>
复制代码
自定义全局返回结果
  1. @Data
  2. public class Result implements Serializable {
  3.     private int code;
  4.     private String msg;
  5.     private Object data;
  6.     public static Result succ(Object data) {
  7.         return succ(200, "操作成功", data);
  8.     }
  9.     public static Result fail(String msg) {
  10.         return fail(400, msg, null);
  11.     }
  12.     public static Result succ (int code, String msg, Object data) {
  13.         Result result = new Result();
  14.         result.setCode(code);
  15.         result.setMsg(msg);
  16.         result.setData(data);
  17.         return result;
  18.     }
  19.     public static Result fail (int code, String msg, Object data) {
  20.         Result result = new Result();
  21.         result.setCode(code);
  22.         result.setMsg(msg);
  23.         result.setData(data);
  24.         return result;
  25.     }
  26. }
复制代码
JWT 设置类
  1. jwt:
  2.   header: Authorization
  3.   expire: 604800  #7天,s为单位
  4.   secret: 123456
复制代码
  1. @Data
  2. @Component
  3. @ConfigurationProperties(prefix = "jwt")
  4. public class JwtUtils {
  5.    
  6.     private long expire;
  7.     private String secret;
  8.     private String header;
  9.     /**
  10.      * 生成 JWT
  11.      * @param username
  12.      * @return
  13.      */
  14.     public String generateToken(String username){
  15.         Date nowDate = new Date();
  16.         Date expireDate = new Date(nowDate.getTime() + 1000 * expire);
  17.         
  18.         return Jwts.builder()
  19.                 .setHeaderParam("typ","JWT")
  20.                 .setSubject(username)
  21.                 .setIssuedAt(nowDate)
  22.                 .setExpiration(expireDate)  //7 天过期
  23.                 .signWith(SignatureAlgorithm.HS512,secret)
  24.                 .compact();
  25.     }
  26.     /**
  27.      * 解析 JWT
  28.      * @param jwt
  29.      * @return
  30.      */
  31.     public Claims getClaimsByToken(String jwt){
  32.         try {
  33.             return Jwts.parser()
  34.                     .setSigningKey(secret)
  35.                     .parseClaimsJws(jwt)
  36.                     .getBody();
  37.         }catch (Exception e){
  38.             return null;
  39.         }
  40.     }
  41.     /**
  42.      * 判断 JWT 是否过期
  43.      * @param claims
  44.      * @return
  45.      */
  46.     public boolean isTokenExpired(Claims claims){
  47.         return claims.getExpiration().before(new Date());
  48.     }
  49. }
复制代码
自定义登录处理器

登录失败后,我们必要向前端发送错误信息,登录乐成后,我们必要天生 JWT,并将 JWT 返回给前端
  1. /**
  2. * 登录成功控制器
  3. */
  4. @Component
  5. public class LoginSuccessHandler implements AuthenticationSuccessHandler {
  6.     @Autowired
  7.     private JwtUtils jwtUtils;
  8.     @Override
  9.     public void onAuthenticationSuccess(HttpServletRequest httpServletRequest, HttpServletResponse httpServletResponse, Authentication authentication) throws IOException {
  10.         httpServletResponse.setContentType("application/json;charset=UTF-8");
  11.         ServletOutputStream outputStream = httpServletResponse.getOutputStream();
  12.         //生成 JWT,并放置到请求头中
  13.         String jwt = jwtUtils.generateToken(authentication.getName());
  14.         httpServletResponse.setHeader(jwtUtils.getHeader(), jwt);
  15.         Result result = Result.succ("SuccessLogin");
  16.         outputStream.write(JSONUtil.toJsonStr(result).getBytes(StandardCharsets.UTF_8));
  17.         outputStream.flush();
  18.         outputStream.close();
  19.     }
  20. }
复制代码
  1. /**
  2. * 登录失败控制器
  3. */
  4. @Component
  5. public class LoginFailureHandler implements AuthenticationFailureHandler {
  6.     @Override
  7.     public void onAuthenticationFailure(HttpServletRequest httpServletRequest, HttpServletResponse httpServletResponse, AuthenticationException e) throws IOException {
  8.         httpServletResponse.setContentType("application/json;charset=UTF-8");
  9.         ServletOutputStream outputStream = httpServletResponse.getOutputStream();
  10.         String errorMessage = "用户名或密码错误";
  11.         Result result;
  12.         if (e instanceof CaptchaException) {
  13.             errorMessage = "验证码错误";
  14.             result = Result.fail(errorMessage);
  15.         } else {
  16.             result = Result.fail(errorMessage);
  17.         }
  18.         outputStream.write(JSONUtil.toJsonStr(result).getBytes(StandardCharsets.UTF_8));
  19.         outputStream.flush();
  20.         outputStream.close();
  21.     }
  22. }
复制代码
自定义登出处理器

在用户退出登录时,我们需将原来的 JWT 置为空返给前端,这样前端会将空字符串覆盖之前的 jwt,JWT 是无状态化的,烧毁 JWT 是做不到的,JWT 天生之后,只有等 JWT 过期之后,才会失效。因此我们采取置空策略来清除浏览器中保存的 JWT。同时我们还要将我们之前置入 SecurityContext 中的用户信息举行清除,这可以通过创建 SecurityContextLogoutHandler 对象,调用它的 logout 方法完成
  1. /**
  2. * 登出处理器
  3. */
  4. @Component
  5. public class JWTLogoutSuccessHandler implements LogoutSuccessHandler {
  6.    
  7.     @Autowired
  8.     private JwtUtils jwtUtils;
  9.    
  10.     @Override
  11.     public void onLogoutSuccess(HttpServletRequest httpServletRequest, HttpServletResponse httpServletResponse, Authentication authentication) throws IOException, ServletException {
  12.         if (authentication!=null){
  13.             new SecurityContextLogoutHandler().logout(httpServletRequest, httpServletResponse, authentication);
  14.         }
  15.         httpServletResponse.setContentType("application/json;charset=UTF-8");
  16.         ServletOutputStream outputStream = httpServletResponse.getOutputStream();
  17.         
  18.         httpServletResponse.setHeader(jwtUtils.getHeader(), "");
  19.         Result result = Result.succ("SuccessLogout");
  20.         
  21.         outputStream.write(JSONUtil.toJsonStr(result).getBytes(StandardCharsets.UTF_8));
  22.         outputStream.flush();
  23.         outputStream.close();
  24.     }
  25. }
复制代码
验证码设置
  1. public class CaptchaException extends AuthenticationException {
  2.    
  3.     public CaptchaException(String msg){
  4.         super(msg);
  5.     }
  6. }
复制代码
  1. /**
  2. * 验证码配置
  3. */
  4. @Configuration
  5. public class KaptchaConfig {
  6.    
  7.     @Bean
  8.     public DefaultKaptcha producer(){
  9.         Properties properties = new Properties();
  10.         properties.put("kaptcha.border", "no");
  11.         properties.put("kaptcha.textproducer.font.color", "black");
  12.         properties.put("kaptcha.textproducer.char.space", "4");
  13.         properties.put("kaptcha.image.height", "40");
  14.         properties.put("kaptcha.image.width", "120");
  15.         properties.put("kaptcha.textproducer.font.size", "30");
  16.         Config config = new Config(properties);
  17.         DefaultKaptcha defaultKaptcha = new DefaultKaptcha();
  18.         defaultKaptcha.setConfig(config);
  19.         return defaultKaptcha;
  20.     }
  21. }
复制代码
  1. @RestController
  2. public class CaptchaController {
  3.     @Autowired
  4.     private Producer producer;
  5.     @Autowired
  6.     private RedisUtil redisUtil;
  7.     @GetMapping("/captcha")
  8.     public void imageCode(HttpServletRequest request, HttpServletResponse response) throws IOException {
  9.         String code = producer.createText();
  10.         BufferedImage image = producer.createImage(code);
  11.         redisUtil.set("captcha", code, 120);
  12.         // 将验证码图片返回,禁止验证码图片缓存
  13.         response.setHeader("Cache-Control", "no-store");
  14.         response.setHeader("Pragma", "no-cache");
  15.         response.setDateHeader("Expires", 0);
  16.         response.setContentType("image/jpeg");
  17.         ImageIO.write(image, "jpg", response.getOutputStream());
  18.     }
  19. }
复制代码
自定义过滤器

OncePerRequestFilter:在每次哀求时只执行一次过滤,保证一次哀求只通过一次 filter,而不必要重复执行
由于验证码是一次性利用的,一个验证码对应一个用户的一次登录过程,以是需用 hdel 将存储的 key 删除。当校验失败时,则交给登录认证失败处理器 LoginFailureHandler 举行处理
  1. /**
  2. * 验证码过滤器
  3. */
  4. @Component
  5. public class CaptchaFilter extends OncePerRequestFilter {
  6.     @Autowired
  7.     private RedisUtil redisUtil;
  8.     @Autowired
  9.     private LoginFailureHandler loginFailureHandler;
  10.     @Override
  11.     protected void doFilterInternal(HttpServletRequest httpServletRequest, HttpServletResponse httpServletResponse, FilterChain filterChain) throws ServletException, IOException {
  12.         String url = httpServletRequest.getRequestURI();
  13.         if ("/login/form".equals(url) && httpServletRequest.getMethod().equals("POST")) {
  14.             //校验验证码
  15.             try {
  16.                 validate(httpServletRequest);
  17.             } catch (CaptchaException e) {
  18.                 //交给认证失败处理器
  19.                 loginFailureHandler.onAuthenticationFailure(httpServletRequest, httpServletResponse, e);
  20.                 return;
  21.             }
  22.         }
  23.         filterChain.doFilter(httpServletRequest, httpServletResponse);
  24.     }
  25.     private void validate(HttpServletRequest request) {
  26.         String code = request.getParameter("code");
  27.         if (StringUtils.isBlank(code)) {
  28.             throw new CaptchaException("验证码错误");
  29.         }
  30.         String captcha = (String) redisUtil.get("captcha");
  31.         if (!code.equals(captcha)) {
  32.             throw new CaptchaException("验证码错误");
  33.         }
  34.         //若验证码正确,执行以下语句,一次性使用
  35.         redisUtil.del("captcha");
  36.     }
  37. }
复制代码
login.html
  1. <!DOCTYPE html>
  2. <html lang="en" xmlns:th="http://www.thymeleaf.org">
  3. <head>
  4.     <meta charset="UTF-8">
  5.     <title>登录</title>
  6. </head>
  7. <body>
  8. <h3>表单登录</h3>
  9. <form method="post" th:action="@{/login/form}">
  10.     <input type="text" name="username" placeholder="用户名">
  11.     <input type="password" name="password" placeholder="密码">
  12.     <input type="text" name="code" placeholder="验证码">
  13.     <img th:onclick="this.src='/captcha?'+Math.random()" th:src="@{/captcha}" alt="验证码"/>
  14.    
  15.         用户名或密码错误
  16.    
  17.     <button type="submit">登录</button>
  18. </form>
  19. </body>
  20. </html>
复制代码
BasicAuthenticationFilter:OncePerRequestFilter 执行完后,由 BasicAuthenticationFilter 检测和处理 http basic 认证,取出哀求头中的 jwt,校验 jwt

  • 当前端发来的哀求有 JWT 信息时,该过滤器将查验 JWT 是否正确以及是否过期,若查验乐成,则获取 JWT 中的用户名信息,检索数据库获得用户实体类,并将用户信息告知 Spring Security,后续我们就能调用 security 的接口获取到当前登录的用户信息。
  • 若前端发的哀求不含 JWT,我们也不能拦截该哀求,由于一般的项目都是答应匿名访问的,有的接口答应不登录就能访问,没有 JWT 也放行是安全的,由于我们可以通过 Spring Security 举行权限管理,设置一些接口必要权限才能访问,不答应匿名访问
  1. /**
  2. * JWT 过滤器
  3. */
  4. public class JwtAuthenticationFilter extends BasicAuthenticationFilter {
  5.     @Autowired
  6.     private JwtUtils jwtUtils;
  7.     @Autowired
  8.     private UserDetailServiceImpl userDetailService;
  9.     public JwtAuthenticationFilter(AuthenticationManager authenticationManager) {
  10.         super(authenticationManager);
  11.     }
  12.     @Override
  13.     protected void doFilterInternal(HttpServletRequest request, HttpServletResponse response, FilterChain chain) throws IOException, ServletException {
  14.         String jwt = request.getHeader(jwtUtils.getHeader());
  15.         //这里如果没有 jwt,继续往后走,因为后面还有鉴权管理器等去判断是否拥有身份凭证,所以是可以放行的
  16.         //没有 jwt 相当于匿名访问,若有一些接口是需要权限的,则不能访问这些接口
  17.         if (StrUtil.isBlankOrUndefined(jwt)) {
  18.             chain.doFilter(request, response);
  19.             return;
  20.         }
  21.         Claims claim = jwtUtils.getClaimsByToken(jwt);
  22.         if (claim == null) {
  23.             throw new JwtException("token异常");
  24.         }
  25.         if (jwtUtils.isTokenExpired(claim)) {
  26.             throw new JwtException("token已过期");
  27.         }
  28.         String username = claim.getSubject();
  29.         User user = UserDetailServiceImpl.userMap.get(username);
  30.         //构建 token,这里密码为 null,是因为提供了正确的 JWT,实现自动登录
  31.         UsernamePasswordAuthenticationToken token =
  32.                 new UsernamePasswordAuthenticationToken(username, null, userDetailService.getUserAuthority(user.getId()));
  33.         SecurityContextHolder.getContext().setAuthentication(token);
  34.         chain.doFilter(request, response);
  35.     }
  36. }
复制代码
自定义权限异常处理器

当 BasicAuthenticationFilter 认证失败的时候会进入 AuthenticationEntryPoint
我们之前放行了匿名哀求,但有的接口是必要权限的,当用户权限不足时,会进入 AccessDenieHandler 举行处理
  1. /**
  2. * JWT 认证失败处理器
  3. */
  4. @Component
  5. public class JwtAuthenticationEntryPoint implements AuthenticationEntryPoint {
  6.    
  7.     @Override
  8.     public void commence(HttpServletRequest httpServletRequest, HttpServletResponse httpServletResponse, AuthenticationException e) throws IOException, ServletException {
  9.         httpServletResponse.setContentType("application/json;charset=UTF-8");
  10.         httpServletResponse.setStatus(HttpServletResponse.SC_UNAUTHORIZED);
  11.         ServletOutputStream outputStream = httpServletResponse.getOutputStream();
  12.         Result result = Result.fail("请先登录");
  13.         outputStream.write(JSONUtil.toJsonStr(result).getBytes(StandardCharsets.UTF_8));
  14.         outputStream.flush();
  15.         outputStream.close();
  16.     }
  17. }
复制代码
  1. /**
  2. * 无权限访问的处理
  3. */
  4. @Component
  5. public class JwtAccessDeniedHandler implements AccessDeniedHandler {
  6.    
  7.     @Override
  8.     public void handle(HttpServletRequest httpServletRequest, HttpServletResponse httpServletResponse, AccessDeniedException e) throws IOException, ServletException {
  9.         httpServletResponse.setContentType("application/json;charset=UTF-8");
  10.         httpServletResponse.setStatus(HttpServletResponse.SC_FORBIDDEN);
  11.         ServletOutputStream outputStream = httpServletResponse.getOutputStream();
  12.         Result result = Result.fail(e.getMessage());
  13.         
  14.         outputStream.write(JSONUtil.toJsonStr(result).getBytes(StandardCharsets.UTF_8));
  15.         outputStream.flush();
  16.         outputStream.close();
  17.     }
  18. }
复制代码
自定义用户登录逻辑

[code]public class AccountUser implements UserDetails {    private Long userId;    private static final long serialVersionUID = 540L;    private static final Log logger = LogFactory.getLog(User.class);    private String password;    private final String username;    private final Collection

本帖子中包含更多资源

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

x
回复

使用道具 举报

0 个回复

倒序浏览

快速回复

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

本版积分规则

莱莱

金牌会员
这个人很懒什么都没写!
快速回复 返回顶部 返回列表