当前位置:   article > 正文

Java经典框架之Shiro_java shiro

java shiro

Shiro

Java 是第一大编程语言和开发平台。它有助于企业降低成本、缩短开发周期、推动创新以及改善应用服务。如今全球有数百万开发人员运行着超过 51 亿个 Java 虚拟机,Java 仍是企业和开发人员的首选开发平台。
  

课程内容的介绍

1. Shiro简介
2. Shiro的基本应用
3. Shiro高级应用
  
  

一、Shiro简介

Apache Shiro是一个强大且易用的Java安全框架,执行身份验证、授权、密码和会话管理。使用Shiro 的易于理解的API,您可以快速、轻松地获得任何应用程序,从最小的移动应用程序到最大的网络和企业应用程序。
  
1. 框架图说明
  
1.1 从外部查看shiro框架

  
应用代码直接交互的对象是Subject,也就是说Shiro的对外API核心就是Subject。
  

  
1.2 内部结构框架

  

        
1.3 常见单词说明

  
2.Shiro的入门案例
    
2.1 添加相关的依赖
  1. <?xml version="1.0" encoding="UTF-8"?>
  2. <project xmlns="http://maven.apache.org/POM/4.0.0"
  3. xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance"
  4. xsi:schemaLocation="http://maven.apache.org/POM/4.0.0 http://maven.apache.org/xsd/maven-4.0.0.xsd">
  5. <modelVersion>4.0.0</modelVersion>
  6. <groupId>com.bobo</groupId>
  7. <artifactId>ShiroDemo01</artifactId>
  8. <version>1.0-SNAPSHOT</version>
  9. <dependencies>
  10. <dependency>
  11. <groupId>org.apache.shiro</groupId>
  12. <artifactId>shiro-core</artifactId>
  13. <version>1.1.0</version>
  14. </dependency>
  15. <dependency>
  16. <groupId>org.slf4j</groupId>
  17. <artifactId>slf4j-simple</artifactId>
  18. <version>1.6.1</version>
  19. <scope>test</scope>
  20. </dependency>
  21. <dependency>
  22. <groupId>junit</groupId>
  23. <artifactId>junit</artifactId>
  24. <version>4.12</version>
  25. <scope>test</scope>
  26. </dependency>
  27. <dependency>
  28. <groupId>commons-logging</groupId>
  29. <artifactId>commons-logging</artifactId>
  30. <version>1.2</version>
  31. </dependency>
  32. </dependencies>
  33. </project>
   
2.2 创建ini文件
初次使用我们可以将系统的账号信息配置在ini文件中,减少入门的难度。
  1. [users]
  2. root=123456
  3. # 账号是root,密码是123456
     
2.3 测试代码
  1. package com.bobo.shiro.test;
  2. import org.apache.shiro.SecurityUtils;
  3. import org.apache.shiro.authc.AuthenticationToken;
  4. import org.apache.shiro.authc.UsernamePasswordToken;
  5. import org.apache.shiro.config.IniSecurityManagerFactory;
  6. import org.apache.shiro.mgt.SecurityManager;
  7. import org.apache.shiro.subject.Subject;
  8. import org.apache.shiro.util.Factory;
  9. public class Test01 {
  10. /**
  11. * Shiro的入门案例
  12. * 账号密码是定义在ini文件中的
  13. * @param args
  14. */
  15. public static void main(String[] args) {
  16. // 1.获取一个SecurityManager工厂对象
  17. Factory<SecurityManager> factory = new IniSecurityManagerFactory("classpath:shiro.ini");
  18. // 2.通过SecurityManager工厂对象创建SecurityManager对象
  19. SecurityManager securityManager = factory.getInstance();
  20. // 3.将SecurityManager对象添加到当前的运行环境中去
  21. SecurityUtils.setSecurityManager(securityManager);
  22. // 4.获取Subject对象
  23. Subject subject = SecurityUtils.getSubject();
  24. // 5.获取用户提交的要认证的账号密码
  25. String userName = "root";
  26. String password = "1234561";
  27. // 6.将用户提交的账号密码封装为一个Token对象
  28. AuthenticationToken token = new UsernamePasswordToken(userName,password);
  29. // 7.完成认证操作 login
  30. subject.login(token);
  31. // 8.获取认证状态
  32. System.out.println(subject.isAuthenticated());
  33. }
  34. }
  
2.4 测试效果
账号错误,抛UnknownAccountException异常。

  
密码出错,抛IncorrectCredentialsException异常。

  
账号密码都正确会正常执行,基于以上特点我们可以将代码结构修改为如下。
  1. package com.bobo.shiro.test;
  2. import org.apache.shiro.SecurityUtils;
  3. import org.apache.shiro.authc.AuthenticationToken;
  4. import org.apache.shiro.authc.IncorrectCredentialsException;
  5. import org.apache.shiro.authc.UnknownAccountException;
  6. import org.apache.shiro.authc.UsernamePasswordToken;
  7. import org.apache.shiro.config.IniSecurityManagerFactory;
  8. import org.apache.shiro.mgt.SecurityManager;
  9. import org.apache.shiro.subject.Subject;
  10. import org.apache.shiro.util.Factory;
  11. public class Test02 {
  12. /**
  13. * Shiro的入门案例
  14. * 账号密码是定义在ini文件中的
  15. * @param args
  16. */
  17. public static void main(String[] args) {
  18. // 1.获取一个SecurityManager工厂对象
  19. Factory<SecurityManager> factory = new IniSecurityManagerFactory("classpath:shiro.ini");
  20. // 2.通过SecurityManager工厂对象创建SecurityManager对象
  21. SecurityManager securityManager = factory.getInstance();
  22. // 3.将SecurityManager对象添加到当前的运行环境中去
  23. SecurityUtils.setSecurityManager(securityManager);
  24. // 4.获取Subject对象
  25. Subject subject = SecurityUtils.getSubject();
  26. // 5.获取用户提交的要认证的账号密码
  27. String userName = "root1";
  28. String password = "123456";
  29. // 6.将用户提交的账号密码封装为一个Token对象
  30. AuthenticationToken token = new UsernamePasswordToken(userName,password);
  31. // 7.完成认证操作 login
  32. try{
  33. subject.login(token);
  34. System.out.println("登录成功....");
  35. }catch (UnknownAccountException e){
  36. System.out.println("账号错误...");
  37. }catch (IncorrectCredentialsException e){
  38. System.out.println("密码错误...");
  39. }
  40. }
  41. }
  

二、Shiro的基本应用

1.自定义Realm
前面的案例是通过在ini文件中配置账号密码来实现的,显然这种方式并没有太多的通用性,结合实际的开发情况我们来介绍下自定义Realm的实现。
    
1.1 创建Realm
  1. package com.bobo.shiro.realm;
  2. import org.apache.shiro.authc.*;
  3. import org.apache.shiro.authz.AuthorizationInfo;
  4. import org.apache.shiro.realm.AuthorizingRealm;
  5. import org.apache.shiro.subject.PrincipalCollection;
  6. /**
  7. * 自定义的Realm
  8. */
  9. public class MyRealm extends AuthorizingRealm {
  10. /**
  11. * 认证操作
  12. * @param authenticationToken
  13. * @return
  14. * @throws AuthenticationException
  15. */
  16. @Override
  17. protected AuthenticationInfo doGetAuthenticationInfo(AuthenticationToken authenticationToken)
  18. throws AuthenticationException {
  19. UsernamePasswordToken token = (UsernamePasswordToken) authenticationToken;
  20. String userName = token.getUsername();
  21. String password = new String(token.getPassword());
  22. System.out.println("登录的账号密码是:" + userName + " " + password);
  23. // 通过JDBC操作和数据库中的账号密码匹配
  24. if("zhang".equals(userName) ){
  25. // 账号正确 假设查询出的zhang的密码是 123
  26. AuthenticationInfo info =
  27. new SimpleAuthenticationInfo(userName,"123","myrealm");
  28. return info;
  29. }
  30. return null;
  31. }
  32. /**
  33. * 授权操作
  34. * @param principalCollection
  35. * @return
  36. */
  37. @Override
  38. protected AuthorizationInfo doGetAuthorizationInfo(PrincipalCollection principalCollection) {
  39. return null;
  40. }
  41. }
  
