第04讲:Security之用户授权

news2025/1/11 1:55:24

一、创建项目

参考:浅试Security

二、实现用户授权

2.1、基于权限进行访问控制

  • hasAuthority方法:如果当前的主体具有指定的权限,则返回true,否则返回false。
  • hasAnyAuthority方法:如果当前的主体有任何提供的权限的话,则返回true,否则返回false。

Tip:如果返回false,则页面提示http状态码为403,表示请求被拒绝

2.1.1、配置资源的访问权限

在SecurityConfig配置类中设置访问资源的权限的逻辑
在这里插入图片描述

package demo.config;

import org.springframework.beans.factory.annotation.Autowired;
import org.springframework.context.annotation.Bean;
import org.springframework.security.config.annotation.authentication.builders.AuthenticationManagerBuilder;
import org.springframework.security.config.annotation.web.builders.HttpSecurity;
import org.springframework.security.config.annotation.web.configuration.EnableWebSecurity;
import org.springframework.security.config.annotation.web.configuration.WebSecurityConfigurerAdapter;
import org.springframework.security.crypto.bcrypt.BCryptPasswordEncoder;
import org.springframework.security.crypto.password.PasswordEncoder;

/**
 * Spring Security配置类
 */
@EnableWebSecurity
public class SecurityConfig extends WebSecurityConfigurerAdapter {
    @Autowired
    private SecurityService securityService;

    @Override
    protected void configure(AuthenticationManagerBuilder auth) throws Exception {
        auth.userDetailsService(securityService).passwordEncoder(passwordEncoder());
    }

    @Override
    protected void configure(HttpSecurity http) throws Exception {
        //配置没有权限访问时跳转的自定义页面
        http.formLogin() //表单登陆
                .loginPage("/login.html") //登录页面设置
                .loginProcessingUrl("/user/login") //登录访问路径
                .defaultSuccessUrl("/test/index") //从login.html页面登录成功之后跳转到该路径
                .permitAll();

        http.authorizeHttpRequests() //授权配置
                //配置/test/insert路径只能是拥有insert权限的用户才能访问
                .antMatchers("/test/insert").hasAnyAuthority("insert")
                .anyRequest() //任何请求
                .authenticated(); //所有请求都拦截

        http.csrf().disable(); //关闭跨站脚本攻击
    }

    /**
     * 将PasswordEncoder注入到ioc容器
     * @return
     */
    @Bean
    public PasswordEncoder passwordEncoder() {
        return new BCryptPasswordEncoder();
    }
}

2.1.2、配置用户被授予的权限

在SecurityService类中添加授权的逻辑(用户被授予的权限)
在这里插入图片描述

package demo.config;

import org.springframework.beans.factory.annotation.Autowired;
import org.springframework.context.annotation.Lazy;
import org.springframework.security.core.GrantedAuthority;
import org.springframework.security.core.authority.AuthorityUtils;
import org.springframework.security.core.userdetails.User;
import org.springframework.security.core.userdetails.UserDetails;
import org.springframework.security.core.userdetails.UserDetailsService;
import org.springframework.security.core.userdetails.UsernameNotFoundException;
import org.springframework.security.crypto.bcrypt.BCryptPasswordEncoder;
import org.springframework.security.crypto.password.PasswordEncoder;
import org.springframework.stereotype.Service;

import java.util.List;

@Service
public class SecurityService implements UserDetailsService {

    @Autowired
    @Lazy
    private  PasswordEncoder encoder;

    @Override
    public UserDetails loadUserByUsername(String username) throws UsernameNotFoundException {
        //根据username,去数据库查该用户的信息
        if("tom".equals(username)){
            //设置的authorityString必须和SecurityConfig中设置的hasAuthority字符串一致
            //当前用户具有insert权限
            List<GrantedAuthority> auths = AuthorityUtils.commaSeparatedStringToAuthorityList("insert");
            return new User("tom", encoder.encode("123"), auths);
        } else {
            throw new UsernameNotFoundException(null);
        }
    }
}

