spring oauth2 authorization server 配置源码解析

版本

1.2.1

源码

  • OAuth2 授权服务器配置
    org.springframework.security.oauth2.server.authorization.config.annotation.web.configuration.OAuth2AuthorizationServerConfiguration
@Configuration(proxyBeanMethods = false)
public class OAuth2AuthorizationServerConfiguration {// 默认授权服务器安全过滤器链@Bean@Order(Ordered.HIGHEST_PRECEDENCE) // 最高优先级public SecurityFilterChain authorizationServerSecurityFilterChain(HttpSecurity http) throws Exception {applyDefaultSecurity(http);return http.build();}// 应用默认安全配置public static void applyDefaultSecurity(HttpSecurity http) throws Exception {// 授权服务器配置器OAuth2AuthorizationServerConfigurer authorizationServerConfigurer =new OAuth2AuthorizationServerConfigurer();// 授权服务器端点请求匹配器RequestMatcher endpointsMatcher = authorizationServerConfigurer.getEndpointsMatcher();http// 仅对授权服务器端点请求进行安全配置.securityMatcher(endpointsMatcher).authorizeHttpRequests(authorize ->authorize.anyRequest().authenticated())// 对授权服务器端点关闭csrf保护.csrf(csrf -> csrf.ignoringRequestMatchers(endpointsMatcher)).apply(authorizationServerConfigurer);}// 默认JWT解码器public static JwtDecoder jwtDecoder(JWKSource<SecurityContext> jwkSource) {// 添加支持的算法Set<JWSAlgorithm> jwsAlgs = new HashSet<>();jwsAlgs.addAll(JWSAlgorithm.Family.RSA);jwsAlgs.addAll(JWSAlgorithm.Family.EC);jwsAlgs.addAll(JWSAlgorithm.Family.HMAC_SHA);// JWT处理器,负责处理签名/加密/明文的jwtConfigurableJWTProcessor<SecurityContext> jwtProcessor = new DefaultJWTProcessor<>();JWSKeySelector<SecurityContext> jwsKeySelector =new JWSVerificationKeySelector<>(jwsAlgs, jwkSource);jwtProcessor.setJWSKeySelector(jwsKeySelector);// 覆盖Nimbus默认的JWT声明校验器,不对声明进行校验jwtProcessor.setJWTClaimsSetVerifier((claims, context) -> {});return new NimbusJwtDecoder(jwtProcessor);}@BeanRegisterMissingBeanPostProcessor registerMissingBeanPostProcessor() {RegisterMissingBeanPostProcessor postProcessor = new RegisterMissingBeanPostProcessor();postProcessor.addBeanDefinition(AuthorizationServerSettings.class, () -> AuthorizationServerSettings.builder().build());return postProcessor;}
}
  • OAuth2 授权服务器配置器
    org.springframework.security.oauth2.server.authorization.config.annotation.web.configurers.OAuth2AuthorizationServerConfigurer