1.2 设置自定义Realm
将我们创建的自定义的Realm添加到ini配置文件中。
  1. [main]
  2. # 自定义Realm
  3. customeRealm=com.bobo.shiro.realm.MyRealm
  4. # 将自定义的Realm设置到SecurityManager中
  5. securityManager.realms=$customeRealm
      
1.3 测试代码
测试代码和前面的案例是一样的,不用改变。
  1. package com.bobo.shiro.test;
  2. import org.apache.shiro.SecurityUtils;
  3. import org.apache.shiro.authc.AuthenticationToken;
  4. import org.apache.shiro.authc.IncorrectCredentialsException;
  5. import org.apache.shiro.authc.UnknownAccountException;
  6. import org.apache.shiro.authc.UsernamePasswordToken;
  7. import org.apache.shiro.config.IniSecurityManagerFactory;
  8. import org.apache.shiro.mgt.SecurityManager;
  9. import org.apache.shiro.subject.Subject;
  10. import org.apache.shiro.util.Factory;
  11. public class Test02 {
  12. /**
  13. * Shiro的入门案例
  14. * 账号密码是定义在ini文件中的
  15. * @param args
  16. */
  17. public static void main(String[] args) {
  18. // 1.获取一个SecurityManager工厂对象
  19. Factory<SecurityManager> factory = new IniSecurityManagerFactory("classpath:shiro.ini");
  20. // 2.通过SecurityManager工厂对象创建SecurityManager对象
  21. SecurityManager securityManager = factory.getInstance();
  22. // 3.将SecurityManager对象添加到当前的运行环境中去
  23. SecurityUtils.setSecurityManager(securityManager);
  24. // 4.获取Subject对象
  25. Subject subject = SecurityUtils.getSubject();
  26. // 5.获取用户提交的要认证的账号密码
  27. String userName = "zhang";
  28. String password = "123";
  29. // 6.将用户提交的账号密码封装为一个Token对象
  30. AuthenticationToken token = new UsernamePasswordToken(userName,password);
  31. // 7.完成认证操作 login
  32. try{
  33. subject.login(token);
  34. System.out.println("登录成功....");
  35. }catch (UnknownAccountException e){
  36. System.out.println("账号错误...");
  37. }catch (IncorrectCredentialsException e){
  38. System.out.println("密码错误...");
  39. }
  40. }
  41. }
    
2.认证流程分析
入口是测试代码中的login方法。

    
进入DelegatingSubject的login方法中。
  1. public void login(AuthenticationToken token) throws AuthenticationException {
  2. this.clearRunAsIdentities();
  3. // 进入securityManager的login方法中
  4. Subject subject = this.securityManager.login(this, token);
  5. // 认证完成后的操作....
  6. String host = null;
  7. PrincipalCollection principals;
  8. if (subject instanceof DelegatingSubject) {
  9. DelegatingSubject delegating = (DelegatingSubject)subject;
  10. principals = delegating.principals;
  11. host = delegating.host;
  12. } else {
  13. principals = subject.getPrincipals();
  14. }
  15. if (principals != null && !principals.isEmpty()) {
  16. this.principals = principals;
  17. this.authenticated = true;
  18. if (token instanceof HostAuthenticationToken) {
  19. host = ((HostAuthenticationToken)token).getHost();
  20. }
  21. if (host != null) {
  22. this.host = host;
  23. }
  24. Session session = subject.getSession(false);
  25. if (session != null) {
  26. this.session = this.decorate(session);
  27. this.runAsPrincipals = this.getRunAsPrincipals(this.session);
  28. } else {
  29. this.session = null;
  30. }
  31. ThreadContext.bind(this);
  32. } else {
  33. String msg = "Principals returned from securityManager.login( token ) returned a null or empty value. This value must be non null and populated with one or more elements.";
  34. throw new IllegalStateException(msg);
  35. }
  36. }
  
进入DefaultSecurityManager的login方法中。
  1. public Subject login(Subject subject, AuthenticationToken token) throws AuthenticationException {
  2. AuthenticationInfo info;
  3. try {
  4. // 关键方法 认证方法
  5. info = this.authenticate(token);
  6. } catch (AuthenticationException var7) {
  7. AuthenticationException ae = var7;
  8. try {
  9. this.onFailedLogin(token, ae, subject);
  10. } catch (Exception var6) {
  11. if (log.isInfoEnabled()) {
  12. log.info("onFailedLogin method threw an exception. Logging and propagating original AuthenticationException.", var6);
  13. }
  14. }
  15. throw var7;
  16. }
  17. Subject loggedIn = this.createSubject(token, info, subject);
  18. this.bind(loggedIn);
  19. this.onSuccessfulLogin(token, info, loggedIn);
  20. return loggedIn;
  21. }
     
进入AbstractAuthenticator的authenticate方法中。
  1. public final AuthenticationInfo authenticate(AuthenticationToken token) throws AuthenticationException {
  2. if (token == null) {
  3. throw new IllegalArgumentException("Method argumet (authentication token) cannot be null.");
  4. } else {
  5. log.trace("Authentication attempt received for token [{}]", token);
  6. AuthenticationInfo info;
  7. try {
  8. // 关键代码 完成认证
  9. info = this.doAuthenticate(token);
  10. if (info == null) {
  11. String msg = "No account information found for authentication token [" + token + "] by this " + "Authenticator instance.Please check that it is configured correctly.";
  12. throw new AuthenticationException(msg);
  13. }
  14. } catch (Throwable var8) {
  15. AuthenticationException ae = null;
  16. if (var8 instanceof AuthenticationException) {
  17. ae = (AuthenticationException)var8;
  18. }
  19. if (ae == null) {
  20. String msg = "Authentication failed for token submission [" + token + "]. Possible unexpected " + "error? (Typical or expected login exceptions should extend from AuthenticationException).";
  21. ae = new AuthenticationException(msg, var8);
  22. }
  23. try {
  24. this.notifyFailure(token, ae);
  25. } catch (Throwable var7) {
  26. if (log.isWarnEnabled()) {
  27. String msg = "Unable to send notification for failed authentication attempt - listener error?. Please check your AuthenticationListener implementation(s). Logging sending exception and propagating original AuthenticationException instead...";
  28. log.warn(msg, var7);
  29. }
  30. }
  31. throw ae;
  32. }
  33. log.debug("Authentication successful for token [{}]. Returned account [{}]", token, info);
  34. this.notifySuccess(token, info);
  35. return info;
  36. }
  37. }
     
然后进入ModularRealmAuthenticator里面的doAuthenticate方法中。
  1. protected AuthenticationInfo doAuthenticate(AuthenticationToken authenticationToken) throws AuthenticationException {
  2. this.assertRealmsConfigured();
  3. // 获取到自定义的realm
  4. Collection<Realm> realms = this.getRealms();
  5. // 判断是否进入单域还是多域验证
  6. return realms.size() == 1 ?
  7. this.doSingleRealmAuthentication((Realm)realms.iterator().next(),authenticationToken) : this.doMultiRealmAuthentication(realms,authenticationToken);
  8. }
   
进入doSingleRealmAuthentication方法中。
  1. protected AuthenticationInfo doSingleRealmAuthentication(Realm realm,AuthenticationToken token) {
  2. if (!realm.supports(token)) {
  3. String msg = "Realm [" + realm + "] does not support authentication token [" + token + "]. Please ensure that the appropriate Realm implementation is " + "configured correctly or that the realm accepts AuthenticationTokens of this type.";
  4. throw new UnsupportedTokenException(msg);
  5. } else {
  6. // 具体的验证操作
  7. AuthenticationInfo info = realm.getAuthenticationInfo(token);
  8. if (info == null) {
  9. String msg = "Realm [" + realm + "] was unable to find account data for the " + "submitted AuthenticationToken [" + token + "].";
  10. // 这是我们熟悉的异常,账号错误的异常信息
  11. throw new UnknownAccountException(msg);
  12. } else {
  13. return info;
  14. }
  15. }
  16. }
   