2.2、基于角色进行访问控制

  • hasRole方法:如果用户具有指定角色,则返回true,否则false。
  • hasAnyRole方法:如果用户具有指定的任意角色,则返回true,否则返回false。

tip:如果返回false,则页面提示http状态码为403,表示请求被拒绝

2.2.1、配置可以访问资源的角色

在SecurityConfig配置类中设置访问资源的角色的逻辑
在这里插入图片描述

package demo.config;

import org.springframework.beans.factory.annotation.Autowired;
import org.springframework.context.annotation.Bean;
import org.springframework.security.config.annotation.authentication.builders.AuthenticationManagerBuilder;
import org.springframework.security.config.annotation.web.builders.HttpSecurity;
import org.springframework.security.config.annotation.web.configuration.EnableWebSecurity;
import org.springframework.security.config.annotation.web.configuration.WebSecurityConfigurerAdapter;
import org.springframework.security.crypto.bcrypt.BCryptPasswordEncoder;
import org.springframework.security.crypto.password.PasswordEncoder;

/**
 * Spring Security配置类
 */
@EnableWebSecurity
public class SecurityConfig extends WebSecurityConfigurerAdapter {
    @Autowired
    private SecurityService securityService;

    @Override
    protected void configure(AuthenticationManagerBuilder auth) throws Exception {
        auth.userDetailsService(securityService).passwordEncoder(passwordEncoder());
    }

    @Override
    protected void configure(HttpSecurity http) throws Exception {
        //配置没有权限访问时跳转的自定义页面
        http.formLogin() //表单登陆
                .loginPage("/login.html") //登录页面设置
                .loginProcessingUrl("/user/login") //登录访问路径
                .defaultSuccessUrl("/test/index") //从login.html页面登录成功之后跳转到该路径
                .permitAll();

        http.authorizeHttpRequests() //授权配置
                //配置/test/insert路径只能是拥有insert权限的用户才能访问
                .antMatchers("/test/insert").hasAnyAuthority("insert")
                //配置/test/info路径只能是拥有admin角色的用户才能访问
                .antMatchers("/test/info").hasAnyRole("admin")
                .anyRequest() //任何请求
                .authenticated(); //所有请求都拦截

        http.csrf().disable(); //关闭跨站脚本攻击
    }

    /**
     * 将PasswordEncoder注入到ioc容器
     * @return
     */
    @Bean
    public PasswordEncoder passwordEncoder() {
        return new BCryptPasswordEncoder();
    }
}

2.2.2、配置用户被赋予的角色

在SecurityService类中添加授权的逻辑(用户被授予的角色)
在这里插入图片描述

package demo.config;

import org.springframework.beans.factory.annotation.Autowired;
import org.springframework.context.annotation.Lazy;
import org.springframework.security.core.GrantedAuthority;
import org.springframework.security.core.authority.AuthorityUtils;
import org.springframework.security.core.userdetails.User;
import org.springframework.security.core.userdetails.UserDetails;
import org.springframework.security.core.userdetails.UserDetailsService;
import org.springframework.security.core.userdetails.UsernameNotFoundException;
import org.springframework.security.crypto.bcrypt.BCryptPasswordEncoder;
import org.springframework.security.crypto.password.PasswordEncoder;
import org.springframework.stereotype.Service;

import java.util.List;

@Service
public class SecurityService implements UserDetailsService {

    @Autowired
    @Lazy
    private  PasswordEncoder encoder;

    @Override
    public UserDetails loadUserByUsername(String username) throws UsernameNotFoundException {
        //根据username,去数据库查该用户的信息
        if("tom".equals(username)){
            //设置的authorityString必须和SecurityConfig中设置的hasAuthority字符串一致
            //当前用户具有insert权限,具有admin角色(角色必须加ROLE_的前缀)
            List<GrantedAuthority> auths = AuthorityUtils.commaSeparatedStringToAuthorityList("insert,ROLE_admin");
            return new User("tom", encoder.encode("123"), auths);
        } else {
            throw new UsernameNotFoundException(null);
        }
    }
}

三、源代码

Security用户授权.zip

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

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

相关文章

二叉树的前序-中序-后序遍历

