我的编程空间,编程开发者的网络收藏夹
学习永远不晚

Spring Security权限控制的接口怎么实现

短信预约 -IT技能 免费直播动态提醒
省份

北京

  • 北京
  • 上海
  • 天津
  • 重庆
  • 河北
  • 山东
  • 辽宁
  • 黑龙江
  • 吉林
  • 甘肃
  • 青海
  • 河南
  • 江苏
  • 湖北
  • 湖南
  • 江西
  • 浙江
  • 广东
  • 云南
  • 福建
  • 海南
  • 山西
  • 四川
  • 陕西
  • 贵州
  • 安徽
  • 广西
  • 内蒙
  • 西藏
  • 新疆
  • 宁夏
  • 兵团
手机号立即预约

请填写图片验证码后获取短信验证码

看不清楚,换张图片

免费获取短信验证码

Spring Security权限控制的接口怎么实现

本篇内容主要讲解“Spring Security权限控制的接口怎么实现”,感兴趣的朋友不妨来看看。本文介绍的方法操作简单快捷,实用性强。下面就让小编来带大家学习“Spring Security权限控制的接口怎么实现”吧!

Introduction

认证过程中会一并获得用户权限,Authentication#getAuthorities接口方法提供权限,认证过后即是鉴权,Spring Security使用GrantedAuthority接口代表权限。早期版本在FilterChain中使用FilterSecurityInterceptor中执行鉴权过程,现使用AuthorizationFilter执行,开始执行顺序两者一致,此外,Filter中具体实现也由 AccessDecisionManager + AccessDecisionVoter 变为 AuthorizationManager

本文关注新版本的实现:AuthorizationFilterAuthorizationManager

AuthorizationManager最常用的实现类为RequestMatcherDelegatingAuthorizationManager,其中会根据你的配置生成一系列RequestMatcherEntry,每个entry中包含一个匹配器RequestMatcher和泛型类被匹配对象。

UML类图结构如下:

Spring Security权限控制的接口怎么实现

另外,对于 method security ,实现方式主要为AOP+Spring EL,常用权限方法注解为:

  • @EnableMethodSecurity

  • @PreAuthorize

  • @PostAuthorize

  • @PreFilter

  • @PostFilter

  • @Secured

这些注解可以用在controller方法上用于权限控制,注解中填写Spring EL表述权限信息。这些注解一起使用时的执行顺序由枚举类AuthorizationInterceptorsOrder控制:

public enum AuthorizationInterceptorsOrder {FIRST(Integer.MIN_VALUE),PRE_FILTER,PRE_AUTHORIZE,SECURED,JSR250,POST_AUTHORIZE,POST_FILTER,LAST(Integer.MAX_VALUE);...}

而这些权限注解的提取和配置主要由org.springframework.security.config.annotation.method.configuration包下的几个配置类完成:

  • PrePostMethodSecurityConfiguration

  • SecuredMethodSecurityConfiguration

权限配置

权限配置可以通过两种方式配置:

  • SecurityFilterChain配置类配置

  • @EnableMethodSecurity 开启方法上注解配置

下面是关于SecurityFilterChain的权限配置,以及method security使用

@Configuration// 其中prepostEnabled默认true,其他注解配置默认false,需手动改为true@EnableMethodSecurity(securedEnabled = true)@RequiredArgsConstructorpublic class SecurityConfig {// 白名单private static final String[] AUTH_WHITELIST = ...     @Bean    public SecurityFilterChain securityFilterChain(HttpSecurity http) throws Exception {    // antMatcher or mvcMatcher        http.authorizeHttpRequests()                .antMatchers(AUTH_WHITELIST).permitAll()                // hasRole中不需要添加 ROLE_前缀                // ant 匹配 /admin /admin/a /admin/a/b 都会匹配上                .antMatchers("/admin    @PreAuthorize("hasRole('ADMIN')")    @GetMapping("/admin")    public ResponseEntity<Map<String, Object>> admin() {        return ResponseEntity.ok(Collections.singletonMap("msg","u r admin"));    }}

源码

配置类权限控制

AuthorizationFilter

