客户端模式:
咱们的服务直接请求验证服务器拿到token,拿token访问资源服务器。跟用户没屁关系

别告诉我你不会模块化开发。。。一个资源服务器和验证服务器

依赖

Springboot 版本为2.3.3.RELEASE

<!--Security + oauth2 + jwt --><dependency><groupId>org.springframework.boot</groupId><artifactId>spring-boot-starter-security</artifactId></dependency><dependency><groupId>org.springframework.security.oauth</groupId><artifactId>spring-security-oauth2</artifactId><version>2.5.0.RELEASE</version></dependency><dependency><groupId>org.springframework.security</groupId><artifactId>spring-security-jwt</artifactId><version>1.1.1.RELEASE</version></dependency><dependency><groupId>io.jsonwebtoken</groupId><artifactId>jjwt</artifactId><version>0.9.1</version></dependency><dependency><groupId>com.sun.xml.ws</groupId><artifactId>jaxws-rt</artifactId><version>2.3.3</version></dependency><!--redis + 连接池--><dependency><groupId>org.springframework.boot</groupId><artifactId>spring-boot-starter-data-redis</artifactId></dependency><dependency><groupId>org.apache.commons</groupId><artifactId>commons-pool2</artifactId></dependency>

yml

server:port: 9910
myoauth2:clientId: admin1clientSecret: 123456tokenEndpoint: http://localhost:9910

1.验证服务器 9910端口

/*** 验证服务器;EnableAuthorizationServer注解表示是个验证服务器*/
@Configuration
@EnableAuthorizationServer
public class Config_Authorization extends AuthorizationServerConfigurerAdapter {@Value("${myoauth2.clientId}")private String clientId;@Value("${myoauth2.clientSecret}")private String clientSecret;private static final String DEMO_RESOURCE_ID = "order";@Resourceprivate AuthenticationManager authenticationManager;@Resourceprivate BCryptPasswordEncoder passwordEncoder;//============redis存储token===============
//    @Resource
//    private RedisConnectionFactory redisConnectionFactory;
//============redis存储token===============//=============JWT存储token==================@Resourceprivate TokenStore tokenStore;@Resourceprivate JwtAccessTokenConverter accessTokenConverter;@Resourceprivate Jwt_TokenEnhancer jwtTokenEnhancer;//=============JWT存储token==================/*** 访问端点配置* 配置授权authorization以及令牌(token)的访问端点和令牌服务(token services)*/@Overridepublic void configure(AuthorizationServerEndpointsConfigurer endpoints) throws Exception {//配置Redis存储token//endpoints.tokenStore(new RedisTokenStore(redisConnectionFactory));//配置Jwt存储token + Jwt自定义增强TokenEnhancerChain tokenEnhancerChain = new TokenEnhancerChain();tokenEnhancerChain.setTokenEnhancers(Arrays.asList(jwtTokenEnhancer, accessTokenConverter));endpoints.tokenStore(tokenStore).accessTokenConverter(accessTokenConverter).tokenEnhancer(tokenEnhancerChain);//配置管理器允许GET和POST请求端点oauth/token获取Tokenendpoints.authenticationManager(authenticationManager).allowedTokenEndpointRequestMethods(HttpMethod.GET, HttpMethod.POST);}/*** 授权端点开放,配置令牌端点(Token Endpoint)的安全约束*/@Overridepublic void configure(AuthorizationServerSecurityConfigurer oauthServer) throws Exception {oauthServer.tokenKeyAccess("permitAll()")              //开启/oauth/token_key验证端口无权限访问.checkTokenAccess("isAuthenticated()")      //开启/oauth/check_token验证端口认证权限访问.allowFormAuthenticationForClients();       //允许表单认证}/*** 配置客户端详情服务* 客户端详情信息在这里进行初始化, 通过数据库来存储调取详情信息* 在验证服务器为客户端client配置resourceIds的目的是:限制某个client可以访问的资源服务。* 当请求发送到Resource Server的时候会携带access_token,* Resource Server会根据access_token找到client_id,进而找到该client可以访问的resource_ids。* 如果resource_ids包含ResourceServer自己设置ResourceID,这关就过去了,就可以继续进行其他的权限验证*/@Overridepublic void configure(ClientDetailsServiceConfigurer clients) throws Exception {//使用内存模式; 也可以配置客户端存储到数据库DB,你能够把客户端详情信息写死在这里或者是通过数据库来存储调取详情信息clients.inMemory().withClient(clientId)                                                   //client_id.secret(passwordEncoder.encode(clientSecret))                           //client_密码.resourceIds(DEMO_RESOURCE_ID)                                          //配置资源的id.authorizedGrantTypes("client_credentials")                             //授权类型:客户端模式.scopes("all")                                                          //配置申请的权限范围.authorities("client");                                                 //客户端可以使用的权限}
}

2. Security配置类