在牛客网刷到了二叉树的遍历&#xff0c;二叉树的遍历分为前序遍历&#xff0c;前序遍历也有先序遍历之称&#xff0c;还有中序遍历&#xff0c;以及后序遍历&#xff0c;这么多种遍历&#xff0c;遍历的方式不一样而已&#xff0c;前序遍历是先遍历根然后左节点然后是右节点&a…

两年前端的2022:24岁、辗转三省、进入阿里

前言 前排声明&#xff1a;文中主人公不是博主&#xff0c;另外本文只是一些朋友在工作、生活上的经历和琐碎&#xff0c;想看技术干货的掘友请止步&#xff0c;不要在本文上浪费你的学习时间~~~ 2022年&#xff0c;也实实在在满24岁了&#xff0c;毕业进入社会两年多&#xff…

我与外企上司的四个职场故事

标题&#xff1a;我与外企上司的四个职场故事 我在目前这家任职的外企从事软件开发工作&#xff0c;已经整整十五年了。本系列文章通过介绍我与自己上司的四个职场小故事&#xff0c;想和大家分享在外企里&#xff0c;一个程序员除了埋头提升自己技术之外&#xff0c;还有哪些…

数据自动录入并生成报表神器怎么玩?

做报表、分析数据、做汇报是许多打工人的日常&#xff0c;每天都要耗费不少的时间用Excel来整理、清洗数据和生成好看的报表。如果这些数据都是手动整理、复制粘贴的话&#xff0c;不仅费时费力&#xff0c;而且很容易出错。 在越来越多企业采用SaaS产品和不同数据应用的今天&…

没有任何销售经验怎么进行销售团队管理?

没有任何销售经验想要进行销售团队管理&#xff0c;并不是一件容易的事情。每一行都有值得研究和学习的地方&#xff0c;需要学习补充的知识点还是比较多的。 参考《销售管理管理成长手册》&#xff0c;本文为您讲解以下管理知识&#xff0c;包括&#xff1a;1、明白销售经理是…

春招升级打怪拿offer,10w+字总结的Java面试题(附答案)够你刷

春招升级打怪拿offer&#xff0c;献上熬夜整理最新“10w字总结的Java面试题&#xff08;附答案&#xff09;”够你刷&#xff01; 其包含的内容模块有&#xff1a;基础、JVM、多线程与高并发、Spring、MyBatis、SpringBoot、MYSQL、SpringCloud、Dubbo、Nginx、MQ、数据结构与算…

libevent实战学习

目录 编译安装libevent libevent 事件对象 事件操作 事件循环 事件处理 libevent 客户端demo libevent 服务端demo libevent 服务端升级demo libevent完整demo 总结 C/CLinux服务器开发/后台架构师【零声教育】-学习视频教程-腾讯课堂 编译安装libevent git上下载h…

十分钟彻底搞懂python异常

异常 目标 异常的概念捕获异常异常的传递抛出异常 01. 异常的概念 程序在运行时&#xff0c;如果 Python 解释器 遇到 到一个错误&#xff0c;会停止程序的执行&#xff0c;并且提示一些错误信息&#xff0c;这就是 异常程序停止执行并且提示错误信息 这个动作&#xff0c;…

真无线耳机哪个品牌音质最好?半入耳式真无线蓝牙耳机推荐

对于社恐的人来说&#xff0c;出门在外都会选择佩戴上耳机&#xff0c;那么这种情况下&#xff0c;一款高品质的耳机真的是必不可少的&#xff0c;选择了一款性能优秀的耳机&#xff0c;不光能够让自己听音乐的过程中有更好的体验感&#xff0c;同时还能舒缓身心&#xff0c;让…

编程常见的问题(三) 线程池

编程常见的问题(三) 线程池 今天&#xff0c;我来讲讲使用线程池需要注意的一些问题。 在程序中&#xff0c;我们会用各种池化技术来缓存创建昂贵的对象&#xff0c;比如线程池、连接池、内存池。一般是预先创建一些对象放入池中&#xff0c;使用的时候直接取出使用&#xff…

[附源码]Node.js计算机毕业设计高校运动会管理系统Express

