Spring Cloud Alibaba微服务实战二十六 - Oauth2认证服务器自定义异常

作者简介:大家好,我是smart哥,前中兴通讯、美团架构师,现某互联网公司CTO

联系qq:184480602,加我进群,大家一起学习,一起进步,一起对抗互联网寒冬

学习必须往深处挖,挖的越深,基础越扎实!

阶段1、深入多线程

阶段2、深入多线程设计模式

阶段3、深入juc源码解析


阶段4、深入jdk其余源码解析


阶段5、深入jvm源码解析

码哥源码部分

码哥讲源码-原理源码篇【2024年最新大厂关于线程池使用的场景题】

码哥讲源码【炸雷啦!炸雷啦!黄光头他终于跑路啦!】

码哥讲源码-【jvm课程前置知识及c/c++调试环境搭建】

​​​​​​码哥讲源码-原理源码篇【揭秘join方法的唤醒本质上决定于jvm的底层析构函数】

码哥源码-原理源码篇【Doug Lea为什么要将成员变量赋值给局部变量后再操作?】

码哥讲源码【你水不是你的错,但是你胡说八道就是你不对了!】

码哥讲源码【谁再说Spring不支持多线程事务,你给我抽他!】

终结B站没人能讲清楚红黑树的历史,不服等你来踢馆!

打脸系列【020-3小时讲解MESI协议和volatile之间的关系,那些将x86下的验证结果当作最终结果的水货们请闭嘴】

前言

今天内容主要是解决一位粉丝提的问题:在使用 Spring Security OAuth2 时如何自定义认证服务器返回异常。

那么首先我们先以 Password模式为例看看在认证时会出现哪些异常情况。

授权模式错误

这里我们故意将授权模式 password 修改成 password1,认证服务器返回如下所示的异常

    {
      "error": "unsupported_grant_type",
      "error_description": "Unsupported grant type: password1"
    }

密码错误

在认证时故意输错 username 或 password 会出现如下异常错误:

    {
      "error": "invalid_grant",
      "error_description": "Bad credentials"
    }

客户端错误

在认证时故意输错 client_id 或 client_secret

    {
      "error": "invalid_client",
      "error_description": "Bad client credentials"
    }

上面的返回结果很不友好,而且前端代码也很难判断是什么错误,所以我们需要对返回的错误进行统一的异常处理,让其返回统一的异常格式。

问题剖析

如果只关注解决方案,可以直接跳转到解决方案模块!

OAuth2Exception异常处理

在Oauth2认证服务器中认证逻辑最终调用的是 TokenEndpoint#postAccessToken()方法,而一旦认证出现 OAuth2Exception异常则会被 handleException()捕获到异常。如下图展示的是当出现用户密码异常时debug截图:

认证服务器在捕获到 OAuth2Exception后会调用 WebResponseExceptionTranslator#translate()方法对异常进行翻译处理。

默认的翻译处理实现类是 DefaultWebResponseExceptionTranslator,处理完成后会调用 handleOAuth2Exception()方法将处理后的异常返回给前端,这就是我们之前看到的异常效果。

处理方法

熟悉Oauth2套路的同学应该知道了如何处理此类异常,就是 「自定义一个异常翻译类让其返回我们需要的自定义格式,然后将其注入到认证服务器中。」

但是这种处理逻辑只能解决 OAuth2Exception异常,即前言部分中的 「授权模式异常」 和 「账号密码类的异常」 ,并不能解决我们客户端的异常。

客户端异常处理

客户端认证的异常是发生在过滤器 ClientCredentialsTokenEndpointFilter上,其中有后置添加失败处理方法,最后把异常交给 OAuth2AuthenticationEntryPoint这个所谓认证入口处理。执行顺序如下所示:

然后跳转到父类的 AbstractOAuth2SecurityExceptionHandler#doHandle()进行处理:

最终由 DefaultOAuth2ExceptionRenderer#handleHttpEntityResponse()方法将异常输出给客户端

处理方法

通过上面的分析我们得知客户端的认证失败异常是过滤器 ClientCredentialsTokenEndpointFilter转交给 OAuth2AuthenticationEntryPoint得到响应结果的,既然这样我们就可以重写 ClientCredentialsTokenEndpointFilter然后使用自定义的 AuthenticationEntryPoint替换原生的 OAuth2AuthenticationEntryPoint,在自定义 AuthenticationEntryPoint处理得到我们想要的异常数据。

解决方案

为了解决上面这些异常,我们首先需要编写不同异常的错误代码:ReturnCode.java

    CLIENT_AUTHENTICATION_FAILED(1001,"客户端认证失败"),
    USERNAME_OR_PASSWORD_ERROR(1002,"用户名或密码错误"),
    UNSUPPORTED_GRANT_TYPE(1003, "不支持的认证模式");

OAuth2Exception异常