进入AuthenticatingRealm中的getAuthenticationInfo方法中。
  1. public final AuthenticationInfo getAuthenticationInfo(AuthenticationToken token) throws AuthenticationException {
  2. // 其实就是会执行我们自定义的MyRealm中的认证方法
  3. AuthenticationInfo info = this.doGetAuthenticationInfo(token);
  4. if (info == null) {
  5. if (log.isDebugEnabled()) {
  6. String msg = "No authentication information found for submitted authentication token [" + token + "]. " + "Returning null.";
  7. log.debug(msg);
  8. }
  9. return null;
  10. } else {
  11. CredentialsMatcher cm = this.getCredentialsMatcher();
  12. if (cm != null) {
  13. // 密码匹配
  14. if (!cm.doCredentialsMatch(token, info)) {
  15. String msg = "The credentials provided for account [" + token + "] did not match the expected credentials.";
  16. // 密码错误 抛出的异常信息
  17. throw new IncorrectCredentialsException(msg);
  18. } else {
  19. return info;
  20. }
  21. } else {
  22. throw new AuthenticationException("A CredentialsMatcher must be configured in order to verify credentials during authentication. If you do not wish for credentials to be examined, you can configure an " + AllowAllCredentialsMatcher.class.getName() + " instance.");
  23. }
  24. }
  25. }
  
3.加密
加密,是以某种特殊的算法改变原有的信息数据,使得未授权的用户即使获得了已加密的信息,但因不知解密的方法,仍然无法了解信息的内容(123456 --> (123456*1000+1000)+"abc" -->123457000abc)
  
3.1 概念
数据加密的基本过程就是对原来为明文的文件或数据按某种算法进行处理,使其成为不可读的一段代码,通常称为"密文",使其只能在输入相应的密钥之后才能显示出本来内容,通过这样的途径来达到保护数据不被非法人窃取、阅读的目的。该过程的逆过程为解密,即将该编码信息转化为其原来数据的过程。
  
3.2 加密分类
对称加密
双方使用的同一个密钥,既可以加密又可以解密,这种加密方法称为对称加密,也称为单密钥加密。
  
非对称加密
一对密钥由公钥和私钥组成(可以使用很多对密钥)。私钥解密公钥加密数据,公钥解密私钥加密数据(私钥公钥可以互相加密解密)。
  
3.3 加密算法分类
单向加密
单向加密是不可逆的,也就是只能加密,不能解密。通常用来传输类似用户名和密码,直接将加密后的数据提交到后台,因为后台不需要知道用户名和密码,可以直接将收到的加密后的数据存储到数据库。
  
双向加密
通常分为对称性加密算法和非对称性加密算法,对于对称性加密算法,信息接收双方都需事先知道密匙和加解密算法且其密匙是相同的,之后便是对数据进行 加解密了。非对称算法与之不同,发送双方A,B事先均生成一堆密匙,然后A将自己的公有密匙发送给B,B将自己的公有密匙发送给A,如果A要给B发送消 息,则先需要用B的公有密匙进行消息加密,然后发送给B端,此时B端再用自己的私有密匙进行消息解密,B向A发送消息时为同样的道理。
    
3.4 常见算法

    
3.5 MD5加密
MD5应该算是一个应用非常广泛的一种加密方式。是一种单向加密,不可逆的加密算法。
  1. package com.bobo.shiro.md5;
  2. import org.apache.shiro.crypto.hash.Md5Hash;
  3. public class Md5Demo01 {
  4. /**
  5. * MD5算法的使用
  6. * @param args
  7. */
  8. public static void main(String[] args) {
  9. // 单个信息加密
  10. Md5Hash md5Hash = new Md5Hash("123456");
  11. System.out.println(md5Hash);
  12. // 加密添加盐值 增大破解难度
  13. md5Hash = new Md5Hash("123456","123");
  14. System.out.println(md5Hash);
  15. // 加密添加盐值 及增加迭代次数
  16. md5Hash = new Md5Hash("123456","123",1024);
  17. System.out.println(md5Hash);
  18. }
  19. }
  
输出结果
  1. e10adc3949ba59abbe56e057f20f883e
  2. 1e191d851b3b49a248f4ea62f6b06410
  3. b2793335f43645fd8e00c7d18e14e05f
  
盐值的作用
使用MD5存在一个问题,相同的password生成的hash值是相同的,如果两个用户设置了相同的密码,那么数据库中会存储两个相同的值,这是极不安全的,加Salt可以在一定程度上解决这一问题,所谓的加Salt方法,就是加点‘佐料’。其基本想法是这样的,当用户首次提供密码时(通常是注册时)由系统自动往这个密码里撒一些‘佐料’,然后在散列,而当用户登录时,系统为用户提供的代码上撒上相同的‘佐料’,然后散列,再比较散列值,来确定密码是否正确。
  
加盐的原理:
给原文加入随机数生成新的MD5的值。
  
3.6 Shiro中使用MD5
首先我们需要在认证的方法中修改密码相关信息。
  1. package com.bobo.shiro.realm;
  2. import org.apache.shiro.authc.*;
  3. import org.apache.shiro.authz.AuthorizationInfo;
  4. import org.apache.shiro.realm.AuthorizingRealm;
  5. import org.apache.shiro.subject.PrincipalCollection;
  6. import org.apache.shiro.util.SimpleByteSource;
  7. /**
  8. * 自定义的Realm
  9. */
  10. public class MyRealm extends AuthorizingRealm {
  11. /**
  12. * 认证操作
  13. * @param authenticationToken
  14. * @return
  15. * @throws AuthenticationException
  16. */
  17. @Override
  18. protected AuthenticationInfo doGetAuthenticationInfo(AuthenticationToken authenticationToken)
  19. throws AuthenticationException {
  20. UsernamePasswordToken token = (UsernamePasswordToken) authenticationToken;
  21. String userName = token.getUsername();
  22. String password = new String(token.getPassword());
  23. System.out.println("登录的账号密码是:" + userName + " " + password);
  24. // 通过JDBC操作和数据库中的账号密码匹配
  25. if("zhang".equals(userName) ){
  26. // 账号正确 假设查询出的zhang的密码是 123
  27. String pwd = "b2793335f43645fd8e00c7d18e14e05f";
  28. String salt = "123";
  29. AuthenticationInfo info =
  30. new SimpleAuthenticationInfo(userName
  31. ,pwd
  32. ,new SimpleByteSource(salt) // salt
  33. ,"myrealm" // 自定义的 this 名称
  34. );
  35. return info;
  36. }
  37. return null;
  38. }
  39. /**
  40. * 授权操作
  41. * @param principalCollection
  42. * @return
  43. */
  44. @Override
  45. protected AuthorizationInfo doGetAuthorizationInfo(PrincipalCollection principalCollection) {
  46. return null;
  47. }
  48. }
     
修改ini配置文件
  1. [main]
  2. # 定义凭证匹配器
  3. credentialsMathcher=org.apache.shiro.authc.credential.HashedCredentialsMatcher
  4. # 散列的算法
  5. credentialsMathcher.hashAlgorithmName=md5
  6. # 散列迭代的次数
  7. credentialsMathcher.hashIterations=1024
  8. # 自定义Realm
  9. customeRealm=com.bobo.shiro.realm.MyRealm
  10. customeRealm.credentialsMatcher=$credentialsMathcher
  11. # 将自定义的Realm设置到SecurityManager中
  12. securityManager.realms=$customeRealm
  
测试代码没有变化。
  
4.授权
4.1 概念
授权,又称作为访问控制,是对资源的访问管理的过程,即对于认证通过的用户,授予他可以访问某些资源的权限。
  
授权的方式
shiro支持三种方式的授权:
  
代码触发
通过写if/else 授权代码块完成。
  1. Subject subject = SecurityUtils.getSubject();
  2. if(subject.hasRole(“admin”)) {
  3. //有权限
  4. } else {
  5. //无权限
  6. }
  7. 123456
  