public final class OAuth2AuthorizationServerConfigurerextends AbstractHttpConfigurer<OAuth2AuthorizationServerConfigurer, HttpSecurity> {// 所有授权服务器端点配置器private final Map<Class<? extends AbstractOAuth2Configurer>, AbstractOAuth2Configurer> configurers = createConfigurers();// 匹配所有授权服务器端点对应的请求,以及JwkSet端点请求private RequestMatcher endpointsMatcher;...// 启用OpenID Connect 1.0支持(默认关闭)public OAuth2AuthorizationServerConfigurer oidc(Customizer<OidcConfigurer> oidcCustomizer) {OidcConfigurer oidcConfigurer = getConfigurer(OidcConfigurer.class);if (oidcConfigurer == null) {addConfigurer(OidcConfigurer.class, new OidcConfigurer(this::postProcess));oidcConfigurer = getConfigurer(OidcConfigurer.class);}oidcCustomizer.customize(oidcConfigurer);return this;}...// 配置器初始化@Overridepublic void init(HttpSecurity httpSecurity) {// 获取授权服务器设置(各端点url)AuthorizationServerSettings authorizationServerSettings = OAuth2ConfigurerUtils.getAuthorizationServerSettings(httpSecurity);// 校验issuerUrivalidateAuthorizationServerSettings(authorizationServerSettings);// 处理OpenID Connect认证请求if (isOidcEnabled()) {// 如果启用OpenID Connect 1.0// 添加 OpenID Connect 会话跟踪能力initSessionRegistry(httpSecurity);SessionRegistry sessionRegistry = httpSecurity.getSharedObject(SessionRegistry.class);// 授权端点设置会话认证策略OAuth2AuthorizationEndpointConfigurer authorizationEndpointConfigurer =getConfigurer(OAuth2AuthorizationEndpointConfigurer.class);authorizationEndpointConfigurer.setSessionAuthenticationStrategy((authentication, request, response) -> {// 如果认证请求是使用授权码模式的OAuth2认证请求,且scope包含openid,则将会话注册到会话注册表if (authentication instanceof OAuth2AuthorizationCodeRequestAuthenticationToken authorizationCodeRequestAuthentication) {if (authorizationCodeRequestAuthentication.getScopes().contains(OidcScopes.OPENID)) {if (sessionRegistry.getSessionInformation(request.getSession().getId()) == null) {sessionRegistry.registerNewSession(request.getSession().getId(),((Authentication) authorizationCodeRequestAuthentication.getPrincipal()).getPrincipal());}}}});} else {// 如果OpenID Connect 没有启用.// 添加认证校验器,拒绝scope包含openid的认证请求OAuth2AuthorizationEndpointConfigurer authorizationEndpointConfigurer =getConfigurer(OAuth2AuthorizationEndpointConfigurer.class);authorizationEndpointConfigurer.addAuthorizationCodeRequestAuthenticationValidator((authenticationContext) -> {OAuth2AuthorizationCodeRequestAuthenticationToken authorizationCodeRequestAuthentication =authenticationContext.getAuthentication();if (authorizationCodeRequestAuthentication.getScopes().contains(OidcScopes.OPENID)) {OAuth2Error error = new OAuth2Error(OAuth2ErrorCodes.INVALID_SCOPE,"OpenID Connect 1.0 authentication requests are restricted.","https://datatracker.ietf.org/doc/html/rfc6749#section-4.1.2.1");throw new OAuth2AuthorizationCodeRequestAuthenticationException(error, authorizationCodeRequestAuthentication);}});}// 构造授权端点请求匹配器List<RequestMatcher> requestMatchers = new ArrayList<>();// 添加每个端点对应的匹配规则this.configurers.values().forEach(configurer -> {configurer.init(httpSecurity);requestMatchers.add(configurer.getRequestMatcher());});// 添加JwkSet端点请求匹配规则requestMatchers.add(new AntPathRequestMatcher(authorizationServerSettings.getJwkSetEndpoint(), HttpMethod.GET.name()));this.endpointsMatcher = new OrRequestMatcher(requestMatchers);// 当令牌获取/内省/撤回/设备认证端点发生访问拒绝异常或者认证异常时返回401未授权响应ExceptionHandlingConfigurer<HttpSecurity> exceptionHandling = httpSecurity.getConfigurer(ExceptionHandlingConfigurer.class);if (exceptionHandling != null) {exceptionHandling.defaultAuthenticationEntryPointFor(new HttpStatusEntryPoint(HttpStatus.UNAUTHORIZED),new OrRequestMatcher(getRequestMatcher(OAuth2TokenEndpointConfigurer.class),getRequestMatcher(OAuth2TokenIntrospectionEndpointConfigurer.class),getRequestMatcher(OAuth2TokenRevocationEndpointConfigurer.class),getRequestMatcher(OAuth2DeviceAuthorizationEndpointConfigurer.class)));}}// 执行安全配置@Overridepublic void configure(HttpSecurity httpSecurity) {// 应用各端点配置器this.configurers.values().forEach(configurer -> configurer.configure(httpSecurity));// 获取授权服务器设置AuthorizationServerSettings authorizationServerSettings = OAuth2ConfigurerUtils.getAuthorizationServerSettings(httpSecurity);// 添加授权服务器上下文过滤器,负责将上下文设置到AuthorizationServerContextHolderAuthorizationServerContextFilter authorizationServerContextFilter = new AuthorizationServerContextFilter(authorizationServerSettings);httpSecurity.addFilterAfter(postProcess(authorizationServerContextFilter), SecurityContextHolderFilter.class);// 添加JwkSet端点过滤器JWKSource<com.nimbusds.jose.proc.SecurityContext> jwkSource = OAuth2ConfigurerUtils.getJwkSource(httpSecurity);if (jwkSource != null) {NimbusJwkSetEndpointFilter jwkSetEndpointFilter = new NimbusJwkSetEndpointFilter(jwkSource, authorizationServerSettings.getJwkSetEndpoint());httpSecurity.addFilterBefore(postProcess(jwkSetEndpointFilter), AbstractPreAuthenticatedProcessingFilter.class);}}// 创建OAuth2服务器端点配置器private Map<Class<? extends AbstractOAuth2Configurer>, AbstractOAuth2Configurer> createConfigurers() {Map<Class<? extends AbstractOAuth2Configurer>, AbstractOAuth2Configurer> configurers = new LinkedHashMap<>();// 客户端认证configurers.put(OAuth2ClientAuthenticationConfigurer.class, new OAuth2ClientAuthenticationConfigurer(this::postProcess));// 授权服务器元数据端点configurers.put(OAuth2AuthorizationServerMetadataEndpointConfigurer.class, new OAuth2AuthorizationServerMetadataEndpointConfigurer(this::postProcess));// 授权端点configurers.put(OAuth2AuthorizationEndpointConfigurer.class, new OAuth2AuthorizationEndpointConfigurer(this::postProcess));// 令牌获取端点configurers.put(OAuth2TokenEndpointConfigurer.class, new OAuth2TokenEndpointConfigurer(this::postProcess));// 令牌内省端点configurers.put(OAuth2TokenIntrospectionEndpointConfigurer.class, new OAuth2TokenIntrospectionEndpointConfigurer(this::postProcess));// 令牌撤回端点configurers.put(OAuth2TokenRevocationEndpointConfigurer.class, new OAuth2TokenRevocationEndpointConfigurer(this::postProcess));// 设备授权端点configurers.put(OAuth2DeviceAuthorizationEndpointConfigurer.class, new OAuth2DeviceAuthorizationEndpointConfigurer(this::postProcess));// 设备校验端点configurers.put(OAuth2DeviceVerificationEndpointConfigurer.class, new OAuth2DeviceVerificationEndpointConfigurer(this::postProcess));return configurers;}
}

