当前位置:   article > 正文

SpringCloud——安全认证(Security)_springcloud security

springcloud security

一、SpringCloud Security简介

          Spring Cloud Security提供了一组原语,用于构建安全的应用程序和服务,而且操作简便。可以在外部(或集中)进行大量配置的声明性模型有助于实现大型协作的远程组件系统,通常具有中央身份管理服务。它也非常易于在Cloud Foundry等服务平台中使用。在Spring Boot和Spring Security OAuth2的基础上,可以快速创建实现常见模式的系统,如单点登录,令牌中继和令牌交换。

功能:

  • 从Zuul代理中的前端到后端服务中继SSO令牌
  • 资源服务器之间的中继令牌
  • 使Feign客户端表现得像OAuth2RestTemplate(获取令牌等)的拦截器
  • 在Zuul代理中配置下游身份验证

二、单一登录实现

1、在 SpringCloud——服务的注册与发现Eureka的基础上做修改

添加spring-security支持:

  1. <dependency>
  2. <groupId>org.springframework.boot</groupId>
  3. <artifactId>spring-boot-starter-security</artifactId>
  4. </dependency>

添加配置:

  1. server:
  2. port: 8082
  3. spring:
  4. application:
  5. name: eureka-client
  6. eureka:
  7. client:
  8. serviceUrl:
  9. defaultZone: http://localhost:8081/eureka/
  10. # fetch-registry: false
  11. # register-with-eureka: false
  12. # 安全认证的配置
  13. security:
  14. basic:
  15. enabled: true

2、启动工程,浏览器访问:http://localhost:8082/test

输入用户名和密码认证,用户名为user,密码在程序启动时会输出到控制台上,如图:

登录成功后浏览器显示:

test=============8082

三、配置MySQL数据库实现认证

1、添加相关依赖:

  1. <?xml version="1.0" encoding="UTF-8"?>
  2. <project xmlns="http://maven.apache.org/POM/4.0.0" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance"
  3. xsi:schemaLocation="http://maven.apache.org/POM/4.0.0 http://maven.apache.org/xsd/maven-4.0.0.xsd">
  4. <modelVersion>4.0.0</modelVersion>
  5. <groupId>com.example.demo.security</groupId>
  6. <artifactId>security-oauth2</artifactId>
  7. <version>0.0.1-SNAPSHOT</version>
  8. <packaging>jar</packaging>
  9. <name>security-oauth2</name>
  10. <parent>
  11. <groupId>com.example.demo</groupId>
  12. <artifactId>springcloud-security</artifactId>
  13. <version>0.0.1-SNAPSHOT</version>
  14. </parent>
  15. <properties>
  16. <project.build.sourceEncoding>UTF-8</project.build.sourceEncoding>
  17. <project.reporting.outputEncoding>UTF-8</project.reporting.outputEncoding>
  18. <java.version>1.8</java.version>
  19. </properties>
  20. <dependencies>
  21. <dependency>
  22. <groupId>org.springframework.boot</groupId>
  23. <artifactId>spring-boot-starter</artifactId>
  24. </dependency>
  25. <dependency>
  26. <groupId>org.springframework.boot</groupId>
  27. <artifactId>spring-boot-starter-test</artifactId>
  28. <scope>test</scope>
  29. </dependency>
  30. <dependency>
  31. <groupId>org.springframework.cloud</groupId>
  32. <artifactId>spring-cloud-starter-security</artifactId>
  33. </dependency>
  34. <dependency>
  35. <groupId>org.springframework.cloud</groupId>
  36. <artifactId>spring-cloud-starter-oauth2</artifactId>
  37. </dependency>
  38. <dependency>
  39. <groupId>org.springframework.boot</groupId>
  40. <artifactId>spring-boot-starter-velocity</artifactId>
  41. <version>1.1.3.RELEASE</version>
  42. </dependency>
  43. <dependency>
  44. <groupId>org.springframework.boot</groupId>
  45. <artifactId>spring-boot-starter-jdbc</artifactId>
  46. </dependency>
  47. <dependency>
  48. <groupId>mysql</groupId>
  49. <artifactId>mysql-connector-java</artifactId>
  50. </dependency>
  51. </dependencies>
  52. <build>
  53. <plugins>
  54. <plugin>
  55. <groupId>org.springframework.boot</groupId>
  56. <artifactId>spring-boot-maven-plugin</artifactId>
  57. </plugin>
  58. </plugins>
  59. </build>
  60. </project>

