依赖设置
- <dependency>
- <groupId>org.springframework.boot</groupId>
- <artifactId>spring-boot-starter-web</artifactId>
- </dependency>
- <dependency>
- <groupId>org.springframework.boot</groupId>
- <artifactId>spring-boot-starter-security</artifactId>
- </dependency>
- <dependency>
- <groupId>org.springframework.boot</groupId>
- <artifactId>spring-boot-starter-data-redis</artifactId>
- </dependency>
- <dependency>
- <groupId>org.apache.commons</groupId>
- <artifactId>commons-pool2</artifactId>
- <version>2.9.0</version>
- </dependency>
- <dependency>
- <groupId>io.jsonwebtoken</groupId>
- <artifactId>jjwt</artifactId>
- <version>0.9.1</version>
- </dependency>
- <dependency>
- <groupId>com.github.axet</groupId>
- <artifactId>kaptcha</artifactId>
- <version>0.0.9</version>
- </dependency>
- <dependency>
- <groupId>cn.hutool</groupId>
- <artifactId>hutool-all</artifactId>
- <version>5.7.15</version>
- </dependency>
- <dependency>
- <groupId>org.apache.commons</groupId>
- <artifactId>commons-lang3</artifactId>
- </dependency>
- <dependency>
- <groupId>commons-codec</groupId>
- <artifactId>commons-codec</artifactId>
- </dependency>
- <dependency>
- <groupId>org.springframework.boot</groupId>
- <artifactId>spring-boot-starter-validation</artifactId>
- </dependency>
- <dependency>
- <groupId>org.projectlombok</groupId>
- <artifactId>lombok</artifactId>
- </dependency>
- <dependency>
- <groupId>org.springframework.boot</groupId>
- <artifactId>spring-boot-starter-thymeleaf</artifactId>
- </dependency>
复制代码 自定义全局返回结果
- @Data
- public class Result implements Serializable {
- private int code;
- private String msg;
- private Object data;
- public static Result succ(Object data) {
- return succ(200, "操作成功", data);
- }
- public static Result fail(String msg) {
- return fail(400, msg, null);
- }
- public static Result succ (int code, String msg, Object data) {
- Result result = new Result();
- result.setCode(code);
- result.setMsg(msg);
- result.setData(data);
- return result;
- }
- public static Result fail (int code, String msg, Object data) {
- Result result = new Result();
- result.setCode(code);
- result.setMsg(msg);
- result.setData(data);
- return result;
- }
- }
复制代码 JWT 设置类
- jwt:
- header: Authorization
- expire: 604800 #7天,s为单位
- secret: 123456
复制代码- @Data
- @Component
- @ConfigurationProperties(prefix = "jwt")
- public class JwtUtils {
-
- private long expire;
- private String secret;
- private String header;
- /**
- * 生成 JWT
- * @param username
- * @return
- */
- public String generateToken(String username){
- Date nowDate = new Date();
- Date expireDate = new Date(nowDate.getTime() + 1000 * expire);
-
- return Jwts.builder()
- .setHeaderParam("typ","JWT")
- .setSubject(username)
- .setIssuedAt(nowDate)
- .setExpiration(expireDate) //7 天过期
- .signWith(SignatureAlgorithm.HS512,secret)
- .compact();
- }
- /**
- * 解析 JWT
- * @param jwt
- * @return
- */
- public Claims getClaimsByToken(String jwt){
- try {
- return Jwts.parser()
- .setSigningKey(secret)
- .parseClaimsJws(jwt)
- .getBody();
- }catch (Exception e){
- return null;
- }
- }
- /**
- * 判断 JWT 是否过期
- * @param claims
- * @return
- */
- public boolean isTokenExpired(Claims claims){
- return claims.getExpiration().before(new Date());
- }
- }
复制代码 自定义登录处理器
登录失败后,我们必要向前端发送错误信息,登录乐成后,我们必要天生 JWT,并将 JWT 返回给前端- /**
- * 登录成功控制器
- */
- @Component
- public class LoginSuccessHandler implements AuthenticationSuccessHandler {
- @Autowired
- private JwtUtils jwtUtils;
- @Override
- public void onAuthenticationSuccess(HttpServletRequest httpServletRequest, HttpServletResponse httpServletResponse, Authentication authentication) throws IOException {
- httpServletResponse.setContentType("application/json;charset=UTF-8");
- ServletOutputStream outputStream = httpServletResponse.getOutputStream();
- //生成 JWT,并放置到请求头中
- String jwt = jwtUtils.generateToken(authentication.getName());
- httpServletResponse.setHeader(jwtUtils.getHeader(), jwt);
- Result result = Result.succ("SuccessLogin");
- outputStream.write(JSONUtil.toJsonStr(result).getBytes(StandardCharsets.UTF_8));
- outputStream.flush();
- outputStream.close();
- }
- }
复制代码- /**
- * 登录失败控制器
- */
- @Component
- public class LoginFailureHandler implements AuthenticationFailureHandler {
- @Override
- public void onAuthenticationFailure(HttpServletRequest httpServletRequest, HttpServletResponse httpServletResponse, AuthenticationException e) throws IOException {
- httpServletResponse.setContentType("application/json;charset=UTF-8");
- ServletOutputStream outputStream = httpServletResponse.getOutputStream();
- String errorMessage = "用户名或密码错误";
- Result result;
- if (e instanceof CaptchaException) {
- errorMessage = "验证码错误";
- result = Result.fail(errorMessage);
- } else {
- result = Result.fail(errorMessage);
- }
- outputStream.write(JSONUtil.toJsonStr(result).getBytes(StandardCharsets.UTF_8));
- outputStream.flush();
- outputStream.close();
- }
- }
复制代码 自定义登出处理器
在用户退出登录时,我们需将原来的 JWT 置为空返给前端,这样前端会将空字符串覆盖之前的 jwt,JWT 是无状态化的,烧毁 JWT 是做不到的,JWT 天生之后,只有等 JWT 过期之后,才会失效。因此我们采取置空策略来清除浏览器中保存的 JWT。同时我们还要将我们之前置入 SecurityContext 中的用户信息举行清除,这可以通过创建 SecurityContextLogoutHandler 对象,调用它的 logout 方法完成- /**
- * 登出处理器
- */
- @Component
- public class JWTLogoutSuccessHandler implements LogoutSuccessHandler {
-
- @Autowired
- private JwtUtils jwtUtils;
-
- @Override
- public void onLogoutSuccess(HttpServletRequest httpServletRequest, HttpServletResponse httpServletResponse, Authentication authentication) throws IOException, ServletException {
- if (authentication!=null){
- new SecurityContextLogoutHandler().logout(httpServletRequest, httpServletResponse, authentication);
- }
- httpServletResponse.setContentType("application/json;charset=UTF-8");
- ServletOutputStream outputStream = httpServletResponse.getOutputStream();
-
- httpServletResponse.setHeader(jwtUtils.getHeader(), "");
- Result result = Result.succ("SuccessLogout");
-
- outputStream.write(JSONUtil.toJsonStr(result).getBytes(StandardCharsets.UTF_8));
- outputStream.flush();
- outputStream.close();
- }
- }
复制代码 验证码设置
- public class CaptchaException extends AuthenticationException {
-
- public CaptchaException(String msg){
- super(msg);
- }
- }
复制代码- /**
- * 验证码配置
- */
- @Configuration
- public class KaptchaConfig {
-
- @Bean
- public DefaultKaptcha producer(){
- Properties properties = new Properties();
- properties.put("kaptcha.border", "no");
- properties.put("kaptcha.textproducer.font.color", "black");
- properties.put("kaptcha.textproducer.char.space", "4");
- properties.put("kaptcha.image.height", "40");
- properties.put("kaptcha.image.width", "120");
- properties.put("kaptcha.textproducer.font.size", "30");
- Config config = new Config(properties);
- DefaultKaptcha defaultKaptcha = new DefaultKaptcha();
- defaultKaptcha.setConfig(config);
- return defaultKaptcha;
- }
- }
复制代码- @RestController
- public class CaptchaController {
- @Autowired
- private Producer producer;
- @Autowired
- private RedisUtil redisUtil;
- @GetMapping("/captcha")
- public void imageCode(HttpServletRequest request, HttpServletResponse response) throws IOException {
- String code = producer.createText();
- BufferedImage image = producer.createImage(code);
- redisUtil.set("captcha", code, 120);
- // 将验证码图片返回,禁止验证码图片缓存
- response.setHeader("Cache-Control", "no-store");
- response.setHeader("Pragma", "no-cache");
- response.setDateHeader("Expires", 0);
- response.setContentType("image/jpeg");
- ImageIO.write(image, "jpg", response.getOutputStream());
- }
- }
复制代码 自定义过滤器
OncePerRequestFilter:在每次哀求时只执行一次过滤,保证一次哀求只通过一次 filter,而不必要重复执行
由于验证码是一次性利用的,一个验证码对应一个用户的一次登录过程,以是需用 hdel 将存储的 key 删除。当校验失败时,则交给登录认证失败处理器 LoginFailureHandler 举行处理- /**
- * 验证码过滤器
- */
- @Component
- public class CaptchaFilter extends OncePerRequestFilter {
- @Autowired
- private RedisUtil redisUtil;
- @Autowired
- private LoginFailureHandler loginFailureHandler;
- @Override
- protected void doFilterInternal(HttpServletRequest httpServletRequest, HttpServletResponse httpServletResponse, FilterChain filterChain) throws ServletException, IOException {
- String url = httpServletRequest.getRequestURI();
- if ("/login/form".equals(url) && httpServletRequest.getMethod().equals("POST")) {
- //校验验证码
- try {
- validate(httpServletRequest);
- } catch (CaptchaException e) {
- //交给认证失败处理器
- loginFailureHandler.onAuthenticationFailure(httpServletRequest, httpServletResponse, e);
- return;
- }
- }
- filterChain.doFilter(httpServletRequest, httpServletResponse);
- }
- private void validate(HttpServletRequest request) {
- String code = request.getParameter("code");
- if (StringUtils.isBlank(code)) {
- throw new CaptchaException("验证码错误");
- }
- String captcha = (String) redisUtil.get("captcha");
- if (!code.equals(captcha)) {
- throw new CaptchaException("验证码错误");
- }
- //若验证码正确,执行以下语句,一次性使用
- redisUtil.del("captcha");
- }
- }
复制代码 login.html- <!DOCTYPE html>
- <html lang="en" xmlns:th="http://www.thymeleaf.org">
- <head>
- <meta charset="UTF-8">
- <title>登录</title>
- </head>
- <body>
- <h3>表单登录</h3>
- <form method="post" th:action="@{/login/form}">
- <input type="text" name="username" placeholder="用户名">
- <input type="password" name="password" placeholder="密码">
- <input type="text" name="code" placeholder="验证码">
- <img th:onclick="this.src='/captcha?'+Math.random()" th:src="@{/captcha}" alt="验证码"/>
-
- 用户名或密码错误
-
- <button type="submit">登录</button>
- </form>
- </body>
- </html>
复制代码 BasicAuthenticationFilter:OncePerRequestFilter 执行完后,由 BasicAuthenticationFilter 检测和处理 http basic 认证,取出哀求头中的 jwt,校验 jwt
- 当前端发来的哀求有 JWT 信息时,该过滤器将查验 JWT 是否正确以及是否过期,若查验乐成,则获取 JWT 中的用户名信息,检索数据库获得用户实体类,并将用户信息告知 Spring Security,后续我们就能调用 security 的接口获取到当前登录的用户信息。
- 若前端发的哀求不含 JWT,我们也不能拦截该哀求,由于一般的项目都是答应匿名访问的,有的接口答应不登录就能访问,没有 JWT 也放行是安全的,由于我们可以通过 Spring Security 举行权限管理,设置一些接口必要权限才能访问,不答应匿名访问
- /**
- * JWT 过滤器
- */
- public class JwtAuthenticationFilter extends BasicAuthenticationFilter {
- @Autowired
- private JwtUtils jwtUtils;
- @Autowired
- private UserDetailServiceImpl userDetailService;
- public JwtAuthenticationFilter(AuthenticationManager authenticationManager) {
- super(authenticationManager);
- }
- @Override
- protected void doFilterInternal(HttpServletRequest request, HttpServletResponse response, FilterChain chain) throws IOException, ServletException {
- String jwt = request.getHeader(jwtUtils.getHeader());
- //这里如果没有 jwt,继续往后走,因为后面还有鉴权管理器等去判断是否拥有身份凭证,所以是可以放行的
- //没有 jwt 相当于匿名访问,若有一些接口是需要权限的,则不能访问这些接口
- if (StrUtil.isBlankOrUndefined(jwt)) {
- chain.doFilter(request, response);
- return;
- }
- Claims claim = jwtUtils.getClaimsByToken(jwt);
- if (claim == null) {
- throw new JwtException("token异常");
- }
- if (jwtUtils.isTokenExpired(claim)) {
- throw new JwtException("token已过期");
- }
- String username = claim.getSubject();
- User user = UserDetailServiceImpl.userMap.get(username);
- //构建 token,这里密码为 null,是因为提供了正确的 JWT,实现自动登录
- UsernamePasswordAuthenticationToken token =
- new UsernamePasswordAuthenticationToken(username, null, userDetailService.getUserAuthority(user.getId()));
- SecurityContextHolder.getContext().setAuthentication(token);
- chain.doFilter(request, response);
- }
- }
复制代码 自定义权限异常处理器
当 BasicAuthenticationFilter 认证失败的时候会进入 AuthenticationEntryPoint
我们之前放行了匿名哀求,但有的接口是必要权限的,当用户权限不足时,会进入 AccessDenieHandler 举行处理- /**
- * JWT 认证失败处理器
- */
- @Component
- public class JwtAuthenticationEntryPoint implements AuthenticationEntryPoint {
-
- @Override
- public void commence(HttpServletRequest httpServletRequest, HttpServletResponse httpServletResponse, AuthenticationException e) throws IOException, ServletException {
- httpServletResponse.setContentType("application/json;charset=UTF-8");
- httpServletResponse.setStatus(HttpServletResponse.SC_UNAUTHORIZED);
- ServletOutputStream outputStream = httpServletResponse.getOutputStream();
- Result result = Result.fail("请先登录");
- outputStream.write(JSONUtil.toJsonStr(result).getBytes(StandardCharsets.UTF_8));
- outputStream.flush();
- outputStream.close();
- }
- }
复制代码- /**
- * 无权限访问的处理
- */
- @Component
- public class JwtAccessDeniedHandler implements AccessDeniedHandler {
-
- @Override
- public void handle(HttpServletRequest httpServletRequest, HttpServletResponse httpServletResponse, AccessDeniedException e) throws IOException, ServletException {
- httpServletResponse.setContentType("application/json;charset=UTF-8");
- httpServletResponse.setStatus(HttpServletResponse.SC_FORBIDDEN);
- ServletOutputStream outputStream = httpServletResponse.getOutputStream();
- Result result = Result.fail(e.getMessage());
-
- outputStream.write(JSONUtil.toJsonStr(result).getBytes(StandardCharsets.UTF_8));
- outputStream.flush();
- outputStream.close();
- }
- }
复制代码 自定义用户登录逻辑
[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 |