本文来自互联网用户投稿,该文观点仅代表作者本人,不代表本站立场。本站仅提供信息存储空间服务,不拥有所有权,不承担相关法律责任。如若转载,请注明出处:http://www.mzph.cn/news/604270.shtml

如若内容造成侵权/违法违规/事实不符,请联系多彩编程网进行投诉反馈email:809451989@qq.com,一经查实,立即删除!

相关文章

【十七】【动态规划】DP41 【模板】01背包、416. 分割等和子集、494. 目标和,三道题目深度解析

动态规划 动态规划就像是解决问题的一种策略&#xff0c;它可以帮助我们更高效地找到问题的解决方案。这个策略的核心思想就是将问题分解为一系列的小问题&#xff0c;并将每个小问题的解保存起来。这样&#xff0c;当我们需要解决原始问题的时候&#xff0c;我们就可以直接利…

小米红米Note9 Pro 5G刷PixelOS,并安装kali nethunter

1.解锁BL 小米解锁BL&#xff0c;网上有很多教程&#xff0c;如果需要刷机的话&#xff0c;需要提前7天准备。因为小米解锁需要登录账号&#xff0c;并使用官方解锁工具进行解锁&#xff0c;这里不做过多阐述。 2.下载相关文件 可以访问该地址下载recovery和rom&#xff1a;…