@Configuration
@EnableWebSecurity
public class Config_WebSecurity extends WebSecurityConfigurerAdapter {/*** 配置拦截保护的请求径* permitAll() 表示任意用户可访问* anyRequest() 表示所有请求* authenticated() 表示已登录用户才能访问*/@Overrideprotected void configure(HttpSecurity http) throws Exception {http.csrf()                                                                 //不启用跨站请求伪造.disable().authorizeRequests().antMatchers("/oauth/**", "/login/**", "/logout/**")    //放行这些以"/login/","/oauth/"开头请求.permitAll().anyRequest().authenticated().and().formLogin().permitAll();}/*** 配置验证管理器*/@Bean@Overridepublic AuthenticationManager authenticationManagerBean() throws Exception {return super.authenticationManagerBean();}/*** 配置密码加密器*/@Beanpublic BCryptPasswordEncoder passwordEncoder() {return new BCryptPasswordEncoder();}
}

验证服务器用JWT存储token,返回JWT格式的token

/*** 使用Jwt存储token的配置*/
@Configuration
public class Jwt_TokenStore {@Beanpublic TokenStore tokenStore() {return new JwtTokenStore(accessTokenConverter());}@Beanpublic JwtAccessTokenConverter accessTokenConverter() {JwtAccessTokenConverter converter = new JwtAccessTokenConverter();converter.setSigningKey("123");return converter;}@Beanpublic Jwt_TokenEnhancer jwtTokenEnhancer() {return new Jwt_TokenEnhancer();}
}

JWT内容自定义


/*** Jwt内容增强器*/
public class Jwt_TokenEnhancer implements TokenEnhancer {@Overridepublic OAuth2AccessToken enhance(OAuth2AccessToken accessToken, OAuth2Authentication authentication) {Map<String, Object> info = new HashMap<>();info.put("我的信息", "abcddd");((DefaultOAuth2AccessToken) accessToken).setAdditionalInformation(info);return accessToken;}
}

下面配置一个资源服务器 9911端口

@Slf4j
@Configuration
@EnableResourceServer
public class Config_Resource extends ResourceServerConfigurerAdapter {@Value("${uaa.clientId}")private String clientId;@Value("${uaa.clientSecret}")private String clientSecret;@Value("${uaa.tokenEndpoint}")private String tokenEndpoint;/*** ResourceID资源的标识*/private static final String DEMO_RESOURCE_ID = "order";/*** 在每个ResourceServer实例上设置resourceId,该resourceId作为该资源的唯一标识* 验证服务器给Client第三方客户端授权时,可以设置这个Client可以访问哪些Resource-Server资源服务* 如没有设置就是对所有的Resource-Server都有访问权限** resources.resourceId(DEMO_RESOURCE_ID)     //为每个ResourceServer(一个微服务实例)设置一个ResourceID* resources.stateless(true)                  //标记以指示在这些资源上仅允许基于令牌的身份验证* resources.tokenStore(xxx)                  //token的存储方式* resources.tokenExtractor(xxx)              //token获取方式,默认为BearerTokenExtractor* resources.authenticationEntryPoint(xxx);   //配置自定义的认证异常处理返回类*/@Overridepublic void configure(ResourceServerSecurityConfigurer resources) {resources.resourceId(DEMO_RESOURCE_ID).stateless(true);}/*** 用来配置拦截保护的请求* 这里可以代替Spring Security同名方法配置*/@Overridepublic void configure(HttpSecurity http) throws Exception {http.csrf().disable()                       //禁用了csrf功能,关跨域保护.authorizeRequests()                //限定签名成功的请求.antMatchers("/order/**").authenticated()  //必须认证过后才可以访问.anyRequest().permitAll()       //其他没有限定的请求允许随意访问.and().anonymous();             //对于没有配置权限的其他请求允许匿名访问}/*** RemoteTokenServices是用于向远程认证服务器验证token,同时获取token对应的用户的信息* 通过RestTemplate调用远程服务,我们在使用这个类时,要设置checkTokenEndpointUrl、clientId、clientSecret等。* 只需要显示注入RemoteTokenServices remoteTokenServices()的Bean就可以调用授权服务器的/oauth/check_token端点查询token的合法性,之后返回其信息* 设置客户端配置的值*/@Primary@Beanpublic RemoteTokenServices remoteTokenServices() {final RemoteTokenServices tokenServices = new RemoteTokenServices();//设置授权服务器check_token(验证token)端点完整地址tokenServices.setCheckTokenEndpointUrl(tokenEndpoint+"/oauth/check_token");//设置client_id与secret,注意client_secret值不能使用passwordEncoder加密tokenServices.setClientId(clientId);tokenServices.setClientSecret(clientSecret);return tokenServices;}
}

已经配好了
启动两个服务

验证服务器9910,资源服务器9911
上面的保护资源的是order;所以请求资源服务器的接口order时需要token验证;
这里先访问资源服务器的接口:

首先用户要访问order资源,
我们后台服务器自己先去验证服务器拿token
http://localhost:9910/oauth/token?grant_type=client_credentials&scope=select&client_id=admin1&client_secret=123456

这就要求验证服务器对我们的服务器很信任。。。

请求token返回的结果中有access_token

这时访问资源服务器,请求头中添加这个参数:Authorization 值为access_token 或者 "Bearer "+access_token;就可以访问order了

当然资源服务器收到了带token的请求会去验证一下token对不对
就是RemoteTokenServices 这个方法,远程调用验证端点check_token了。。。

这种模式不常用 一般是密码模式和授权码模式

Springboot集成oauth2(客户端模式)相关推荐