2、添加配置文件:

  1. server:
  2. port: 8081
  3. spring:
  4. application:
  5. name: security-oauth2
  6. datasource:
  7. url: jdbc:mysql://127.0.0.1:3306/alan_oauth?allowMultiQueries=true&useUnicode=true&characterEncoding=UTF-8&useSSL=true&autoReconnect=true
  8. username: root
  9. password: admin
  10. driver-class-name: com.mysql.jdbc.Driver
  11. security:
  12. basic:
  13. enabled: false

3、相关config配置文件

创建授权配置信息类OAuthSecurityConfig.java,声明TokenStore实现和ClientDetails的实现。
  1. package com.example.demo.security.config;
  2. import org.springframework.beans.factory.annotation.Autowired;
  3. import org.springframework.context.annotation.Bean;
  4. import org.springframework.context.annotation.Configuration;
  5. import org.springframework.security.authentication.AuthenticationManager;
  6. import org.springframework.security.oauth2.config.annotation.configurers.ClientDetailsServiceConfigurer;
  7. import org.springframework.security.oauth2.config.annotation.web.configuration.AuthorizationServerConfigurerAdapter;
  8. import org.springframework.security.oauth2.config.annotation.web.configurers.AuthorizationServerEndpointsConfigurer;
  9. import org.springframework.security.oauth2.config.annotation.web.configurers.AuthorizationServerSecurityConfigurer;
  10. import org.springframework.security.oauth2.provider.ClientDetailsService;
  11. import org.springframework.security.oauth2.provider.client.JdbcClientDetailsService;
  12. import org.springframework.security.oauth2.provider.token.DefaultTokenServices;
  13. import org.springframework.security.oauth2.provider.token.TokenStore;
  14. import org.springframework.security.oauth2.provider.token.store.JdbcTokenStore;
  15. import javax.sql.DataSource;
  16. import java.util.concurrent.TimeUnit;
  17. /**
  18. * 路径:com.example.demo.security.config
  19. * 类名:
  20. * 功能:《用一句描述一下》
  21. * 备注:
  22. * 创建人:typ
  23. * 创建时间:2018/9/26 14:25
  24. * 修改人:
  25. * 修改备注:
  26. * 修改时间:
  27. */
  28. @Configuration
  29. public class OAuthSecurityConfig extends AuthorizationServerConfigurerAdapter{
  30. @Autowired
  31. private AuthenticationManager authenticationManager;
  32. @Autowired
  33. private DataSource dataSource;
  34. @Bean
  35. public TokenStore tokenStore(){
  36. return new JdbcTokenStore(dataSource);
  37. }
  38. @Override
  39. public void configure(AuthorizationServerEndpointsConfigurer endpoints) throws Exception {
  40. endpoints.authenticationManager(authenticationManager);
  41. endpoints.tokenStore(tokenStore());
  42. // 配置TokenServices参数
  43. DefaultTokenServices tokenServices = new DefaultTokenServices();
  44. tokenServices.setTokenStore(endpoints.getTokenStore());
  45. tokenServices.setSupportRefreshToken(false);
  46. tokenServices.setClientDetailsService(endpoints.getClientDetailsService());
  47. tokenServices.setTokenEnhancer(endpoints.getTokenEnhancer());
  48. tokenServices.setAccessTokenValiditySeconds( (int) TimeUnit.DAYS.toSeconds(30)); // 30天
  49. endpoints.tokenServices(tokenServices);
  50. }
  51. @Override
  52. public void configure(AuthorizationServerSecurityConfigurer oauthServer) throws Exception {
  53. //oauthServer.checkTokenAccess("isAuthenticated()");
  54. oauthServer.checkTokenAccess("permitAll()");
  55. oauthServer.allowFormAuthenticationForClients();
  56. }
  57. @Bean
  58. public ClientDetailsService clientDetails() {
  59. return new JdbcClientDetailsService(dataSource);
  60. }
  61. @Override
  62. public void configure(ClientDetailsServiceConfigurer clients) throws Exception {
  63. clients.withClientDetails(clientDetails());
  64. clients.inMemory()
  65. .withClient("client")
  66. .secret("secret")
  67. .authorizedGrantTypes("authorization_code")
  68. .scopes("app");
  69. }
  70. }