注解触发
通过在执行的Java方法上放置相应的注解完成。
  1. @RequiresRoles("admin")
  2. public void hello() {
  3. //有权限
  4. }
  5. 1234
  
标签触发
在JSP/GSP 页面通过相应的标签完成。
  1. <shiro:hasRole name="admin">
  2. <!— 有权限—>
  3. </shiro:hasRole>
  4. 123
  
注意本文先讲代码触发,后面两种情况再后面案例中使用讲解。
  
授权流程图

    
4.2 简单授权的实现
我们需要在ini配置文件中配置相关的用户对应的角色和相关的权限信息。
  1. [users]
  2. root=123456,role1,role2
  3. # 账号是root,密码是123456 具有的角色是 role1,role2
  4. [roles]
  5. # 角色role1具有的权限
  6. role1=user:create,user:update
  7. role2=user:query,user:create
  8. role3=user:delete,user:query
    
然后在测试代码的认证成功后做权限的管理操作。
  1. package com.bobo.shiro.test;
  2. import org.apache.shiro.SecurityUtils;
  3. import org.apache.shiro.authc.AuthenticationToken;
  4. import org.apache.shiro.authc.IncorrectCredentialsException;
  5. import org.apache.shiro.authc.UnknownAccountException;
  6. import org.apache.shiro.authc.UsernamePasswordToken;
  7. import org.apache.shiro.config.IniSecurityManagerFactory;
  8. import org.apache.shiro.mgt.SecurityManager;
  9. import org.apache.shiro.subject.Subject;
  10. import org.apache.shiro.util.Factory;
  11. import java.util.Arrays;
  12. public class Test02 {
  13. /**
  14. * Shiro的入门案例
  15. * 账号密码是定义在ini文件中的
  16. * @param args
  17. */
  18. public static void main(String[] args) {
  19. // 1.获取一个SecurityManager工厂对象
  20. Factory<SecurityManager> factory = new IniSecurityManagerFactory("classpath:shiro.ini");
  21. // 2.通过SecurityManager工厂对象创建SecurityManager对象
  22. SecurityManager securityManager = factory.getInstance();
  23. // 3.将SecurityManager对象添加到当前的运行环境中去
  24. SecurityUtils.setSecurityManager(securityManager);
  25. // 4.获取Subject对象
  26. Subject subject = SecurityUtils.getSubject();
  27. // 5.获取用户提交的要认证的账号密码
  28. String userName = "root";
  29. String password = "123456";
  30. // 6.将用户提交的账号密码封装为一个Token对象
  31. AuthenticationToken token = new UsernamePasswordToken(userName,password);
  32. // 7.完成认证操作 login
  33. try{
  34. subject.login(token);
  35. System.out.println("登录成功....");
  36. // 做角色的验证操作
  37. System.out.println("认证状态:"+subject.isAuthenticated());
  38. System.out.println("是否具有role1角色:"+subject.hasRole("role1"));
  39. System.out.println("是否具有role3角色:"+subject.hasRole("role3"));
  40. boolean[] types = subject.hasRoles(Arrays.asList("role1", "role2", "role3"));
  41. System.out.println(Arrays.toString(types));
  42. System.out.println(subject.getPrincipal()+"是否具有role1和role2两个角色:"
  43. + subject.hasAllRoles(Arrays.asList("role1","role2")));
  44. System.out.println(subject.getPrincipal()+"是否具有role1和role3两个角色:"
  45. + subject.hasAllRoles(Arrays.asList("role1","role3")));
  46. // check开头的方法校验不通过会抛出对应异常
  47. subject.checkRole("role1");
  48. // 做权限的验证
  49. System.out.println(subject.getPrincipal()+"是否具有user:create权限:"+
  50. subject.isPermitted("user:create"));
  51. System.out.println(subject.getPrincipal()+"是否具有user:delete权限:"+
  52. subject.isPermitted("user:delete"));
  53. // check开头的校验方法不通过同样抛出异常信息
  54. subject.checkPermission("user:delete");
  55. }catch (UnknownAccountException e){
  56. System.out.println("账号错误...");
  57. }catch (IncorrectCredentialsException e){
  58. System.out.println("密码错误...");
  59. }
  60. }
  61. }
    
输出的结果信息
  1. 登录成功....
  2. 认证状态:true
  3. 是否具有role1角色:true
  4. 是否具有role3角色:false
  5. [true, true, false]
  6. root是否具有role1和role2两个角色:true
  7. root是否具有role1和role3两个角色:false
  8. root是否具有user:create权限:true
  9. root是否具有user:delete权限:false
  10. Exception in thread "main" org.apache.shiro.authz.UnauthorizedException: Subject does not have permission [user:delete]
  11. at
  12. org.apache.shiro.authz.ModularRealmAuthorizer.checkPermission(ModularRealmAuthorizer.java:321)
  13. at
  14. org.apache.shiro.mgt.AuthorizingSecurityManager.checkPermission(AuthorizingSecurityManager.java:137)
  15. at
  16. org.apache.shiro.subject.support.DelegatingSubject.checkPermission(DelegatingSubject.java:198)
  17. at com.bobo.shiro.test.Test02.main(Test02.java:57)
     
4.3 自定义Realm中实现授权操作
上面的案例我们是将用户的权限配置在ini文件中的,实际开发中用户关联的权限信息会非常的复杂,我们一般都是设置在关系型数据库中,因此我们也要考虑相关的实现,在自定义的Realm中重写AuthorizationInfo方法。
  1. /**
  2. * 授权操作
  3. * 认证成功后会执行的授权方法
  4. * 要注意的是 doGetAuthorizationInfo方法的形参的实际数据是
  5. * 认证方法中返回的 SimpleAuthenticationInfo中的第一个参数
  6. * @param principalCollection
  7. * @return
  8. */
  9. @Override
  10. protected AuthorizationInfo doGetAuthorizationInfo(PrincipalCollection principalCollection) {
  11. // 获取到当前登录的账号
  12. String userName = principalCollection.getPrimaryPrincipal().toString();
  13. System.out.println("当前登录的账号是:" + userName);
  14. // 根据登录的账号去数据库中查询对应的角色和权限信息
  15. SimpleAuthorizationInfo info = new SimpleAuthorizationInfo();
  16. info.addRole("role1");
  17. info.addRole("role2");
  18. info.addStringPermission("user:create");
  19. info.addStringPermission("user:update");
  20. return info;
  21. }
    
配置文件中关联自定义Realm即可。
  1. [main]
  2. # 自定义Realm
  3. customeRealm=com.bobo.shiro.realm.MyRealm
  4. # 将自定义的Realm设置到SecurityManager中
  5. securityManager.realms=$customeRealm
  