GeoServer发布地图服务(WMS、WFS)

文章目录 1. 概述2. 矢量数据源3. 栅格数据源 1. 概述 我们知道将GIS数据大致分成矢量数据和栅格数据&#xff08;地形和三维模型都是兼具矢量和栅格数据的特性&#xff09;。但是如果用来Web环境中&#xff0c;那么使用图片这个栅格形式的数据载体无疑是最为方便的&#xff0…

一个奇怪的问题和奇怪的解决方案

背景 最近想学学OpenCV&#xff0c;先说说学习环境 软件&#xff1a;Python 3.11 Pycharm opencv、numpy、matplotlib硬件&#xff1a;家里台式机&#xff0c;单位笔记本代码放到github上&#xff0c;方便在两台机子之间同步笔记本用win11系统台式机原来安装了debian 12KDE…

代码随想录算法训练营第四十九天|121. 买卖股票的最佳时机、122.买卖股票的最佳时机II

代码随想录算法训练营第四十九天|121. 买卖股票的最佳时机、122.买卖股票的最佳时机II 买卖股票的最佳时机 121. 买卖股票的最佳时机 文章讲解&#xff1a;https://programmercarl.com/0121.%E4%B9%B0%E5%8D%96%E8%82%A1%E7%A5%A8%E7%9A%84%E6%9C%80%E4%BD%B3%E6%97%B6%E6%9C…

Vue中插槽的简单使用

插槽 分类&#xff1a;默认插槽、具名插槽、作用域插槽 默认插槽&#xff1a;让父组件可以向子组件指定位置插入html结构&#xff0c;也是一种组件通信的方式&#xff0c;适用于父组件&#xff08;App&#xff09;>子组件(MyFooter) 默认插槽的App组件 <template>&…

WebofScience快速检索文献的办法

Web of Science为什么老是搜不到文章&#xff0c;原来是要在这个地方全部勾选 如果是搜标题的话&#xff0c;选Title&#xff0c;输入你要搜的文章标题 另外&#xff0c;也可以在浏览器直接搜文章标题&#xff0c;得到文章的DOI&#xff0c;然后选DOI&#xff0c;直接搜DOI也行…

红帽Redhat(liunx)连接虚拟机

一、xshell连接虚拟机的步骤 ①在Linux里面 ifconfig去查看网络的IP地址 setup设置IP地址 service network restart 重启网卡服务 ②在windows 打开网络和共享中心→更改适配器 仅主机&#xff1a;VMnet1 IPV4的IP Net模式&#xff1a;VMnet8 ③直…

中通快递查询,中通快递单号查询,批量删除不需要的快递单号

快递单号的管理现在是许多企业和个人日常工作中不可或缺的一部分&#xff0c;面对堆积如山的快递单号&#xff0c;如何快速、准确地处理成了许多人的难题。今天&#xff0c;我们将为大家带来一款强大的快递单号处理软件——快递批量查询高手&#xff0c;让你从此告别繁琐的手动…

SpringCloud-高级篇(十一)

&#xff08;1&#xff09;搭建Redis-主从架构 前面我们实现了Redis的持久化&#xff0c;解决了数据安全问题&#xff0c;但是还有需要解决的问题&#xff0c;下面学习Redis的主从集群&#xff0c;解决Redis的并发能力的问题 Redis的集群往往是主从集群&#xff0c;Redsi为什么…

MyBatis-基本概念