安全服务配置类OAuthWebConfig.java
  1. package com.example.demo.security.config;
  2. import org.springframework.context.annotation.Configuration;
  3. import org.springframework.security.config.annotation.web.builders.HttpSecurity;
  4. import org.springframework.security.config.annotation.web.builders.WebSecurity;
  5. import org.springframework.security.config.annotation.web.configuration.WebSecurityConfigurerAdapter;
  6. /**
  7. * 路径:com.example.demo.security.config
  8. * 类名:
  9. * 功能:《用一句描述一下》
  10. * 备注:
  11. * 创建人:typ
  12. * 创建时间:2018/9/26 14:22
  13. * 修改人:
  14. * 修改备注:
  15. * 修改时间:
  16. */
  17. @Configuration
  18. public class OAuthWebConfig extends WebSecurityConfigurerAdapter{
  19. @Override
  20. public void configure(WebSecurity web) throws Exception {
  21. web.ignoring()
  22. .antMatchers("/favor.ico");
  23. }
  24. @Override
  25. protected void configure(HttpSecurity http) throws Exception {
  26. super.configure(http);
  27. }
  28. }

自定义provider调用类SsoAuthProvider.java

  1. package com.example.demo.security.config;
  2. import org.slf4j.Logger;
  3. import org.slf4j.LoggerFactory;
  4. import org.springframework.security.authentication.AuthenticationProvider;
  5. import org.springframework.security.authentication.UsernamePasswordAuthenticationToken;
  6. import org.springframework.security.core.Authentication;
  7. import org.springframework.security.core.AuthenticationException;
  8. import org.springframework.security.core.GrantedAuthority;
  9. import org.springframework.stereotype.Component;
  10. import java.util.Collections;
  11. /**
  12. * 路径:com.example.demo.security.config
  13. * 类名:
  14. * 功能:《用一句描述一下》
  15. * 备注:
  16. * 创建人:typ
  17. * 创建时间:2018/9/26 14:33
  18. * 修改人:
  19. * 修改备注:
  20. * 修改时间:
  21. */
  22. @Component
  23. public class SsoAuthProvider implements AuthenticationProvider{
  24. private static final Logger log = LoggerFactory.getLogger(SsoAuthProvider.class);
  25. @Override
  26. public Authentication authenticate(Authentication authentication) throws AuthenticationException {
  27. log.info("自定义provider调用");
  28. 返回一个Token对象表示登陆成功
  29. return new UsernamePasswordAuthenticationToken(authentication.getPrincipal(), authentication.getCredentials(), Collections.<GrantedAuthority>emptyList());
  30. }
  31. @Override
  32. public boolean supports(Class<?> aClass) {
  33. return true;
  34. }
  35. }

4、需要一个重定向的controller类

  1. package com.example.demo.security.controller;
  2. import org.slf4j.Logger;
  3. import org.slf4j.LoggerFactory;
  4. import org.springframework.web.bind.annotation.RequestMapping;
  5. import org.springframework.web.bind.annotation.RequestParam;
  6. import org.springframework.web.bind.annotation.RestController;
  7. import org.springframework.web.bind.annotation.SessionAttributes;
  8. import java.util.Map;
  9. /**
  10. * 路径:com.example.demo.security.controller
  11. * 类名:
  12. * 功能:《用一句描述一下》
  13. * 备注:
  14. * 创建人:typ
  15. * 创建时间:2018/9/26 14:30
  16. * 修改人:
  17. * 修改备注:
  18. * 修改时间:
  19. */
  20. @RestController
  21. @SessionAttributes("authorizationRequest")
  22. public class ErrorController {
  23. private static final Logger log = LoggerFactory.getLogger(ErrorController.class);
  24. @RequestMapping("/oauth/error")
  25. public String error(@RequestParam Map<String, String> parameters){
  26. String url = parameters.get("redirect_uri");
  27. log.info("重定向: {}", url);
  28. return "redirect:" + url + "?error=1";
  29. }
  30. }