测试代码和之前是一样的。
  1. package com.bobo.shiro.test;
  2. import org.apache.shiro.SecurityUtils;
  3. import org.apache.shiro.authc.AuthenticationToken;
  4. import org.apache.shiro.authc.IncorrectCredentialsException;
  5. import org.apache.shiro.authc.UnknownAccountException;
  6. import org.apache.shiro.authc.UsernamePasswordToken;
  7. import org.apache.shiro.config.IniSecurityManagerFactory;
  8. import org.apache.shiro.mgt.SecurityManager;
  9. import org.apache.shiro.subject.Subject;
  10. import org.apache.shiro.util.Factory;
  11. import java.util.Arrays;
  12. public class Test02 {
  13. /**
  14. * Shiro的入门案例
  15. * 账号密码是定义在ini文件中的
  16. * @param args
  17. */
  18. public static void main(String[] args) {
  19. // 1.获取一个SecurityManager工厂对象
  20. Factory<SecurityManager> factory = new IniSecurityManagerFactory("classpath:shiro.ini");
  21. // 2.通过SecurityManager工厂对象创建SecurityManager对象
  22. SecurityManager securityManager = factory.getInstance();
  23. // 3.将SecurityManager对象添加到当前的运行环境中去
  24. SecurityUtils.setSecurityManager(securityManager);
  25. // 4.获取Subject对象
  26. Subject subject = SecurityUtils.getSubject();
  27. // 5.获取用户提交的要认证的账号密码
  28. String userName = "zhang";
  29. String password = "123";
  30. // 6.将用户提交的账号密码封装为一个Token对象
  31. AuthenticationToken token = new UsernamePasswordToken(userName,password);
  32. // 7.完成认证操作 login
  33. try{
  34. subject.login(token);
  35. System.out.println("登录成功....");
  36. // 做角色的验证操作
  37. System.out.println("认证状态:"+subject.isAuthenticated());
  38. System.out.println("是否具有role1角色:"+subject.hasRole("role1"));
  39. System.out.println("是否具有role3角色:"+subject.hasRole("role3"));
  40. boolean[] types = subject.hasRoles(Arrays.asList("role1", "role2", "role3"));
  41. System.out.println(Arrays.toString(types));
  42. System.out.println(subject.getPrincipal()+"是否具有role1和role2两个角色:"
  43. + subject.hasAllRoles(Arrays.asList("role1","role2")));
  44. System.out.println(subject.getPrincipal()+"是否具有role1和role3两个角色:"
  45. + subject.hasAllRoles(Arrays.asList("role1","role3")));
  46. // check开头的方法校验不通过会抛出对应异常
  47. subject.checkRole("role1");
  48. // 做权限的验证
  49. System.out.println(subject.getPrincipal()+"是否具有user:create权限:"+
  50. subject.isPermitted("user:create"));
  51. System.out.println(subject.getPrincipal()+"是否具有user:delete权限:"+
  52. subject.isPermitted("user:delete"));
  53. // check开头的校验方法不通过同样抛出异常信息
  54. subject.checkPermission("user:delete");
  55. }catch (UnknownAccountException e){
  56. System.out.println("账号错误...");
  57. }catch (IncorrectCredentialsException e){
  58. System.out.println("密码错误...");
  59. }
  60. }
  61. }
     
效果
  1. 登录的账号密码是:zhang 123
  2. 登录成功....
  3. 认证状态:true
  4. 当前登录的账号是:zhang
  5. 是否具有role1角色:true
  6. 当前登录的账号是:zhang
  7. 是否具有role3角色:false
  8. 当前登录的账号是:zhang
  9. 当前登录的账号是:zhang
  10. 当前登录的账号是:zhang
  11. [true, true, false]
  12. 当前登录的账号是:zhang
  13. 当前登录的账号是:zhang
  14. zhang是否具有role1和role2两个角色:true
  15. 当前登录的账号是:zhang
  16. 当前登录的账号是:zhang
  17. zhang是否具有role1和role3两个角色:false
  18. 当前登录的账号是:zhang
  19. 当前登录的账号是:zhang
  20. zhang是否具有user:create权限:true
  21. 当前登录的账号是:zhang
  22. zhang是否具有user:delete权限:false
  23. 当前登录的账号是:zhang
  24. Exception in thread "main" org.apache.shiro.authz.UnauthorizedException: Subject does not have permission [user:delete]
  25. at
  26. org.apache.shiro.authz.ModularRealmAuthorizer.checkPermission(ModularRealmAuthorizer.java:321)
  27. at
  28. org.apache.shiro.mgt.AuthorizingSecurityManager.checkPermission(AuthorizingSecurityManager.java:137)
  29. at
  30. org.apache.shiro.subject.support.DelegatingSubject.checkPermission(DelegatingSubject.java:198)
  31. at com.bobo.shiro.test.Test02.main(Test02.java:58)
  

三、Shiro的高级应用

基于前面所学的内容我们搭建的项目结构是SSM(SpringMVC+Spring+MyBatis)来实现的,所以Shiro的常见的一种使用方式就是在SSM环境做权限管理,所以首先我们需要搭建一个SSM框架项目。
  1. CREATE TABLE `t_user_new` (
  2. `id` int NOT NULL AUTO_INCREMENT,
  3. `username` varchar(30) NOT NULL,
  4. `password` varchar(100) DEFAULT NULL,
  5. `salt` varchar(100) DEFAULT NULL,
  6. PRIMARY KEY (`id`)
  7. ) ENGINE=InnoDB DEFAULT CHARSET=utf8mb4 COLLATE=utf8mb4_0900_ai_ci
  
准备好一个SSM项目。
       
1.SSM项目整合Shiro
1.1 添加相关的依赖
  1. <!-- shiro相关的依赖 -->
  2. <dependency>
  3. <groupId>org.apache.shiro</groupId>
  4. <artifactId>shiro-spring</artifactId>
  5. <version>1.5.3</version>
  6. </dependency>
  