public class AuthorizationFilter extends OncePerRequestFilter {// 在配置类中默认实现为 RequestMatcherDelegatingAuthorizationManagerprivate final AuthorizationManager<HttpServletRequest> authorizationManager;@Overrideprotected void doFilterInternal(HttpServletRequest request, HttpServletResponse response, FilterChain filterChain)throws ServletException, IOException {// 委托给AuthorizationManagerAuthorizationDecision decision = this.authorizationManager.check(this::getAuthentication, request);if (decision != null && !decision.isGranted()) {throw new AccessDeniedException("Access Denied");}filterChain.doFilter(request, response);}}

来看看AuthorizationManager默认实现RequestMatcherDelegatingAuthorizationManager

public final class RequestMatcherDelegatingAuthorizationManager implements AuthorizationManager<HttpServletRequest> {// http.authorizeHttpRequests().antMatchers(AUTH_WHITELIST)...// SecurityFilterChain中每配置一项就会增加一个Entry// RequestMatcherEntry包含一个RequestMatcher和一个待鉴权对象,这里是AuthorizationManagerprivate final List<RequestMatcherEntry<AuthorizationManager<RequestAuthorizationContext>>> mappings;...@Overridepublic AuthorizationDecision check(Supplier<Authentication> authentication, HttpServletRequest request) {for (RequestMatcherEntry<AuthorizationManager<RequestAuthorizationContext>> mapping : this.mappings) {RequestMatcher matcher = mapping.getRequestMatcher();MatchResult matchResult = matcher.matcher(request);if (matchResult.isMatch()) {AuthorizationManager<RequestAuthorizationContext> manager = mapping.getEntry();return manager.check(authentication,new RequestAuthorizationContext(request, matchResult.getVariables()));}}return null;}}
方法权限控制

总的实现基于 AOP + Spring EL

以案例中 @PreAuthorize注解的源码为例

PrePostMethodSecurityConfiguration

@Configuration(proxyBeanMethods = false)@Role(BeanDefinition.ROLE_INFRASTRUCTURE)final class PrePostMethodSecurityConfiguration {private final AuthorizationManagerBeforeMethodInterceptor preAuthorizeAuthorizationMethodInterceptor;private final PreAuthorizeAuthorizationManager preAuthorizeAuthorizationManager = new PreAuthorizeAuthorizationManager();private final DefaultMethodSecurityExpressionHandler expressionHandler = new DefaultMethodSecurityExpressionHandler();...@AutowiredPrePostMethodSecurityConfiguration(ApplicationContext context) {// 设置 Spring EL 解析器this.preAuthorizeAuthorizationManager.setExpressionHandler(this.expressionHandler);// 拦截@PreAuthorize方法this.preAuthorizeAuthorizationMethodInterceptor = AuthorizationManagerBeforeMethodInterceptor.preAuthorize(this.preAuthorizeAuthorizationManager);...}...}

AuthorizationManagerBeforeMethodInterceptor

基于AOP实现

public final class AuthorizationManagerBeforeMethodInterceptorimplements Ordered, MethodInterceptor, PointcutAdvisor, AopInfrastructureBean {public static AuthorizationManagerBeforeMethodInterceptor preAuthorize() {// 针对 @PreAuthorize注解提供的AuthorizationManager为PreAuthorizeAuthorizationManagerreturn preAuthorize(new PreAuthorizeAuthorizationManager());}public static AuthorizationManagerBeforeMethodInterceptor preAuthorize(PreAuthorizeAuthorizationManager authorizationManager) {AuthorizationManagerBeforeMethodInterceptor interceptor = new AuthorizationManagerBeforeMethodInterceptor(AuthorizationMethodPointcuts.forAnnotations(PreAuthorize.class), authorizationManager);interceptor.setOrder(AuthorizationInterceptorsOrder.PRE_AUTHORIZE.getOrder());return interceptor;}...// 实现MethodInterceptor方法,在调用实际方法是会首先触发这个@Overridepublic Object invoke(MethodInvocation mi) throws Throwable {// 先鉴权attemptAuthorization(mi);// 后执行实际方法return mi.proceed();}private void attemptAuthorization(MethodInvocation mi) {// 判断, @PreAuthorize方法用的manager就是// PreAuthorizeAuthorizationManager// 是通过上面的static类构造的AuthorizationDecision decision = this.authorizationManager.check(AUTHENTICATION_SUPPLIER, mi);if (decision != null && !decision.isGranted()) {throw new AccessDeniedException("Access Denied");}...}static final Supplier<Authentication> AUTHENTICATION_SUPPLIER = () -> {Authentication authentication = SecurityContextHolder.getContext().getAuthentication();if (authentication == null) {throw new AuthenticationCredentialsNotFoundException("An Authentication object was not found in the SecurityContext");}return authentication;};}

针对@PreAuthorize方法用的manager就是 PreAuthorizeAuthorizationManager#check,下面来看看

PreAuthorizeAuthorizationManager

public final class PreAuthorizeAuthorizationManager implements AuthorizationManager<MethodInvocation> {private final PreAuthorizeExpressionAttributeRegistry registry = new PreAuthorizeExpressionAttributeRegistry();private MethodSecurityExpressionHandler expressionHandler = new DefaultMethodSecurityExpressionHandler();@Overridepublic AuthorizationDecision check(Supplier<Authentication> authentication, MethodInvocation mi) {// 获取方法上@PreAuthorize注解中的Spring EL 表达式属性ExpressionAttribute attribute = this.registry.getAttribute(mi);if (attribute == ExpressionAttribute.NULL_ATTRIBUTE) {return null;}// Spring EL 的 contextEvaluationContext ctx = this.expressionHandler.createEvaluationContext(authentication.get(), mi);// 执行表达式中结果, 会执行SecurityExpressionRoot类中对应方法。涉及Spring EL执行原理,passboolean granted = ExpressionUtils.evaluateAsBoolean(attribute.getExpression(), ctx);// 返回结果return new ExpressionAttributeAuthorizationDecision(granted, attribute);}}

到此,相信大家对“Spring Security权限控制的接口怎么实现”有了更深的了解,不妨来实际操作一番吧!这里是编程网网站,更多相关内容可以进入相关频道进行查询,关注我们,继续学习!

免责声明:

① 本站未注明“稿件来源”的信息均来自网络整理。其文字、图片和音视频稿件的所属权归原作者所有。本站收集整理出于非商业性的教育和科研之目的,并不意味着本站赞同其观点或证实其内容的真实性。仅作为临时的测试数据,供内部测试之用。本站并未授权任何人以任何方式主动获取本站任何信息。

② 本站未注明“稿件来源”的临时测试数据将在测试完成后最终做删除处理。有问题或投稿请发送至: 邮箱/279061341@qq.com QQ/279061341

Spring Security权限控制的接口怎么实现

下载Word文档到电脑,方便收藏和打印~

下载Word文档

猜你喜欢

Spring Security权限控制的接口怎么实现

本篇内容主要讲解“Spring Security权限控制的接口怎么实现”,感兴趣的朋友不妨来看看。本文介绍的方法操作简单快捷,实用性强。下面就让小编来带大家学习“Spring Security权限控制的接口怎么实现”吧!Introducti
2023-07-05

Spring Security中粒度超细的权限控制怎么实现

这篇文章主要讲解了“Spring Security中粒度超细的权限控制怎么实现”,文中的讲解内容简单清晰,易于学习与理解,下面请大家跟着小编的思路慢慢深入,一起来研究和学习“Spring Security中粒度超细的权限控制怎么实现”吧!1
2023-06-19

Spring Security基于注解的接口角色访问控制怎么实现

本文小编为大家详细介绍“Spring Security基于注解的接口角色访问控制怎么实现”,内容详细,步骤清晰,细节处理妥当,希望这篇“Spring Security基于注解的接口角色访问控制怎么实现”文章能帮助大家解决疑惑,下面跟着小编的
2023-06-16

Spring Security怎么实现接口放通

本文小编为大家详细介绍“Spring Security怎么实现接口放通”,内容详细,步骤清晰,细节处理妥当,希望这篇“Spring Security怎么实现接口放通”文章能帮助大家解决疑惑,下面跟着小编的思路慢慢深入,一起来学习新知识吧。1
2023-06-30

Java Spring Boot Security权限管理秘籍:控制谁可以做什么

Java Spring Boot Security权限管理是一项关键任务,它可以控制应用程序中的用户访问权限。本文提供了Spring Boot Security权限管理的秘籍,帮助你轻松实现对用户访问的控制。
Java Spring Boot Security权限管理秘籍:控制谁可以做什么
2024-02-12

Nestjs自定义注解实现接口权限控制详解

这篇文章主要为大家介绍了Nestjs自定义注解实现接口权限控制详解,有需要的朋友可以借鉴参考下,希望能够有所帮助,祝大家多多进步,早日升职加薪
2022-12-08

vue按钮怎么实现权限控制

这篇文章主要讲解了“vue按钮怎么实现权限控制”,文中的讲解内容简单清晰,易于学习与理解,下面请大家跟着小编的思路慢慢深入,一起来研究和学习“vue按钮怎么实现权限控制”吧!一、步骤1.定义buttom权限在state中创建buttomPe
2023-06-22

编程热搜

  • Python 学习之路 - Python
    一、安装Python34Windows在Python官网(https://www.python.org/downloads/)下载安装包并安装。Python的默认安装路径是:C:\Python34配置环境变量:【右键计算机】--》【属性】-
    Python 学习之路 - Python
  • chatgpt的中文全称是什么
    chatgpt的中文全称是生成型预训练变换模型。ChatGPT是什么ChatGPT是美国人工智能研究实验室OpenAI开发的一种全新聊天机器人模型,它能够通过学习和理解人类的语言来进行对话,还能根据聊天的上下文进行互动,并协助人类完成一系列
    chatgpt的中文全称是什么
  • C/C++中extern函数使用详解
  • C/C++可变参数的使用
    可变参数的使用方法远远不止以下几种,不过在C,C++中使用可变参数时要小心,在使用printf()等函数时传入的参数个数一定不能比前面的格式化字符串中的’%’符号个数少,否则会产生访问越界,运气不好的话还会导致程序崩溃
    C/C++可变参数的使用
  • css样式文件该放在哪里
  • php中数组下标必须是连续的吗
  • Python 3 教程
    Python 3 教程 Python 的 3.0 版本,常被称为 Python 3000,或简称 Py3k。相对于 Python 的早期版本,这是一个较大的升级。为了不带入过多的累赘,Python 3.0 在设计的时候没有考虑向下兼容。 Python
    Python 3 教程
  • Python pip包管理
    一、前言    在Python中, 安装第三方模块是通过 setuptools 这个工具完成的。 Python有两个封装了 setuptools的包管理工具: easy_install  和  pip , 目前官方推荐使用 pip。    
    Python pip包管理
  • ubuntu如何重新编译内核
  • 改善Java代码之慎用java动态编译

目录