一、概念 概念MyBatis官方文档介绍&#xff1a;MyBatis is a first class persistence framework with support for custom SQL, stored procedures and advanced mappings. MyBatis eliminates almost all of the JDBC code and manual setting of parameters and retrieval …

【leetcode】字符串中的第一个唯一字符

题目描述 给定一个字符串 s &#xff0c;找到 它的第一个不重复的字符&#xff0c;并返回它的索引 。如果不存在&#xff0c;则返回 -1 。 用例 示例 1&#xff1a; 输入: s “leetcode” 输出: 0 示例 2: 输入: s “loveleetcode” 输出: 2 示例 3: 输入: s “aabb”…

游戏缺少x3daudio1_7.dll文件怎么办?x3daudio1_7.dll丢失总共有六个解决方法

导语&#xff1a;在计算机使用过程中&#xff0c;我们经常会遇到一些错误提示&#xff0c;其中之一就是“x3daudio1_7.dll丢失”。那么&#xff0c;x3daudio1_7.dll到底是什么文件呢&#xff1f;它的作用和影响又是什么呢&#xff1f;本文将为您详细介绍x3daudio1_7.dll的相关知…

linux cpu、memory 、io、网络、文件系统多种类型负荷模拟调测方法工具

目录 一、概述 二、stress介绍和使用 2.1 介绍 2.2 使用 三、stress-ng介绍和使用 3.1 介绍 3.2 使用 3.3 实例 四、sysbench 4.1 介绍 4.2 使用 五、lmbench 5.1 介绍 5.2 使用 一、概述 今天介绍两款cpu负荷调试工具,用来模拟多种类型的负载。主要用来模拟CPU…

LabVIEW开发自动光学焊点检测系统

LabVIEW开发自动光学焊点检测系统 LabVIEW于开发了一个自动光学焊点检测系统&#xff0c;旨在提高电子元件焊接的质量和效率。通过利用LabVIEW的高级视觉开发模块&#xff0c;该系统能够准确地识别和分类电路板上的不同焊点类型&#xff0c;如桥接、虚焊、漏焊和多锡。这一进步…

Java最大优先队列设计与实现

Java 学习面试指南&#xff1a;https://javaxiaobear.cn 1、API设计 类名MaxPriorityQueue构造方法MaxPriorityQueue(int capacity)&#xff1a;创建容量为capacity的MaxPriorityQueue对象成员方法private boolean less(int i,int j)&#xff1a;判断堆中索引i处的元素是否小…

Docker中swarm管理工具

Docker中swarm管理工具 1 安装swarm swarm是Docker自带的容器集群管理工具。 1.1 集群IP 主机名ip地址网卡名软件master192.168.108.201ens33Dockernode1192.168.108.202ens33Docker 修改主机名 # 管理节点&#xff0c;修改主机名 hostnamectl set-hostname master# 子节…

面试 React 框架八股文十问十答第一期

面试 React 框架八股文十问十答第一期 作者&#xff1a;程序员小白条&#xff0c;个人博客 相信看了本文后&#xff0c;对你的面试是有一定帮助的&#xff01;关注专栏后就能收到持续更新&#xff01; ⭐点赞⭐收藏⭐不迷路&#xff01;⭐ 1&#xff09;React 生命周期是怎样…

PHP代码审计之实战审代码篇2

4. 仔细观察如下代码&#xff0c;思考代码有什么缺陷&#xff0c;可能由此引发什么样的问题&#xff1f; <?php require_once("/home/rconfig/classes/usersession.class.php"); require_once("/home/rconfig/classes/ADLog.class.php"); require_onc…

neo4j-cypher语言使用

neo4j-cypher语言使用 neo4j的本质就是节点关系。节点是用小括号来表示&#xff0c;&#xff08;节点&#xff1a;节点标签 {属性名称&#xff1a;属性值}&#xff09;with 本质是with(变量) 传送到下一个语句&#xff0c;with 子处理(变量), with 查询return 变量。unwind 本质…