1.2 在web.xml中配置
我们需要在web.xml文件中配置Shiro的过滤器。
  1. <!DOCTYPE web-app PUBLIC
  2. "-//Sun Microsystems, Inc.//DTD Web Application 2.3//EN"
  3. "http://java.sun.com/dtd/web-app_2_3.dtd" >
  4. <web-app version="2.5"
  5. xmlns="http://java.sun.com/xml/ns/javaee"
  6. xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance"
  7. xsi:schemaLocation="http://java.sun.com/xml/ns/javaee
  8. http://java.sun.com/xml/ns/javaee/web-app_2_5.xsd">
  9. <display-name>Archetype Created Web Application</display-name>
  10. <!-- 配置Spring -->
  11. <context-param>
  12. <param-name>contextConfigLocation</param-name>
  13. <param-value>classpath:applicationContext-*.xml</param-value>
  14. </context-param>
  15. <listener>
  16. <listener-class>org.springframework.web.context.ContextLoaderListener</listener-class>
  17. </listener>
  18. <!-- 配置Servlet的前端控制器 -->
  19. <servlet>
  20. <servlet-name>springmvc</servlet-name>
  21. <servlet-class>org.springframework.web.servlet.DispatcherServlet</servlet-class>
  22. <!-- 关联自定义的Spring MVC的配置文件 -->
  23. <init-param>
  24. <param-name>contextConfigLocation</param-name>
  25. <param-value>classpath:spring-mvc.xml</param-value>
  26. </init-param>
  27. </servlet>
  28. <servlet-mapping>
  29. <servlet-name>springmvc</servlet-name>
  30. <!-- 支持Restful风格编程 -->
  31. <url-pattern>/</url-pattern>
  32. </servlet-mapping>
  33. <!-- 配置字符编码的过滤器 -->
  34. <!-- 配置设置编码的过滤器 -->
  35. <filter>
  36. <filter-name>encodingFilter</filter-name>
  37. <filter-class>org.springframework.web.filter.CharacterEncodingFilter</filter-class>
  38. <init-param>
  39. <param-name>encoding</param-name>
  40. <param-value>UTF-8</param-value>
  41. </init-param>
  42. <init-param>
  43. <param-name>forceRequestEncoding</param-name>
  44. <param-value>true</param-value>
  45. </init-param>
  46. <init-param>
  47. <param-name>forceResponseEncoding</param-name>
  48. <param-value>true</param-value>
  49. </init-param>
  50. </filter>
  51. <filter-mapping>
  52. <filter-name>encodingFilter</filter-name>
  53. <url-pattern>/*</url-pattern>
  54. </filter-mapping>
  55. <!-- default 防止静态资源拦截 -->
  56. <servlet-mapping>
  57. <servlet-name>default</servlet-name>
  58. <url-pattern>*.html</url-pattern>
  59. </servlet-mapping>
  60. <servlet-mapping>
  61. <servlet-name>default</servlet-name>
  62. <url-pattern>*.css</url-pattern>
  63. </servlet-mapping>
  64. <servlet-mapping>
  65. <servlet-name>default</servlet-name>
  66. <url-pattern>*.js</url-pattern>
  67. </servlet-mapping>
  68. <servlet-mapping>
  69. <servlet-name>default</servlet-name>
  70. <url-pattern>*.jpg</url-pattern>
  71. </servlet-mapping>
  72. <servlet-mapping>
  73. <servlet-name>default</servlet-name>
  74. <url-pattern>*.png</url-pattern>
  75. </servlet-mapping>
  76. <!-- 注册一个Shiro的过滤器 -->
  77. <filter>
  78. <filter-name>shiroFilter</filter-name>
  79. <filter-class>org.springframework.web.filter.DelegatingFilterProxy</filter-class>
  80. <!-- 设置Filter的声明周期和Servlet容器绑定 -->
  81. <init-param>
  82. <param-name>targetFilterLifecycle</param-name>
  83. <param-value>true</param-value>
  84. </init-param>
  85. <!-- 设置Spring容器Filter的bean id -->
  86. <init-param>
  87. <param-name>targetBeanName</param-name>
  88. <param-value>shiro</param-value>
  89. </init-param>
  90. </filter>
  91. <filter-mapping>
  92. <filter-name>shiroFilter</filter-name>
  93. <url-pattern>/*</url-pattern>
  94. </filter-mapping>
  95. </web-app>
  
1.3 添加shiro配置文件
我们也需要将Shiro中的相关对象添加到Spring容器中,我们可以直接在Spring的配置文件中设置,也可以专门为Shiro添加一个Spring 配置文件,为了更加直观,我们单独添加一个配置文件。
  1. <?xml version="1.0" encoding="UTF-8"?>
  2. <beans xmlns="http://www.springframework.org/schema/beans"
  3. xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance"
  4. xmlns:context="http://www.springframework.org/schema/context"
  5. xsi:schemaLocation="http://www.springframework.org/schema/beans
  6. http://www.springframework.org/schema/beans/spring-beans.xsd
  7. http://www.springframework.org/schema/context
  8. http://www.springframework.org/schema/context/spring-context.xsd">
  9. <!-- 定义凭证匹配器 -->
  10. <bean class="org.apache.shiro.authc.credential.HashedCredentialsMatcher" id="credentialsMatcher">
  11. <!-- 配置加密算法 -->
  12. <property name="hashAlgorithmName" value="md5" />
  13. <!-- 配置迭代的次数-->
  14. <property name="hashIterations" value="1024" />
  15. </bean>
  16. <!-- 配置自定义Realm -->
  17. <bean class="com.bobo.realm.MyRealm" id="myRealm" >
  18. <!-- 配置Realm对应的凭证匹配器 -->
  19. <property name="credentialsMatcher" ref="credentialsMatcher" />
  20. </bean>
  21. <!-- 配置SecurityManager -->
  22. <bean class="org.apache.shiro.web.mgt.DefaultWebSecurityManager" id="securityManager" >
  23. <!-- 关联自定义Realm -->
  24. <property name="realm" ref="myRealm" />
  25. </bean>
  26. <!-- 注册一个ShiroFilterFactoryBean对象 注意id必须和web.xml文件中注册的targetBeanName要一致-->
  27. <bean class="org.apache.shiro.spring.web.ShiroFilterFactoryBean" id="shiro">
  28. <!-- 注册SecurityManager对象 -->
  29. <property name="securityManager" ref="securityManager" />
  30. <!-- 注册登录地址 -->
  31. <property name="loginUrl" value="/login.do" />
  32. <!-- 登录成功的跳转地址 -->
  33. <property name="successUrl" value="/success.jsp" />
  34. <!-- 设置过滤器链 -->
  35. <property name="filterChainDefinitions">
  36. <value>
  37. /login.do=authc
  38. /**=anon
  39. </value>
  40. </property>
  41. </bean>
  42. </beans>
  
1.4 完善认证的代码
完善自定义Realm中的认证流程。
  1. package com.bobo.realm;
  2. import com.bobo.pojo.User;
  3. import com.bobo.service.IUserService;
  4. import org.apache.shiro.authc.*;
  5. import org.apache.shiro.authz.AuthorizationInfo;
  6. import org.apache.shiro.authz.SimpleAuthorizationInfo;
  7. import org.apache.shiro.realm.AuthorizingRealm;
  8. import org.apache.shiro.subject.PrincipalCollection;
  9. import org.apache.shiro.util.SimpleByteSource;
  10. import org.springframework.beans.factory.annotation.Autowired;
  11. public class MyRealm extends AuthorizingRealm {
  12. @Autowired
  13. private IUserService userService;
  14. /***
  15. * 认证方法
  16. * @param authenticationToken
  17. * @return
  18. * @throws AuthenticationException
  19. */
  20. @Override
  21. protected AuthenticationInfo doGetAuthenticationInfo(AuthenticationToken authenticationToken) throws AuthenticationException {
  22. UsernamePasswordToken token = (UsernamePasswordToken) authenticationToken;
  23. User user = userService.login(token.getUsername());
  24. if(user == null){
  25. return null;
  26. }
  27. return new SimpleAuthenticationInfo(user
  28. ,user.getPassword()
  29. ,new SimpleByteSource(user.getSalt())
  30. ,"myRealm"
  31. );
  32. }
  33. /**
  34. * 授权方法
  35. * @param principalCollection
  36. * @return
  37. */
  38. @Override
  39. protected AuthorizationInfo doGetAuthorizationInfo(PrincipalCollection principalCollection) {
  40. User user = (User) principalCollection.getPrimaryPrincipal();
  41. System.out.println("--->" + user.getUsername());
  42. SimpleAuthorizationInfo info = new SimpleAuthorizationInfo();
  43. info.addRole("admin");
  44. info.addRole("root");
  45. return info;
  46. }
  47. }
  
1.5 完善Controller功能
  1. package com.bobo.controller;
  2. import com.bobo.pojo.User;
  3. import com.bobo.service.IUserService;
  4. import org.apache.shiro.web.filter.authc.FormAuthenticationFilter;
  5. import org.springframework.beans.factory.annotation.Autowired;
  6. import org.springframework.stereotype.Controller;
  7. import org.springframework.ui.Model;
  8. import org.springframework.web.bind.annotation.GetMapping;
  9. import org.springframework.web.bind.annotation.RequestMapping;
  10. import org.springframework.web.bind.annotation.ResponseBody;
  11. import org.springframework.web.bind.annotation.RestController;
  12. import javax.servlet.http.HttpServletRequest;
  13. import java.util.List;
  14. @Controller
  15. public class UserController {
  16. @Autowired
  17. private IUserService service;
  18. @GetMapping("/user/query")
  19. @ResponseBody
  20. public String query(){
  21. return service.query(new User()).toString();
  22. }
  23. /**
  24. * 本方法是Realm认证失败后会进入的方法
  25. * @param model
  26. * @param request
  27. * @return
  28. */
  29. @RequestMapping("/login.do")
  30. public String login(Model model, HttpServletRequest request){
  31. // 当认证失败的时候会将失败信息保存的request对应的属性中
  32. Object obj = request.getAttribute(FormAuthenticationFilter.DEFAULT_ERROR_KEY_ATTRIBUTE_NAME);
  33. System.out.println("错误信息:" + obj);
  34. return "/login.jsp";
  35. }
  36. }
  
1.6 登录页面
  1. <%--
  2. Created by IntelliJ IDEA.
  3. User: dpb
  4. Date: 2021/2/19
  5. Time: 20:31
  6. To change this template use File | Settings | File Templates.
  7. --%>
  8. <%@ page contentType="text/html;charset=UTF-8" language="java" %>
  9. <html>
  10. <head>
  11. <title>Title</title>
  12. </head>
  13. <body>
  14. <form action="login.do" method="post">
  15. 账号:<input type="text" name="username" ><br/>
  16. 密码:<input type="password" name="password"><br/>
  17. <input type="submit" value="提交">
  18. </form>
  19. </body>
  20. </html>
  
1.7 测试
账号错误

  
密码错误

  
账号密码都正确就可以正常访问了。

  
认证操作成功后就不会在去做认证操作了。同一个会话只会认证一次,如果要退出,需要显示的注销或者关闭浏览器。
  
1.8 注销功能
  1. @RequestMapping("/logout.do")
  2. public void logout(){
  3. SecurityUtils.getSubject().logout();
  4. }
  