5、启动类添加注解@EnableAuthorizationServer

  1. package com.example.demo.security;
  2. import org.springframework.beans.factory.annotation.Autowired;
  3. import org.springframework.boot.SpringApplication;
  4. import org.springframework.boot.autoconfigure.SpringBootApplication;
  5. import org.springframework.context.annotation.Bean;
  6. import org.springframework.security.authentication.AuthenticationManager;
  7. import org.springframework.security.authentication.AuthenticationProvider;
  8. import org.springframework.security.authentication.ProviderManager;
  9. import org.springframework.security.oauth2.config.annotation.web.configuration.EnableAuthorizationServer;
  10. import java.util.Arrays;
  11. @SpringBootApplication
  12. @EnableAuthorizationServer
  13. public class SecurityOauth2Application {
  14. public static void main(String[] args) {
  15. SpringApplication.run(SecurityOauth2Application.class, args);
  16. }
  17. @Autowired
  18. private AuthenticationProvider authenticationProvider;
  19. @Bean
  20. public AuthenticationManager authenticationManager(){
  21. return new ProviderManager(Arrays.asList(authenticationProvider));
  22. }
  23. }

6、创建数据库及相关表

  1. # Host: 127.0.0.1 (Version 5.7.21)
  2. # Date: 2018-09-26 15:17:51
  3. # Generator: MySQL-Front 6.0 (Build 2.20)
  4. #
  5. # Structure for table "clientdetails"
  6. #
  7. DROP TABLE IF EXISTS `clientdetails`;
  8. CREATE TABLE `clientdetails` (
  9. `appId` varchar(128) NOT NULL,
  10. `resourceIds` varchar(256) DEFAULT NULL,
  11. `appSecret` varchar(256) DEFAULT NULL,
  12. `scope` varchar(256) DEFAULT NULL,
  13. `grantTypes` varchar(256) DEFAULT NULL,
  14. `redirectUrl` varchar(256) DEFAULT NULL,
  15. `authorities` varchar(256) DEFAULT NULL,
  16. `access_token_validity` int(11) DEFAULT NULL,
  17. `refresh_token_validity` int(11) DEFAULT NULL,
  18. `additionalInformation` varchar(4096) DEFAULT NULL,
  19. `autoApproveScopes` varchar(256) DEFAULT NULL,
  20. PRIMARY KEY (`appId`)
  21. ) ENGINE=InnoDB DEFAULT CHARSET=utf8;
  22. #
  23. # Data for table "clientdetails"
  24. #
  25. #
  26. # Structure for table "oauth_access_token"
  27. #
  28. DROP TABLE IF EXISTS `oauth_access_token`;
  29. CREATE TABLE `oauth_access_token` (
  30. `token_id` varchar(256) DEFAULT NULL,
  31. `token` blob,
  32. `authentication_id` varchar(128) NOT NULL,
  33. `user_name` varchar(256) DEFAULT NULL,
  34. `client_id` varchar(256) DEFAULT NULL,
  35. `authentication` blob,
  36. `refresh_token` varchar(256) DEFAULT NULL,
  37. PRIMARY KEY (`authentication_id`)
  38. ) ENGINE=InnoDB DEFAULT CHARSET=utf8;
  39. #
  40. # Data for table "oauth_access_token"
  41. #
  42. #
  43. # Structure for table "oauth_approvals"
  44. #
  45. DROP TABLE IF EXISTS `oauth_approvals`;
  46. CREATE TABLE `oauth_approvals` (
  47. `userId` varchar(256) DEFAULT NULL,
  48. `clientId` varchar(256) DEFAULT NULL,
  49. `scope` varchar(256) DEFAULT NULL,
  50. `status` varchar(10) DEFAULT NULL,
  51. `expiresAt` datetime DEFAULT NULL,
  52. `lastModifiedAt` datetime DEFAULT NULL
  53. ) ENGINE=InnoDB DEFAULT CHARSET=utf8;
  54. #
  55. # Data for table "oauth_approvals"
  56. #
  57. #
  58. # Structure for table "oauth_client_details"
  59. #
  60. DROP TABLE IF EXISTS `oauth_client_details`;
  61. CREATE TABLE `oauth_client_details` (
  62. `client_id` varchar(128) NOT NULL,
  63. `resource_ids` varchar(256) DEFAULT NULL,
  64. `client_secret` varchar(256) DEFAULT NULL,
  65. `scope` varchar(256) DEFAULT NULL,
  66. `authorized_grant_types` varchar(256) DEFAULT NULL,
  67. `web_server_redirect_uri` varchar(256) DEFAULT NULL,
  68. `authorities` varchar(256) DEFAULT NULL,
  69. `access_token_validity` int(11) DEFAULT NULL,
  70. `refresh_token_validity` int(11) DEFAULT NULL,
  71. `additional_information` varchar(4096) DEFAULT NULL,
  72. `autoapprove` varchar(256) DEFAULT NULL,
  73. PRIMARY KEY (`client_id`)
  74. ) ENGINE=InnoDB DEFAULT CHARSET=utf8;
  75. #
  76. # Data for table "oauth_client_details"
  77. #
  78. INSERT INTO `oauth_client_details` VALUES ('client',NULL,'secret','app','authorization_code','http://www.baidu.com',NULL,NULL,NULL,NULL,NULL);
  79. #
  80. # Structure for table "oauth_client_token"
  81. #
  82. DROP TABLE IF EXISTS `oauth_client_token`;
  83. CREATE TABLE `oauth_client_token` (
  84. `token_id` varchar(256) DEFAULT NULL,
  85. `token` blob,
  86. `authentication_id` varchar(128) NOT NULL,
  87. `user_name` varchar(256) DEFAULT NULL,
  88. `client_id` varchar(256) DEFAULT NULL,
  89. PRIMARY KEY (`authentication_id`)
  90. ) ENGINE=InnoDB DEFAULT CHARSET=utf8;
  91. #
  92. # Data for table "oauth_client_token"
  93. #
  94. #
  95. # Structure for table "oauth_code"
  96. #
  97. DROP TABLE IF EXISTS `oauth_code`;
  98. CREATE TABLE `oauth_code` (
  99. `code` varchar(256) DEFAULT NULL,
  100. `authentication` blob
  101. ) ENGINE=InnoDB DEFAULT CHARSET=utf8;
  102. #
  103. # Data for table "oauth_code"
  104. #
  105. #
  106. # Structure for table "oauth_refresh_token"
  107. #
  108. DROP TABLE IF EXISTS `oauth_refresh_token`;
  109. CREATE TABLE `oauth_refresh_token` (
  110. `token_id` varchar(256) DEFAULT NULL,
  111. `token` blob,
  112. `authentication` blob
  113. ) ENGINE=InnoDB DEFAULT CHARSET=utf8;
  114. #
  115. # Data for table "oauth_refresh_token"
  116. #

