html页面授权码,spring boot 2.0 整合 oauth2 authorization code授权码模式

oauth2 authorization code 大致流程

用户打开客户端后,客户端要求用户给予授权。

用户同意给予客户端授权。

客户端使用授权得到的code,向认证服务器申请token令牌。

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

客户端请求资源时携带token令牌,向资源服务器申请获取资源。

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

security oauth2 整合的核心配置类

授权认证服务配置 AuthorizationServerConfiguration

security 配置 SecurityConfiguration

工程结构目录

5e3f732b81f4

image.png

pom.xml

security_oauth2_authorization

0.0.1-SNAPSHOT

jar

security_oauth2_authorization

oauth2 authorization_code 授权模式

org.springframework.boot

spring-boot-starter-parent

2.0.2.RELEASE

UTF-8

UTF-8

1.8

1.0.9.RELEASE

0.9.0

Finchley.RC2

org.springframework.boot

spring-boot-starter-thymeleaf

org.springframework.boot

spring-boot-starter-web

org.springframework.cloud

spring-cloud-starter-oauth2

org.springframework.cloud

spring-cloud-starter-security

org.springframework.security

spring-security-jwt

${security-jwt.version}

org.springframework.boot

spring-boot-starter-freemarker

org.projectlombok

lombok

true

org.springframework.boot

spring-boot-starter-test

test

org.springframework.cloud

spring-cloud-dependencies

${spring-cloud.version}

pom

import

org.springframework.boot

spring-boot-maven-plugin

授权认证服务配置类 AuthorizationServerConfiguration

@Configuration

@EnableAuthorizationServer

public class AuthorizationServerConfiguration extends AuthorizationServerConfigurerAdapter {

@Autowired

private AuthenticationManager authenticationManager;

@Autowired

private MyUserDetailsService userDetailsService;

@Override

public void configure(final AuthorizationServerSecurityConfigurer oauthServer) throws Exception {

oauthServer.tokenKeyAccess("permitAll()").checkTokenAccess("isAuthenticated()");

}

@Override

public void configure(ClientDetailsServiceConfigurer clients) throws Exception {

PasswordEncoder passwordEncoder = PasswordEncoderFactories.createDelegatingPasswordEncoder();

String secret = passwordEncoder.encode("secret");

clients.inMemory() // 使用in-memory存储

.withClient("client") // client_id

.secret(secret) // client_secret

//.autoApprove(true)   //如果为true 则不会跳转到授权页面,而是直接同意授权返回code

.authorizedGrantTypes("authorization_code","refresh_token") // 该client允许的授权类型

.scopes("app"); // 允许的授权范围

}

@Override

public void configure(final AuthorizationServerEndpointsConfigurer endpoints) throws Exception {

endpoints.authenticationManager(authenticationManager).userDetailsService(userDetailsService)

.accessTokenConverter(accessTokenConverter())

.allowedTokenEndpointRequestMethods(HttpMethod.GET, HttpMethod.POST); //支持GET POST 请求获取token;

}

@Bean

public JwtAccessTokenConverter accessTokenConverter() {

JwtAccessTokenConverter converter = new JwtAccessTokenConverter() {

@Override

public OAuth2AccessToken enhance(OAuth2AccessToken accessToken, OAuth2Authentication authentication) {

String userName = authentication.getUserAuthentication().getName();

final Map additionalInformation = new HashMap();

additionalInformation.put("user_name", userName);

((DefaultOAuth2AccessToken) accessToken).setAdditionalInformation(additionalInformation);

OAuth2AccessToken token = super.enhance(accessToken, authentication);

return token;

}

};

//converter.setSigningKey("bcrypt");

KeyPair keyPair = new KeyStoreKeyFactory(new ClassPathResource("kevin_key.jks"), "123456".toCharArray())

.getKeyPair("kevin_key");

converter.setKeyPair(keyPair);

return converter;

}

}

web 安全配置 WebSecurityConfig

@Order(10)

@Configuration

@EnableWebSecurity

@EnableGlobalMethodSecurity(prePostEnabled = true)

public class WebSecurityConfig extends WebSecurityConfigurerAdapter {

@Autowired

private MyUserDetailsService userDetailsFitService;

@Override

@Bean

public AuthenticationManager authenticationManagerBean() throws Exception {

return super.authenticationManagerBean();

}

@Override

protected void configure(HttpSecurity http) throws Exception {

http.csrf().disable()

.authorizeRequests()

.antMatchers("/","/oauth/**","/login","/health", "/css/**").permitAll()

.anyRequest().authenticated()

.and()

.formLogin()

.loginPage("/login")

.permitAll();

}

@Override

protected void configure(AuthenticationManagerBuilder auth) throws Exception {

auth.userDetailsService(userDetailsFitService).passwordEncoder(passwordEncoder());

auth.parentAuthenticationManager(authenticationManagerBean());

}

@Bean

public PasswordEncoder passwordEncoder(){

return PasswordEncoderFactories.createDelegatingPasswordEncoder();

}

}