2. Shiro的认证流程
在SSM框架中Spring整合了Shiro,那么具体的实现流程是怎么样的?首先注意配置文件中我们有配置过滤器链。

  

  
内置过滤器

  
Shiro整合Spring的认证流程图

  
3.授权管理
使用注解的方式使用权限,那么我们需要AOP的支持。
  1. <dependency>
  2. <groupId>org.springframework</groupId>
  3. <artifactId>spring-aspects</artifactId>
  4. <version>${spring.version}</version>
  5. </dependency>
  
在SpringMVC的配置文件中添加Shiro的注解支持。
  1. <?xml version="1.0" encoding="UTF-8"?>
  2. <beans xmlns="http://www.springframework.org/schema/beans"
  3. xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance"
  4. xmlns:context="http://www.springframework.org/schema/context"
  5. xmlns:mvc="http://www.springframework.org/schema/mvc"
  6. xmlns:aop="http://www.springframework.org/schema/aop"
  7. xsi:schemaLocation="http://www.springframework.org/schema/beans
  8. http://www.springframework.org/schema/beans/spring-beans.xsd
  9. http://www.springframework.org/schema/context
  10. http://www.springframework.org/schema/context/spring-context.xsd
  11. http://www.springframework.org/schema/mvc
  12. http://www.springframework.org/schema/mvc/spring-mvc.xsd
  13. http://www.springframework.org/schema/aop
  14. http://www.springframework.org/schema/aop/spring-aop.xsd
  15. ">
  16. <!-- 配置扫描路径 -->
  17. <context:component-scan base-package="com.bobo.controller" use-default-filters="false" >
  18. <context:include-filter type="annotation" expression="org.springframework.stereotype.Controller"/>
  19. </context:component-scan>
  20. <!-- 开启注解 -->
  21. <mvc:annotation-driven ></mvc:annotation-driven>
  22. <!-- 开启Shiro的注解 -->
  23. <aop:config proxy-target-class="true" />
  24. <bean class="org.apache.shiro.spring.security.interceptor.AuthorizationAttributeSourceAdvisor" >
  25. <property name="securityManager" ref="securityManager" />
  26. </bean>
  27. </beans>
  
给登录成功的用户授权。
  1. /**
  2. * 授权方法
  3. * @param principalCollection
  4. * @return
  5. */
  6. @Override
  7. protected AuthorizationInfo doGetAuthorizationInfo(PrincipalCollection principalCollection) {
  8. User user = (User) principalCollection.getPrimaryPrincipal();
  9. System.out.println("--->" + user.getUsername());
  10. SimpleAuthorizationInfo info = new SimpleAuthorizationInfo();
  11. info.addRole("admin");
  12. info.addRole("root");
  13. return info;
  14. }
  
3.1 注解方式的使用
我们在需要对用户请求权限进行校验的方法头部添加对应的注解即可。
  1. package com.bobo.controller;
  2. import org.apache.shiro.authz.annotation.Logical;
  3. import org.apache.shiro.authz.annotation.RequiresRoles;
  4. import org.springframework.web.bind.annotation.GetMapping;
  5. import org.springframework.web.bind.annotation.RequestMapping;
  6. import org.springframework.web.bind.annotation.RestController;
  7. @RestController
  8. @RequestMapping("/order")
  9. public class OrderController {
  10. @RequiresRoles(value = {"admin"},logical = Logical.AND)
  11. @GetMapping("/query")
  12. public String query(){
  13. return "query ... ";
  14. }
  15. @RequiresRoles(value = {"root","root1"},logical = Logical.AND)
  16. @GetMapping("/add")
  17. public String add(){
  18. return "add ... ";
  19. }
  20. @RequiresRoles(value = {"root","root1"},logical = Logical.OR)
  21. @GetMapping("/update")
  22. public String update(){
  23. return "update ... ";
  24. }
  25. @GetMapping("/delete")
  26. public String delete(){
  27. return "delete ... ";
  28. }
  29. }
  
没有访问权限的请求http://localhost:8082/order/add提交后会提示没有权限的错误。
  

      
3.2 自定义未授权页面
当用户提交的请求没有权限的时候,系统默认的提示是500错误,这种效果体验肯定是不好的,这时我们可以自定义一个用户容易接受的错误页面,具体步骤如下。
  1. <%--
  2. Created by IntelliJ IDEA.
  3. User: dpb
  4. Date: 2021/2/21
  5. Time: 14:06
  6. To change this template use File | Settings | File Templates.
  7. --%>
  8. <%@ page contentType="text/html;charset=UTF-8" language="java" %>
  9. <html>
  10. <head>
  11. <title>Title</title>
  12. </head>
  13. <body>
  14. <h3>您没有访问当前请求的权限!请联系系统管理员:xxxxxxxxx</h3>
  15. </body>q
  16. </html>
     
在SpringMVC的配置文件中配置异常映射信息。
  1. <?xml version="1.0" encoding="UTF-8"?>
  2. <beans xmlns="http://www.springframework.org/schema/beans"
  3. xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance"
  4. xmlns:context="http://www.springframework.org/schema/context"
  5. xmlns:mvc="http://www.springframework.org/schema/mvc"
  6. xmlns:aop="http://www.springframework.org/schema/aop"
  7. xsi:schemaLocation="http://www.springframework.org/schema/beans
  8. http://www.springframework.org/schema/beans/spring-beans.xsd
  9. http://www.springframework.org/schema/context
  10. http://www.springframework.org/schema/context/spring-context.xsd
  11. http://www.springframework.org/schema/mvc
  12. http://www.springframework.org/schema/mvc/spring-mvc.xsd
  13. http://www.springframework.org/schema/aop
  14. http://www.springframework.org/schema/aop/spring-aop.xsd
  15. ">
  16. <!-- 配置扫描路径 -->
  17. <context:component-scan base-package="com.bobo.controller" use-default-filters="false" >
  18. <context:include-filter type="annotation" expression="org.springframework.stereotype.Controller"/>
  19. </context:component-scan>
  20. <!-- 开启注解 -->
  21. <mvc:annotation-driven ></mvc:annotation-driven>
  22. <!-- 开启Shiro的注解 -->
  23. <aop:config proxy-target-class="true" />
  24. <bean class="org.apache.shiro.spring.security.interceptor.AuthorizationAttributeSourceAdvisor" >
  25. <property name="securityManager" ref="securityManager" />
  26. </bean>
  27. <!-- 配置SpringMVC的全局异常处理器 -->
  28. <bean class="org.springframework.web.servlet.handler.SimpleMappingExceptionResolver">
  29. <property name="exceptionMappings">
  30. <props>
  31. <prop key="org.apache.shiro.authz.UnauthorizedException">redirect:/unauthorized.jsp</prop>
  32. </props>
  33. </property>
  34. </bean>
  35. </beans>
  
然后访问测试即可

  
3.3 Shiro标签使用
首先我们需要引入Shiro的标签库。
<%@taglib prefix="shiro" uri="http://shiro.apache.org/tags" %>
    
然后就是标签的使用
  1. <%--
  2. Created by IntelliJ IDEA.
  3. User: dpb
  4. Date: 2021/2/21
  5. Time: 14:16
  6. To change this template use File | Settings | File Templates.
  7. --%>
  8. <%@ page contentType="text/html;charset=UTF-8" language="java" %>
  9. <%@taglib prefix="shiro" uri="http://shiro.apache.org/tags" %>
  10. <html>
  11. <head>
  12. <title>Title</title>
  13. </head>
  14. <body>
  15. <h1>用户管理</h1>
  16. <shiro:authenticated>
  17. <label>
  18. 用户已登录:<shiro:principal property="username"/>
  19. </label>
  20. </shiro:authenticated>
  21. <br>
  22. <shiro:hasRole name="root">
  23. <a href="#">查询用户</a><br>
  24. </shiro:hasRole>
  25. <shiro:hasRole name="admin">
  26. <a href="#">添加用户</a><br>
  27. </shiro:hasRole>
  28. <shiro:hasRole name="root1">
  29. <a href="#">更新用户</a><br>
  30. </shiro:hasRole>
  31. <shiro:hasAnyRoles name="root1,admin">
  32. <a href="#">删除用户</a><br>
  33. </shiro:hasAnyRoles>
  34. </body>
  35. </html>
  