如上所说我们编写一个自定义异常翻译类 CustomWebResponseExceptionTranslator

    @Slf4j
    public class CustomWebResponseExceptionTranslator implements WebResponseExceptionTranslator {
    
        @Override
        public ResponseEntity<ResultData<String>> translate(Exception e) throws Exception {
            log.error("认证服务器异常",e);
    
            ResultData<String> response = resolveException(e);
    
            return new ResponseEntity<>(response, HttpStatus.valueOf(response.getHttpStatus()));
        }
    
        /**
         * 构建返回异常
         * @param e exception
         * @return
         */
        private ResultData<String> resolveException(Exception e) {
            // 初始值 500
            ReturnCode returnCode = ReturnCode.RC500;
            int httpStatus = HttpStatus.UNAUTHORIZED.value();
            //不支持的认证方式
            if(e instanceof UnsupportedGrantTypeException){
                returnCode = ReturnCode.UNSUPPORTED_GRANT_TYPE;
            //用户名或密码异常
            }else if(e instanceof InvalidGrantException){
                returnCode = ReturnCode.USERNAME_OR_PASSWORD_ERROR;
            }
    
            ResultData<String> failResponse = ResultData.fail(returnCode.getCode(), returnCode.getMessage());
            failResponse.setHttpStatus(httpStatus);
    
            return failResponse;
        }
    
    }

然后在认证服务器配置类中注入自定义异常翻译类

    @Override
    public void configure(AuthorizationServerEndpointsConfigurer endpoints) throws Exception {
        //如果需要使用refresh_token模式则需要注入userDetailService
        endpoints
                .authenticationManager(this.authenticationManager)
                .userDetailsService(userDetailService)
    //                注入tokenGranter
                .tokenGranter(tokenGranter);
                //注入自定义的tokenservice,如果不使用自定义的tokenService那么就需要将tokenServce里的配置移到这里
    //                .tokenServices(tokenServices());
        // 自定义异常转换类
        endpoints.exceptionTranslator(new CustomWebResponseExceptionTranslator());
    }

客户端异常

重写客户端认证过滤器,不使用默认的 OAuth2AuthenticationEntryPoint处理异常

    public class CustomClientCredentialsTokenEndpointFilter extends ClientCredentialsTokenEndpointFilter {
    
        private final AuthorizationServerSecurityConfigurer configurer;
    
        private AuthenticationEntryPoint authenticationEntryPoint;
    
        public CustomClientCredentialsTokenEndpointFilter(AuthorizationServerSecurityConfigurer configurer) {
            this.configurer = configurer;
        }
    
        @Override
        public void setAuthenticationEntryPoint(AuthenticationEntryPoint authenticationEntryPoint) {
            super.setAuthenticationEntryPoint(null);
            this.authenticationEntryPoint = authenticationEntryPoint;
        }
    
        @Override
        protected AuthenticationManager getAuthenticationManager() {
            return configurer.and().getSharedObject(AuthenticationManager.class);
        }
    
        @Override
        public void afterPropertiesSet() {
            setAuthenticationFailureHandler((request, response, e) -> authenticationEntryPoint.commence(request, response, e));
            setAuthenticationSuccessHandler((request, response, authentication) -> {
            });
        }
    }

在认证服务器注入异常处理逻辑,自定义异常返回结果。(代码位于 AuthorizationServerConfig

    @Bean
    public AuthenticationEntryPoint authenticationEntryPoint() {
        return (request, response, e) -> {
            response.setStatus(HttpStatus.UNAUTHORIZED.value());
            ResultData<String> resultData = ResultData.fail(ReturnCode.CLIENT_AUTHENTICATION_FAILED.getCode(), ReturnCode.CLIENT_AUTHENTICATION_FAILED.getMessage());
            WebUtils.writeJson(response,resultData);
        };
    }

修改认证服务器配置,注入自定义过滤器

    @Override
    public void configure(AuthorizationServerSecurityConfigurer security) throws Exception {
     CustomClientCredentialsTokenEndpointFilter endpointFilter = new CustomClientCredentialsTokenEndpointFilter(security);
     endpointFilter.afterPropertiesSet();
     endpointFilter.setAuthenticationEntryPoint(authenticationEntryPoint());
     security.addTokenEndpointAuthenticationFilter(endpointFilter);
    
     security
       .authenticationEntryPoint(authenticationEntryPoint())
         /* .allowFormAuthenticationForClients()*/ //如果使用表单认证则需要加上
       .tokenKeyAccess("permitAll()")
       .checkTokenAccess("isAuthenticated()");
    }

此时需要删除 allowFormAuthenticationForClients()配置,否则自定义的过滤器不生效,至于为什么不生效大家看看源码就知道了。

测试

  • 授权模式错误

  • 账号密码错误

  • 客户端错误

评论
添加红包

请填写红包祝福语或标题

红包个数最小为10个

红包金额最低5元

当前余额3.43前往充值 >
需支付:10.00
成就一亿技术人!
领取后你会自动成为博主和红包主的粉丝 规则
hope_wisdom
发出的红包
实付
使用余额支付
点击重新获取
扫码支付
钱包余额 0

抵扣说明:

1.余额是钱包充值的虚拟货币,按照1:1的比例进行支付金额的抵扣。
2.余额无法直接购买下载,可以购买VIP、付费专栏及课程。

余额充值