url 注册配置 MvcConfig

@Configuration

public class MvcConfig implements WebMvcConfigurer {

@Override

public void addViewControllers(ViewControllerRegistry registry) {

registry.addViewController("/login").setViewName("login"); //自定义的登陆页面

registry.addViewController("/oauth/confirm_access").setViewName("oauth_approval"); //自定义的授权页面

}

}

# security 登陆认证 MyUserDetailsService

@Service

public class MyUserDetailsService implements UserDetailsService {

@Override

public UserDetails loadUserByUsername(String name) throws UsernameNotFoundException {

if ("admin".equalsIgnoreCase(name)) {

User user = mockUser();

return user;

}

return null;

}

private User mockUser() {

Collection authorities = new HashSet<>();

authorities.add(new SimpleGrantedAuthority("admin"));

PasswordEncoder passwordEncoder = PasswordEncoderFactories.createDelegatingPasswordEncoder();

String pwd = passwordEncoder.encode("123456");

User user = new User("admin",pwd,authorities);

return user;

}

}

自定义登陆页面 login.html

登陆

username

Password

登陆

自定义授权页面 oauth_approval.html

授权

你是否授权client_id=client访问你的受保护资源?

action="../oauth/authorize" method="post">

Approve

action="../oauth/authorize" method="post">

Deny

application.yml

server:

port: 18084

spring:

application:

name: oauth2-server # 应用名称

thymeleaf:

prefix: classpath:/templates/

logging:

level:

org.springframework.security: DEBUG

1. 访问oauth2 服务

client_id:第三方应用在授权服务器注册的 Id

response_type:固定值 code。

redirect_uri:授权服务器授权重定向哪儿的 URL。

scope:权限

state:随机字符串,可以省略

如果未登陆则出现登录页面,输入用户名:admin 密码:123456 登陆系统

5e3f732b81f4

image.png

2. 成功登陆后自动跳转到授权页面

5e3f732b81f4

image.png

3. 携带授权之后返回的code 获取token

5e3f732b81f4

image.png

这里的账号和密码 是我们注册的 client_id 和 client_secret

5e3f732b81f4

image.png

成功登陆后获取token

5e3f732b81f4

image.png

4.携带toekn 访问资源

demo地址:

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

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

相关文章

Net设计模式实例之代理模式(Proxy Pattern)

一、代理模式简介&#xff08;Brief Introduction&#xff09; 代理模式&#xff08;Proxy Pattern&#xff09;对其他对象提供一种代理以控制对这个对象的访问。 二、解决的问题&#xff08;What To Solve&#xff09; 1、远程代理 远程代理&#xff0c;也就是为了一个对象…

jsonp请求html页面,JavaScript中的JSON和JSONP

简单地使用json并不能支持跨域资源请求&#xff0c;为了解决这个问题&#xff0c;需要采用jsonp数据交互协议。众所周知&#xff0c;js文件的调用不受跨域与否的限制&#xff0c;因此如果想通过纯web端跨域访问数据&#xff0c;只能在远程服务器上设法将json数据封装进js格式的…

html导航栏点击不能跳转,无法单击导航栏中的链接CSS HTML

不确定是否允许您链接您的网站&#xff0c;但是如果允许。 因此&#xff0c;我可以将所有链接悬停在导航栏中&#xff0c;但我无法点击它们&#xff0c;并且S的图片是可移动的&#xff0c;但无法点击&#xff0c;我做错了什么&#xff1f;无法单击导航栏中的链接CSS HTMLNickeb…

JAVA 取得当前目录的路径/Servlet/class/文件路径/web路径/url地址

2019独角兽企业重金招聘Python工程师标准>>> 在写Java程序时不可避免要获取文件的路径...总结一下,遗漏的随时补上 1.可以在servlet的init方法里 String path getServletContext().getRealPath("/"); 这将获取web项目的全路径 例如 :E:\eclipseM9\worksp…

关于细分到字段的权限系统_操作系统中的细分

关于细分到字段的权限系统为什么需要细分&#xff1f; (Why Segmentation is required?) In the Operating System, an important drawback of memory management is the separation of the users view of memory and the actual physical memory. Paging is the scheme which…

mba学什么书_MBA的完整形式是什么?

mba学什么书MBA&#xff1a;工商管理硕士 (MBA: Master of Business Administration) MBA is an abbreviation of a Master of Business Administration. It is a masters degree for post-graduation in business administration. This business masters degree program is a …

bca ac如何联合索引_BCA的完整形式是什么?

bca ac如何联合索引BCA&#xff1a;计算机应用学士学位 (BCA: Bachelor of Computer Applications) BCA is an abbreviation of Bachelor of Computer Applications. It is a three-year undergraduate program in Computer applications. It is considered equivalent to B.Te…