测试

  
3.4 shiro标签说明
shiro:authenticated
表示已认证通过。
  1. <shiro:authenticated>
  2. <label>用户身份验证已通过 </label>
  3. </shiro:authenticated>
  4. 123
  
说明:只有已通过用户认证,但不是通过记住我(remember me)浏览才会看到标签内的内容。
  
shiro:guest
  1. <shiro:guest>
  2. <label>您当前是游客,</label><a href="/login.jsp" >请登录</a>
  3. </shiro:guest>
  4. 123
  
说明:只有是没有登录过,以游客的身份浏览才会看到标签内的内容。
  
shiro:hashRole
表示拥有某一角色。
  1. <shiro:hasRole name="admin">
  2. <label>这个用户拥有的角色是admin</label>
  3. </shiro:hasRole>
  4. 123
  
说明:只有成功登录后,且具有admin角色的用户才可以看到标签内的容,name属性中只能填写一个角色的名称。
  
shiro:hasAnyRoles
表示拥有多个角色中的一个即可。
  1. <shiro:hasAnyRoles name="admin,user">
  2. <label>这是拥有admin或者是user角色的用户</label>
  3. </shiro:hasAnyRoles>
  4. 123
说明:只有成功登录后,且具有admin或者user角色的用户才会看到标签内的内容;name属性中可以填写多个角色名称,以逗号(,)分隔。
  
shiro:hasPermission
表示拥有某一权限。
  1. <shiro:hasPermission name="admin:add">
  2. <label>这个用户拥有admin:add的权限</label>
  3. </shiro:hasPermission>
  4. 123
  
说明:只有成功登录后,且具有admin:add权限的用户才可以看到标签内的内容,name属性中只能填写一个权限的名称。
  
shiro:lacksRole
表示不拥有某一角色。
  1. <shiro:lacksRole name="admin">
  2. <label>这个用户不拥有admin的角色</label>
  3. </shiro:lacksRole>
  4. 123
  
说明:只有成功登录后,且不具有admin角色的用户才可以看到标签内的内容,name属性中只能填写一个角色的名称。
  
shiro:lacksPermission
表示不拥有某一权限。
  1. <shiro:lacksPermission name="admin:delete">
  2. <label>这个用户不拥有admin:delete的权限</label>
  3. </shiro:lacksPermission>
  4. 123
说明:只有成功登录后,且不具有admin:delete权限的用户才可以看到标签内的内容,name属性中只能填写一个权限的名称。
  
shiro:notAuthenticated
表示没有通过验证。
  1. <shiro:notAuthenticated>
  2. <label>用户身份验证没有通过(包括通过记住我(remember me)登录的) </label>
  3. </shiro:notAuthenticated>
  4. 123
说明:只有没有通过验证的才可以看到标签内的内容,包括通过记住我(remember me)登录的。
  
shiro:principal
表示用户的身份。
取值取的是你登录的时候,在Realm 实现类中的new SimpleAuthenticationInfo(第一个参数,…) 放的第一个参数。

   
1. 如果第一个放的是username或者是一个值 ,那么就可以直接用。
  1. <!--取到username-->
  2. <shiro: principal/>
  
1. 如果第一个参数放的是对象,比如放User 对象。那么如果要取其中某一个值,可以通过property属性来指定。
  1. <!--需要指定property-->
  2. <shiro:principal property="username"/>
  
shiro:user
表示已登录。
  1. <shiro:user>
  2. <label>欢迎[<shiro:principal/>],</label><a href="/logout.jsp">退出</a>
  3. </shiro:user>
  
4. 缓存管理
4.1 为什么要使用缓存
在没有使用缓存的情况下,我们每次发送请求都会调用一次doGetAuthorizationInfo方法来进行用户的授权操作,但是我们知道,一个用户具有的权限一般不会频繁的修改,也就是每次授权的内容都是一样的,所以我们希望在用户登录成功的第一次授权成功后将用户的权限保存在缓存中,下一次请求授权的话就直接从缓存中获取,这样效率会更高一些。
    
4.2 使用Ehcache来实现缓存
引入jar包
  1. <dependency>
  2. <groupId>org.apache.shiro</groupId>
  3. <artifactId>shiro-spring</artifactId>
  4. <version>1.2.3</version>
  5. </dependency>
  6. <dependency>
  7. <groupId>org.apache.shiro</groupId>
  8. <artifactId>shiro-ehcache</artifactId>
  9. <version>1.2.3</version>
  10. </dependency>
  11. <dependency>
  12. <groupId>net.sf.ehcache</groupId>
  13. <artifactId>ehcache-core</artifactId>
  14. <version>2.5.0</version>
  15. </dependency>
  
添加ehcache的配置文件。
  1. <?xml version="1.0" encoding="UTF-8"?>
  2. <ehcache xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance"
  3. xsi:noNamespaceSchemaLocation="../config/ehcache.xsd">
  4. <!--diskStore:缓存数据持久化的目录 地址 -->
  5. <diskStore path="C:\tools\ehcache" />
  6. <!--
  7. eternal:缓存中对象是否为永久的,如果是,超时设置将被忽略,对象从不过期。
  8. maxElementsInMemory:缓存中允许创建的最大对象数
  9. overflowToDisk:内存不足时,是否启用磁盘缓存。
  10. timeToIdleSeconds:缓存数据的钝化时间,也就是在一个元素消亡之前, 两次访问时间的最大时间间隔值,这只能在元素不是永久驻留时有效,如果该值是 0 就意味着元素可以停顿无穷长的时间。
  11. timeToLiveSeconds:缓存数据的生存时间,也就是一个元素从构建到消亡的最大时间间隔值,这只能在元素不是永久驻留时有效,如果该值是0就意味着元素可以停顿无穷长的时间。
  12. memoryStoreEvictionPolicy:缓存满了之后的淘汰算法。
  13. diskPersistent:设定在虚拟机重启时是否进行磁盘存储,默认为false
  14. diskExpiryThreadIntervalSeconds: 属性可以设置该线程执行的间隔时间(默认是120秒,不能太小
  15. 1 FIFO,先进先出
  16. 2 LFU,最少被使用,缓存的元素有一个hit属性,hit值最小的将会被清出缓存。
  17. 3 LRU,最近最少使用的,缓存的元素有一个时间戳,当缓存容量满了,而又需要腾出地方来缓存新的元素的时候,那么现有缓存元素中时间戳离当前时间最远的元素将被清出缓存。
  18. -->
  19. <defaultCache
  20. maxElementsInMemory="1000"
  21. maxElementsOnDisk="10000000"
  22. eternal="false"
  23. overflowToDisk="false"
  24. diskPersistent="false"
  25. timeToIdleSeconds="120"
  26. timeToLiveSeconds="120"
  27. diskExpiryThreadIntervalSeconds="120"
  28. memoryStoreEvictionPolicy="LRU">
  29. </defaultCache>
  30. </ehcache>
  
在Shiro配置文件中添加缓存信息。
  1. <!-- 配置缓存管理器 -->
  2. <bean id="cacheManager" class="org.apache.shiro.cache.ehcache.EhCacheManager">
  3. <!-- 关联配置文件 -->
  4. <property name="cacheManagerConfigFile" value="classpath:shiroehcache.xml"/>
  5. </bean>
  6. <!-- 注册SecurityManager -->
  7. <bean class="org.apache.shiro.web.mgt.DefaultWebSecurityManager"id="securityManager">
  8. <!-- 配置自定义Realm -->
  9. <property name="realm" ref="myRealm"/>
  10. <property name="cacheManager" ref="cacheManager"/>
  11. </bean>
声明:本文内容由网友自发贡献,不代表【wpsshop博客】立场,版权归原作者所有,本站不承担相应法律责任。如您发现有侵权的内容,请联系我们。转载请注明出处:https://www.wpsshop.cn/w/从前慢现在也慢/article/detail/636186
推荐阅读
相关标签
  

闽ICP备14008679号