项目运行 环境配置&#xff1a; Node.js最新版 Vscode Mysql5.7 HBuilderXNavicat11Vue。 项目技术&#xff1a; Express框架 Node.js Vue 等等组成&#xff0c;B/S模式 Vscode管理前后端分离等等。 环境需要 1.运行环境&#xff1a;最好是Nodejs最新版&#xff0c;我…

阿里三面,mmap 没答好!

1、mmap基础概念 mmap 是一种内存映射文件的方法&#xff0c;即将一个文件或者其他对象映射到进程的地址空间&#xff0c;实现文件磁盘地址和进程虚拟地址空间中一段虚拟地址的一一映射关系。 实现这样的映射关系后&#xff0c;进程就可以采用指针的方式读写操作这一段内存&a…

给你30s,如何跟面试官讲清楚跳表

查找 假设有如下这样一个有序链表&#xff1a; 想要查找 24、43、59&#xff0c;按照顺序遍历&#xff0c;分别需要比较的次数为 2、4、6 目前查找的时间复杂度是 O(N)&#xff0c;如何提高查找效率&#xff1f; 很容易想到二分查找&#xff0c;将查找的时间复杂度降到 O(Lo…

MipNeRF:多尺度、抗混叠NeRF

Mip-NeRF: A Multiscale Representation for Anti-Aliasing Neural Radiance Fields ​ ICCV 2021 文章目录Mip-NeRF: A Multiscale Representation for Anti-Aliasing Neural Radiance Fields原始NeRF的问题重点componentsCone TracingIPE-integrated positional encodingPE与…

微服务框架 SpringCloud微服务架构 多级缓存 47 Lua 语法入门 47.2 变量和循环

微服务框架 【SpringCloudRabbitMQDockerRedis搜索分布式&#xff0c;系统详解springcloud微服务技术栈课程|黑马程序员Java微服务】 多级缓存 文章目录微服务框架多级缓存47 Lua 语法入门47.2 变量和循环47.2.1 数据类型47.2.2 变量47.2.3 循环47 Lua 语法入门 47.2 变量和…

人脸识别Face Recognition综述

综述&#xff1a;https://arxiv.org/pdf/2009.13290.pdf 人脸识别整个系统一般由三个关键要素构成&#xff1a;人脸检测&#xff08;face detection&#xff09;、人脸预处理&#xff08;face preprocess&#xff09;&#xff0c;人脸表征&#xff08;face representation&…

EtherCAT设备协议详解一、EtherCAT概述

EtherCAT简介&#xff1a; • 用于控制自动化技术的以太网&#xff08;EtherCAT&#xff09; 是一种基于以太网的现场总线系统 – 由倍福自动化™于2003年发明 – Beckhoff 创建了 EtherCAT 技术集团&#xff08;ETG&#xff09;于2004年推广议定书 –…

DBCO 点击化学:DBCO-PEG-COOH,DBCO-PEG-acid,羧基聚乙二醇环辛炔

一、产品描述&#xff1a; 西安凯新生物科技有限公司供应的&#xff1a;​DBCO-PEG-COOH&#xff0c;末端羧酸在活化剂&#xff08;如EDC或HATU&#xff09;存在下可与伯胺基反应&#xff0c;形成稳定的酰胺键。DBCO 点击化学可以在水性缓冲液中运行&#xff0c;也可以在有机溶…

来啦|深度讲解风控模型中的参数调优

大数据时代的风控体系必有模型部分的参与&#xff0c;用策略贯穿整个风控体系&#xff0c;以数据为驱动&#xff0c;模型一定是标配内容。于是在模型的建设上&#xff0c;如何精细化地输出一套有效的模型&#xff0c;就是在精细化管理上非常重要的一个差异点。不管传统的逻辑回…

MATLAB处理语音信号基本函数、模块

目录 一、sound函数 二、symerr函数用来计算错误码元数目和误码率 三、From Workspace 模块 四、To Workspace模块 一、sound函数 sound函数可以用来播放音频数据&#xff0c;将矩阵变为立体声播放。 二、symerr函数用来计算错误码元数目和误码率 三、From Workspace 模…