嘿,程序员,你该学点经济学了!

前言&#xff1a; 笔者一直认为&#xff0c;一个好的程序员&#xff0c;不仅仅是代码敲得好&#xff0c;其它方面的知识和能力相同非常重要。特别是随着年龄的增长。非常多人也慢慢的往管理层发展。这个时候沟通与协调能力变得更加重要&#xff0c;而一些策划&#xff0c;推广方…

Linux相关图解随记

01.dns解析过程02.用户访问网站流程03.局域网电脑上网流程04.网站架构图解转载于:https://blog.51cto.com/qinbin/1954149

量子物理 詹班 计算机,(电气系计算机系詹班)量子物理作业答案

西南交大峨眉校区大学物理西南交大峨眉校区《大学物理》(量子物理基础)作业6(电气、计算机、詹班)一 选择题1. 以一定频率的单色光照射在某种金属上&#xff0c;测出其光电流曲线在图中用实线表示&#xff0c;然后保持光的频率不变&#xff0c;增大照射光的强度&#xff0c;测出…

MySQL5.6 新特性之GTID【转】

转自 MySQL5.6 新特性之GTID - jyzhou - 博客园http://www.cnblogs.com/zhoujinyi/p/4717951.html 背景&#xff1a; MySQL5.6在5.5的基础上增加了一些改进&#xff0c;本文章先对其中一个一个比较大的改进"GTID"进行说明。 概念&#xff1a; GTID即全局事务ID&#…

计算机高级工程师职称评定条件,高级工程师职称评定条件是什么

高级工程师职称评定条件是什么&#xff0c;高级工程师职称有什么作用&#xff0c;以下是小编整理的高级工程师职称评定条件相关内容&#xff0c;供您参考。高级工程师评定条件1、本科毕业及以上&#xff0c;获得工程师资格5年以上&#xff0c;可以申报高级工程师。2、博士毕业&…

linux中echo的使用方法

1.echo命令我们经常使用的选项有两个&#xff0c;一个是-n&#xff0c;表示输出之后不换行。另外一个是-e&#xff0c;表示对于转义字符按对应的方式处理&#xff0c;假设不加-e那么对于转义字符会按普通字符处理。 2.echo输出时的转义字符 \b 表示删除前面的空格 \n 表示换行 …

如何让计算机两个用户使用不同步,如何实现两台或多台电脑远程修改文件同步更新?...

说起文件同步工具&#xff0c;现在网上这样的程序很多&#xff0c;微软也为用户提供了一款免费的远程同步软件——Windows Live Sync。该程序提供的文件同步功能允许用户在两台或更多电脑上对指定的文件夹中的文件进行同步更新。小知识&#xff1a;文件的同步更新&#xff0c;就…

本地事物的简介

2019独角兽企业重金招聘Python工程师标准>>> 此章带大家回顾下本地事物的一些内容。标题 2 事物: 有一组操作构成的可靠,独立的工作单元----百度百科 事物的四大特性: A:原子性(Atomicity)事务是数据库的逻辑工作单位&#xff0c;事务中包括的诸操作要么全做&#x…

dbms数据库管理系统_DBMS中的数据库语言

dbms数据库管理系统DBMS数据库语言 (DBMS Database languages ) Database languages are the languages that provide the facility to specify the database schema and to express database queries and updates. They are further divided into four categories but all are…

物联网计算机相关专业吗,物联网工程属于计算机专业吗

励志语录(7qianxun.com)不是,物联网工程本身就是一个专业,属于工学范畴。本专业学生要具有较好的数学和物理基础&#xff0c;掌握物联网的相关理论和应用设计方法&#xff0c;具有较强的计算机技术和电子信息技术的能力。物联网工程专业就业前景怎么样教育装备网、物联网是继计…

Web 通信 之 长连接、长轮询(long polling)

基于HTTP的长连接,是一种通过长轮询方式实现"服务器推"的技术,它弥补了HTTP简单的请求应答模式的不足,极大地增强了程序的实时性和交互性。 一、什么是长连接、长轮询&#xff1f; 用通俗易懂的话来说&#xff0c;就是客户端不停的向服务器发送请求以获取最新的数据信…

计算机如何输入ip地址,电脑如何切换ip地址_怎么让电脑切换ip地址-win7之家

在每台电脑中&#xff0c;系统中的ip协议都会有提供一种统一的ip地址&#xff0c;能够为为互联网上的每一个网络和每一台主机分配一个逻辑地址&#xff0c;从而达到屏蔽物理地址的差异&#xff0c;同时我们也可以对ip地址进行切换&#xff0c;那么电脑如何切换ip地址呢&#xf…

java线程和操作系统线程_操作系统中的线程

java线程和操作系统线程线程数 (Threads) A thread is a unit of CPU utilization, which comprises the following parts that are program counter, register set, stack and a thread ID. Generally, it’s well known that the process is heavy weighted which means they…