  1. springboot的RestTemplate客户端模式取得uaa的token

    springboot的RestTemplate客户端模式取得uaa的token @Scheduled(fixedRate = 5000) public String getAuthorize() {H ...

  2. SpringBoot 集成Guacamole客户端

    SpringBoot 集成Guacamole客户端 1. 前言 2. 安装guacamole服务端 2.1. docker方式安装guacamole服务端 3. 启动guacamole服务端 4. 整 ...

  3. SpringBoot集成cas-client 客户端配置拦截过滤,绝对最简单有效,亲测

    我使用的cas-client客户端为2.0.0-GA.对于以前使用web.xml进行配置的只需要更改配置文件即可.此文我主要是针对用于SpringBoot集成客户端的过滤请求讲解. 由于最新的cas客 ...

  4. springboot集成oauth2和JWT(授权码模式)

    参考链接: Oauth2.0简单解释 Oauth2.0四种方式 什么是JWT JWT无状态登录 Spring security 系列15篇 Spring boot security 学习 Spring ...

  5. SpringBoot集成OAuth2.0有新方案了

    背景说明 SpringBoot 2.X已经抛弃了对Spring Security OAuth模块,而是通过Spring Security 5 支持了OAuth 2.0.客户端.资源服务器.授权服务器. ...

  6. Springboot 集成Redis 哨兵模式

    Redis哨兵模式 Redis Sentinel 介绍 Redis Sentinel是Redis⾼可⽤的实现⽅案.Sentinel是⼀个管理多个Redis实例的⼯具,它可以实现对Redis的监控.通知 ...

  7. SpringBoot集成JmsTemplate(队列模式和主题模式)(xml和JavaConfig配置实现)

    1.导入jar包: <!--jmsTemplate--><dependency><groupId>org.springframework.boot</grou ...

  8. springboot集成websocket(一)客户端、客户端断线重连、客户端连接验证

    springboot集成websocket客户端 一.首先是导入依赖包 1.在pom.xml中加入下述即可 <!--websocket作为客户端 --><dependency> ...

  9. SpringBoot 基于 OAuth2 统一身份认证流程详解

    1. 目标 了解OAUTH2统一认证基本概念 了解OAUTH2协议流程 了解OAUTH2各种模式类型 了解Spring Security OAuth设计 2. 分析 传统登陆认证介绍 单点登陆认证介绍 ...

最新文章

  1. python面试常见问题-Python面试常见的8个问题及答案总结
  2. 1.2.1 计算机网络的分层结构、协议、服务和接口
  3. 二、linux命令(ubuntu)
  4. The disk contains an unclean file system\
  5. 在wsl下运行c语言,在Windows10通过WSL架设linux/gcc c语言学习环境
  6. 字体选择_十分钟带你掌握精准选择字体的方法!
  7. 移动应用开发商的生存之道
  8. 企业类库问题 public key 问题[经过自己测试]
  9. Redis常见面试题5 -- 持久化方式之RDB(快照模式)
  10. 英特尔生产17个量子位超导芯片,现已交付合作伙伴
  11. 制作JD的手动和自动轮播图片板块
  12. 程序员不满薪资拒绝offer,HR怒称:估计你一辈子就是个程序员
  13. C++虚函数(多态性)
  14. 算法第四版- 4.3
  15. 房间类游戏后台框架(一)—介绍
  16. 互联网产业中“外行领到内行”和软件工程
  17. 关于——Git命令大全
  18. 计算机科学与基础 简答题,计算机科学基础习题与解析
  19. mos管怎样选型?新人必备MOS管正确选择的过程!
  20. Win7共享打印机 出现 “ 无法保存打印机设置 操作无法完成(错误 0x000006d9)“

热门文章

  1. `` 反引号在前端的作用:模板字符串
  2. 周末DIY,三花聚顶,练就静音功夫! 1
  3. 半监督学习+3D医疗图像检测 FocalMix
  4. 微信小程序登录授权流程
  5. html引入stylus,Web使用Pug与Stylus
  6. linux c++ vscode 搭建流媒体服务器
  7. Web2.0网站开始裂变 风投商青睐博客和IM
  8. Xshell+Xming使用心得
  9. .gitignore不生效,不忽略
  10. KMP板子+Trie板子