在oauth_client_details表中添加一条数据

INSERT INTO `oauth_client_details` VALUES ('client',NULL,'secret','app','authorization_code','http://www.baidu.com',NULL,NULL,NULL,NULL,NULL);

启动工程,浏览器访问:

http://localhost:8081/oauth/authorize?client_id=client&response_type=code&redirect_uri=http://www.baidu.com

 

点击Authorize会跳转到百度页面,因为数据库中配置的是百度页面。

 

四、OAuth的思路

           OAuth在"客户端"与"服务提供商"之间,设置了一个授权层(authorization layer)。"客户端"不能直接登录"服务提供商",只能登录授权层,以此将用户与客户端区分开来。"客户端"登录授权层所用的令牌(token),与用户的密码不同。用户可以在登录的时候,指定授权层令牌的权限范围和有效期。

"客户端"登录授权层以后,"服务提供商"根据令牌的权限范围和有效期,向"客户端"开放用户储存的资料。

OAuth 2.0的运行流程:

OAuth运行流程

(A)用户打开客户端以后,客户端要求用户给予授权。

(B)用户同意给予客户端授权。

(C)客户端使用上一步获得的授权,向认证服务器申请令牌。

(D)认证服务器对客户端进行认证以后,确认无误,同意发放令牌。

(E)客户端使用令牌,向资源服务器申请获取资源。

(F)资源服务器确认令牌无误,同意向客户端开放资源。

在上面六个步骤之中,B是关键,即用户怎样才能给于客户端授权。有了这个授权以后,客户端就可以获取令牌,进而凭令牌获取资源。

五、客户端的授权模式

客户端必须得到用户的授权(authorization grant),才能获得令牌(access token)。

OAuth 2.0定义了四种授权方式:

  • 授权码模式(authorization code)
  • 简化模式(implicit)
  • 密码模式(resource owner password credentials)
  • 客户端模式(client credentials)

1、授权码模式

      授权码模式(authorization code)是功能最完整、流程最严密的授权模式。它的特点就是通过客户端的后台服务器,与"服务提供商"的认证服务器进行互动。

授权码模式

步骤如下:

(A)用户访问客户端,后者将前者导向认证服务器。

(B)用户选择是否给予客户端授权。

(C)假设用户给予授权,认证服务器将用户导向客户端事先指定的"重定向URI"(redirection URI),同时附上一个授权码。

(D)客户端收到授权码,附上早先的"重定向URI",向认证服务器申请令牌。这一步是在客户端的后台的服务器上完成的,对用户不可见。

(E)认证服务器核对了授权码和重定向URI,确认无误后,向客户端发送访问令牌(access token)和更新令牌(refresh token)。

2、简化模式

     简化模式(implicit grant type)不通过第三方应用程序的服务器,直接在浏览器中向认证服务器申请令牌,跳过了"授权码"这个步骤,因此得名。所有步骤在浏览器中完成,令牌对访问者是可见的,且客户端不需要认证。

简化模式

步骤如下:

(A)客户端将用户导向认证服务器。

(B)用户决定是否给于客户端授权。

(C)假设用户给予授权,认证服务器将用户导向客户端指定的"重定向URI",并在URI的Hash部分包含了访问令牌。

(D)浏览器向资源服务器发出请求,其中不包括上一步收到的Hash值。

(E)资源服务器返回一个网页,其中包含的代码可以获取Hash值中的令牌。

(F)浏览器执行上一步获得的脚本,提取出令牌。

(G)浏览器将令牌发给客户端。

3、密码模式

     密码模式(Resource Owner Password Credentials Grant)中,用户向客户端提供自己的用户名和密码。客户端使用这些信息,向"服务商提供商"索要授权。

     在这种模式中,用户必须把自己的密码给客户端,但是客户端不得储存密码。这通常用在用户对客户端高度信任的情况下,比如客户端是操作系统的一部分,或者由一个著名公司出品。而认证服务器只有在其他授权模式无法执行的情况下,才能考虑使用这种模式。

密码模式

步骤如下:

(A)用户向客户端提供用户名和密码。

(B)客户端将用户名和密码发给认证服务器,向后者请求令牌。

(C)认证服务器确认无误后,向客户端提供访问令牌。

4、客户端模式

     客户端模式(Client Credentials Grant)指客户端以自己的名义,而不是以用户的名义,向"服务提供商"进行认证。严格地说,客户端模式并不属于OAuth框架所要解决的问题。在这种模式中,用户直接向客户端注册,客户端以自己的名义要求"服务提供商"提供服务,其实不存在授权问题。

客户端模式

步骤如下:

(A)客户端向认证服务器进行身份认证,并要求一个访问令牌。

(B)认证服务器确认无误后,向客户端提供访问令牌。

六、更新令牌

       如果用户访问的时候,客户端的"访问令牌"已经过期,则需要使用"更新令牌"申请一个新的访问令牌。

客户端发出更新令牌的HTTP请求,包含以下参数:

  • granttype:表示使用的授权模式,此处的值固定为"refreshtoken",必选项。
  • refresh_token:表示早前收到的更新令牌,必选项。
  • scope:表示申请的授权范围,不可以超出上一次申请的范围,如果省略该参数,则表示与上一次一致。

源码

码云:https://gitee.com/typ1805/springcloud-master

欢迎关注

 

声明:本文内容由网友自发贡献,不代表【wpsshop博客】立场,版权归原作者所有,本站不承担相应法律责任。如您发现有侵权的内容,请联系我们。转载请注明出处:https://www.wpsshop.cn/w/AllinToyou/article/detail/185316
推荐阅读
相关标签
  

闽ICP备14008679号