Apache Shiro 整合Spring 进行权限验证

标签: apache shiro spring | 发表时间:2014-11-23 22:02 | 作者:fengbin2005
出处:http://www.iteye.com

Apache Shiro是什么? 
Apache Shiro是一个功能强大且易于使用的Java安全框架,进行认证,授权,加密和会话管理。随着Shiro的易于理解的API,你可以快速,轻松地确保任何应用程序 - 移动应用从最小的到最大的Web和企业应用。 
如何使用Apache Shiro(这里指与Spring 集成)? 
1. 首先去官方网站下载相关jar包(这里使用1.2.2版本),其中包括: 
shiro-core-1.2.2.jar 
shiro-spring-1.2.2.jar 
shiro-web-1.2.2.jar 
(还需要slf4j相关jar支持) 
2.在web.xml中配置shiroFilter(注意这个filter一定要放在所有的filter之前,否则不能成功使用) 


3.创建一个applicationContext-shiro.xml,对shiro进行配置,内容如下: 

Java代码   收藏代码
  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:aop="http://www.springframework.org/schema/aop"  
  5.        xmlns:tx="http://www.springframework.org/schema/tx"  
  6.        xmlns:util="http://www.springframework.org/schema/util"  
  7.        xmlns:context="http://www.springframework.org/schema/context"  
  8.        xsi:schemaLocation="  
  9.        http://www.springframework.org/schema/beans http://www.springframework.org/schema/beans/spring-beans.xsd  
  10.        http://www.springframework.org/schema/tx http://www.springframework.org/schema/tx/spring-tx.xsd  
  11.        http://www.springframework.org/schema/aop http://www.springframework.org/schema/aop/spring-aop.xsd  
  12.        http://www.springframework.org/schema/util http://www.springframework.org/schema/util/spring-util.xsd  
  13.        http://www.springframework.org/schema/context http://www.springframework.org/schema/context/spring-context.xsd">  
  14.     <!-- =========================================================  
  15.          Shiro Components  
  16.          ========================================================= -->  
  17.   
  18.     <!-- Shiro's main business-tier object for web-enabled applications  
  19.          (use org.apache.shiro.web.mgt.DefaultWebSecurityManager instead when there is no web environment)-->  
  20.     <bean id="securityManager" class="org.apache.shiro.web.mgt.DefaultWebSecurityManager">  
  21.         <!-- Single realm app (realm configured next, below).  If you have multiple realms, use the 'realms'  
  22.       property instead. -->  
  23.     <!--这里的sampleRealm需要我们自己实现,主要包括2个方法  
  24. 1.  用户登录的验证(授权)  
  25. 2.  用户具有的角色和权限(认证)  
  26.  且看下面介绍-->  
  27.         <property name="realm" ref="sampleRealm"/>  
  28.         <!-- Uncomment this next property if you want heterogenous session access or clusterable/distributable  
  29.              sessions.  The default value is 'http' which uses the Servlet container's HttpSession as the underlying  
  30.              Session implementation.  
  31.         <property name="sessionMode" value="native"/> -->  
  32.     </bean>  
  33.   
  34.     <!-- Post processor that automatically invokes init() and destroy() methods -->  
  35.     <bean id="lifecycleBeanPostProcessor" class="org.apache.shiro.spring.LifecycleBeanPostProcessor"/>  
  36.     <!-- 自定义角色过滤器 支持多个角色可以访问同一个资源 eg:/home.jsp = authc,roleOR[admin,user]  用户有admin或者user角色 就可以访问-->  
  37.      <bean id="roleOR" class="com.yale.app.security.OneRoleAuthorizationFilter"/>  
  38.     <!-- Define the Shiro Filter here (as a FactoryBean) instead of directly in web.xml -  
  39.          web.xml uses the DelegatingFilterProxy to access this bean.  This allows us  
  40.          to wire things with more control as well utilize nice Spring things such as  
  41.          PropertiesPlaceholderConfigurer and abstract beans or anything else we might need: -->  
  42.     <bean id="shiroFilter" class="org.apache.shiro.spring.web.ShiroFilterFactoryBean">  
  43.         <property name="securityManager" ref="securityManager"/>  
  44.         <property name="loginUrl" value="/page/login.jsp"/>  
  45.         <property name="successUrl" value="/page/index.jsp"/>  
  46.         <property name="unauthorizedUrl" value="/register/unauthorized"/>  
  47.         <!-- The 'filters' property is usually not necessary unless performing an override, which we  
  48.              want to do here (make authc point to a PassthruAuthenticationFilter instead of the  
  49.              default FormAuthenticationFilter: -->  
  50.         <property name="filters">  
  51.             <util:map>  
  52.                 <entry key="authc">  
  53.                     <bean class="org.apache.shiro.web.filter.authc.PassThruAuthenticationFilter"/>  
  54.                 </entry>  
  55.             </util:map>  
  56.         </property>  
  57.         <property name="filterChainDefinitions">  
  58.             <value>  
  59.                 /page/login.jsp = anon  
  60.                 /page/register/* = anon  
  61.                 /page/index.jsp = authc   
  62.                 /page/addItem* = authc,roles[数据管理员]  
  63.                 /page/file* = authc,roleOR[数据管理员,普通用户]  
  64.                 /page/listItems* = authc,roleOR[数据管理员,普通用户]  
  65.                 /page/showItem* = authc,roleOR[数据管理员,普通用户]  
  66.                 /page/updateItem*=authc,roles[数据管理员]  
  67.             </value>  
  68.         </property>  
  69.     </bean>  
  70.   
  71. </beans>  


其中的定义官网文档有详细的解释,这里不做描述! 
然后在applicationContext.xml中引入该文件! 

3. 实现sampleRealm,继承AuthorizingRealm,并重写认证授权方法 
1) 我们首先创建两张表User,Role(这里只做最简单的基于用户-角色的权限验证,如果需要细粒度的控制,自己在添加权限表Permissions然后进行关联操作) 

Java代码   收藏代码
  1. DROP TABLE IF EXISTS `users`;  
  2. CREATE TABLE `users` (  
  3.   `userid` int(10) NOT NULL AUTO_INCREMENT,  
  4.   `loginName` varchar(16) DEFAULT NULL,  
  5.   `password` varchar(16) DEFAULT NULL,  
  6.   `mail` varchar(50) DEFAULT NULL,  
  7.   `roleid` int(10) NOT NULL,  
  8.   PRIMARY KEY (`userId`),  
  9.   KEY `RoleId` (`roleid`),  
  10.   CONSTRAINT `users_ibfk_1` FOREIGN KEY (`roleid`) REFERENCES `roles` (`RoleId`)  
  11. ) ENGINE=InnoDB AUTO_INCREMENT=43 DEFAULT CHARSET=utf8;  
  12. DROP TABLE IF EXISTS `roles`;  
  13. CREATE TABLE `roles` (  
  14.   `roleid` int(10) NOT NULL,  
  15.   `roleName` varchar(50) DEFAULT NULL,  
  16.   PRIMARY KEY (`RoleId`)  
  17. ) ENGINE=InnoDB DEFAULT CHARSET=utf8;  
  18. --插入测试数据  
  19. INSERT INTO `roles` VALUES ('1', '普通用户');  
  20. INSERT INTO `roles` VALUES ('2', '数据管理员');  
  21. INSERT INTO `users` VALUES ('1', 'yale', '123456', '[email protected]', '1');  
  22. INSERT INTO `users` VALUES ('2', 'admin', 'admin', '[email protected]', '2');  
  23. 然后,创建对应的实体类,Dao操作,Service。这里不做细述  


接下来我们看sampleRealm具体内容: 

Java代码   收藏代码
  1. import org.apache.shiro.SecurityUtils;  
  2. import org.apache.shiro.authc.AuthenticationException;  
  3. import org.apache.shiro.authc.AuthenticationInfo;  
  4. import org.apache.shiro.authc.AuthenticationToken;  
  5. import org.apache.shiro.authc.SimpleAuthenticationInfo;  
  6. import org.apache.shiro.authc.UsernamePasswordToken;  
  7. import org.apache.shiro.authc.credential.AllowAllCredentialsMatcher;  
  8. import org.apache.shiro.authz.AuthorizationInfo;  
  9. import org.apache.shiro.authz.SimpleAuthorizationInfo;  
  10. import org.apache.shiro.realm.AuthorizingRealm;  
  11. import org.apache.shiro.session.Session;  
  12. import org.apache.shiro.subject.PrincipalCollection;  
  13. import org.springframework.beans.factory.annotation.Autowired;  
  14. import org.springframework.stereotype.Component;  
  15.   
  16. import com.yale.app.service.UserOperator;  
  17. import com.yale.app.model.Role;  
  18. import com.yale.app.model.User;  
  19.   
  20. /** 
  21.  * The Spring/Hibernate sample application's one and only configured Apache Shiro Realm. 
  22.  * 
  23.  * <p>Because a Realm is really just a security-specific DAO, we could have just made Hibernate calls directly 
  24.  * in the implementation and named it a 'HibernateRealm' or something similar.</p> 
  25.  * 
  26.  * <p>But we've decided to make the calls to the database using a UserDAO, since a DAO would be used in other areas 
  27.  * of a 'real' application in addition to here. We felt it better to use that same DAO to show code re-use.</p> 
  28.  */  
  29. @Component  
  30. public class SampleRealm extends AuthorizingRealm {  
  31.       
  32.      @Autowired  
  33.      private UserOperator userOperator;  
  34.   
  35.     public SampleRealm() {  
  36.         setName("SampleRealm"); //This name must match the name in the User class's getPrincipals() method  
  37.       //  setCredentialsMatcher(new Sha256CredentialsMatcher());  
  38.         setCredentialsMatcher(new AllowAllCredentialsMatcher());  
  39.     }  
  40.   
  41.      
  42. //认证信息,主要针对用户登录,(下文讲述在action或者controller登录过程代码)  
  43.     protected AuthenticationInfo doGetAuthenticationInfo(AuthenticationToken authcToken) throws AuthenticationException {  
  44.         UsernamePasswordToken token = (UsernamePasswordToken) authcToken;  
  45.         
  46.         String  password = String.valueOf(token.getPassword());  
  47. //调用操作数据库的方法查询user信息  
  48.         User user = userOperator.login( token.getUsername());  
  49.         if( user != null ) {  
  50.             if(password.equals(user.getPassword())){  
  51.                   Session session= SecurityUtils.getSubject().getSession();  
  52.                   session.setAttribute("username", user.getLoginName());  
  53.             return new SimpleAuthenticationInfo(user.getUserId(), user.getPassword(), getName());  
  54.             }else{  
  55.                 return null;  
  56.             }  
  57.         } else {  
  58.             return null;  
  59.         }  
  60.     }  
  61. protected AuthorizationInfo doGetAuthorizationInfo(PrincipalCollection principals) {  
  62.         String userId = (String) principals.fromRealm(getName()).iterator().next();  
  63.         User user = userOperator.getById(userId);  
  64.         if( user != null ) {  
  65.             SimpleAuthorizationInfo info = new SimpleAuthorizationInfo();  
  66.            Role role = userOperator.getByRoleId(user.getRoleId());  
  67.                 info.addRole(role.getRoleName());  
  68.               //  info.addStringPermissions( role.getPermissions() );//如果你添加了对权限的表,打开此注释,添加角色具有的权限  
  69.               
  70.             return info;  
  71.         } else {  
  72.             return null;  
  73.         }  
  74.     }  
  75.   
  76. }  


--注意shiro配置文件中 
<bean id="roleOR" class="com.yale.app.security.OneRoleAuthorizationFilter"/> 
OneRoleAuthorizationFilter:为验证多个角色可以访问同一个资源的定义:
 

Java代码   收藏代码
  1. import java.io.IOException;  
  2. import java.util.Set;  
  3.   
  4. import javax.servlet.ServletRequest;  
  5. import javax.servlet.ServletResponse;  
  6.   
  7. import org.apache.shiro.subject.Subject;  
  8. import org.apache.shiro.util.CollectionUtils;  
  9. import org.apache.shiro.web.filter.authz.AuthorizationFilter;  
  10.   
  11. public class OneRoleAuthorizationFilter extends AuthorizationFilter{  
  12.   
  13.      @SuppressWarnings({"unchecked"})  
  14.         public boolean isAccessAllowed(ServletRequest request, ServletResponse response, Object mappedValue) throws IOException {  
  15.   
  16.             Subject subject = getSubject(request, response);  
  17.             String[] rolesArray = (String[]) mappedValue;  
  18.   
  19.             if (rolesArray == null || rolesArray.length == 0) {  
  20.                 //no roles specified, so nothing to check - allow access.  
  21.                 return true;  
  22.             }  
  23.             boolean flag = false;  
  24.             Set<String> roles = CollectionUtils.asSet(rolesArray);  
  25.             for (String string : roles) {  
  26.                 if(subject.hasRole(string)){  
  27.                     flag = true;  
  28.                 }  
  29.             }  
  30.             return flag;  
  31.         }  
  32.   
  33. }  


4. 在工程WebRoot/page下,创建login.jsp,index.jsp,register.jsp; 
这里主要说明index.jsp 
Shiro具有自己的JSP / GSP Tag Library,用户做权限检查判断等等 
所以我们在index.jsp引入shiro 标签库 

 
里面用很多的标签,这里我们主要说明: 

 
如果用户具有administrator 角色我们就给他显示这个链接 

 
如果用户有user:create权限 我们显示此链接 
根据我上文提到的user和role表中的数据,我们在index.jsp,做如下测试: 
<shiro:hasRole name="数据管理员”> 
您好管理员同志! 
    </shiro:hasRole> 
<shiro:hasRole name="普通用户”> 
您好普通用户! 
    </shiro:hasRole> 
5. jsp页面写完后,接下来我们看UserAction(用户登录,退出等操作): 

Java代码   收藏代码
  1. //登录  
  2.         public String login(){  
  3. UsernamePasswordToken token = new UsernamePasswordToken(user.getName(), user.getPassword());  
  4.         try {  
  5.             SecurityUtils.getSubject().login(token);  
  6.                   
  7.         } catch (AuthenticationException e) {  
  8.             redirectPath="/page/login.jsp";  
  9.             return "redirect";  
  10.         }  
  11.         redirectPath="/page/index.jsp";  
  12.         return "redirect";  
  13.     }  
  14. //注销  
  15.     public String loginout(){  
  16.         SecurityUtils.getSubject().logout();  
  17.          redirectPath="/login.jsp";  
  18.             return "redirect";  
  19.     }  


至此基本结束,启动项目,就可以体验shiro的安全控制了 嘿嘿 

下面说freemarker中使用shiro标签 
这个网上一搜索就能找到答案,已经由James Gregory把代码上传到GitHub, 
地址:https://github.com/jagregory/shiro-freemarker-tags 
下载该jar包 或者源代码文件复制到自己工程的lib下或者package中 
我是讲文件复制到自己的package中使用: 


 

如果你使用spring MVC 
请看http://www.woxplife.com/articles/473.html 
如果你单独使用Freemarker 比如使用模板生成静态页 
在相关的类中加入如下代码: 
Configuration cfg = new Configuration(); 
cfg.setDefaultEncoding(“UTF-8”); 
cfg.setSharedVariable("shiro", new ShiroTags()); 
然后在ftl页面中使用tag: 
<@shiro.hasRole name=”admin”>Hello admin!</@shiro.hasRole> 
如果是使用struts2集成的freemarker作为页面渲染 
可以写一个类extend    Struts2的FreemarkerManager: 

Java代码   收藏代码
  1. import javax.servlet.ServletContext;     
  2.      
  3. import org.apache.struts2.views.freemarker.FreemarkerManager;     
  4.      
  5. import freemarker.template.Configuration;     
  6. import freemarker.template.TemplateException;     
  7.      
  8. public class MyFreemarkerManager extends FreemarkerManager {     
  9.      
  10.     @Override     
  11.     protected Configuration createConfiguration(ServletContext servletContext) throws TemplateException {     
  12.         Configuration cfg = super.createConfiguration(servletContext);     
  13.        cfg.setSharedVariable("shiro", new ShiroTags());  
  14.         return cfg;     
  15.     }     
  16. }  


然后在struts.xml中指定struts使用我们自己扩展的 FreemarkerManager 
<constant name="struts.freemarker.manager.classname"   
    value="com.xxx.xxx.MyFreemarkerManager" />  
然后在页面中 
然后在ftl页面中使用tag: 
<@shiro.hasRole name=”admin”>Hello admin!</@shiro.hasRole> 

 

----------------------------shiro内置过滤器研究-------------------------------------------

anon org.apache.shiro.web.filter.authc.AnonymousFilter
authc org.apache.shiro.web.filter.authc.FormAuthenticationFilter
authcBasic
org.apache.shiro.web.filter.authc.BasicHttpAuthenticationFilter
perms
org.apache.shiro.web.filter.authz.PermissionsAuthorizationFilter
port
org.apache.shiro.web.filter.authz.PortFilter
rest
org.apache.shiro.web.filter.authz.HttpMethodPermissionFilter
roles
org.apache.shiro.web.filter.authz.RolesAuthorizationFilter
ssl org.apache.shiro.web.filter.authz.SslFilter
user org.apache.shiro.web.filter.authc.UserFilter

 

rest:例子/admins/user/**=rest[user],根据请求的方法,相当于/admins/user/**=perms[user:method] ,其中method为post,get,delete等。
port:例子/admins/user/**=port[8081],当请求的url的端口不是8081是跳转到schemal://serverName:8081?queryString,其中schmal是协议http或https等,serverName是你访问的host,8081是url配置里port的端口,queryString
是你访问的url里的?后面的参数。
perms:例子/admins/user/**=perms[user:add:*],perms参数可以写多个,多个时必须加上引号,并且参数之间用逗号分割,例如/admins/user/**=perms["user:add:*,user:modify:*"],当有多个参数时必须每个参数都通过才通过,想当于
isPermitedAll()方法。
roles:例子/admins/user/**=roles[admin],参数可以写多个,多个时必须加上引号,并且参数之间用逗号分割,当有多个参数时,例如/admins/user/**=roles["admin,guest"],每个参数通过才算通过,相当于hasAllRoles()方法。
anon:例子/admins/**=anon 没有参数,表示可以匿名使用。
authc:例如/admins/user/**=authc表示需要认证才能使用,没有参数
authcBasic:例如/admins/user/**=authcBasic没有参数表示httpBasic认证
ssl:例子/admins/user/**=ssl没有参数,表示安全的url请求,协议为https
user:例如/admins/user/**=user没有参数表示必须存在用户,当登入操作时不做检查
 
这些过滤器分为两组,一组是认证过滤器,一组是授权过滤器。其中anon,authcBasic,auchc,user是第一组,
perms,roles,ssl,rest,port是第二组
 

 



已有 0 人发表留言,猛击->> 这里<<-参与讨论


ITeye推荐



相关 [apache shiro spring] 推荐:

Apache Shiro和Spring boot的结合使用

- - 企业架构 - ITeye博客
实际上在Spring boot里用Spring Security最合适,毕竟是自家东西,最重要的一点是Spring Security里自带有csrf filter,防止csrf攻击,shiro里就没有. 但是Spring Security有点太复杂,custmize起来比较费力,不如shiro来的简单.

Apache Shiro 介绍

- - CSDN博客推荐文章
什么是Apache Shiro?. Apache shiro 是一个强大而灵活的开源安全框架,可清晰地处理身份认证、授权、会话(session)和加密. Apache Shiro最主要的初衷是为了易用和易理解,处理安全问题可能非常复杂甚至非常痛苦,但并非一定要如此. 一个框架应该尽可能地将复杂的问题隐藏起来,提供清晰直观的API使开发者可以很轻松地开发自己的程序安全代码.

Apache Shiro 整合Spring 进行权限验证

- - Web前端 - ITeye博客
Apache Shiro是什么. Apache Shiro是一个功能强大且易于使用的Java安全框架,进行认证,授权,加密和会话管理. 随着Shiro的易于理解的API,你可以快速,轻松地确保任何应用程序 - 移动应用从最小的到最大的Web和企业应用. 如何使用Apache Shiro(这里指与Spring 集成).

[转载]Apache Shiro使用手册

- - 开源软件 - ITeye博客
第一部分 Shiro构架介绍. Apache Shiro是一个强大易用的Java安全框架,提供了认证、授权、加密和会话管理等功能: . 认证 - 用户身份识别,常被称为用户“登录”;. 密码加密 - 保护或隐藏数据防止被偷窥;. 会话管理 - 每用户相关的时间敏感的状态.       对于任何一个应用程序,Shiro都可以提供全面的安全管理服务.

在 Web 项目中应用 Apache Shiro

- - 企业架构 - ITeye博客
Apache Shiro 是功能强大并且容易集成的开源权限框架,它能够完成认证、授权、加密、会话管理等功能. 认证和授权为权限控制的核心,简单来说,“认证”就是证明你是谁. Web 应用程序一般做法通过表单提交用户名及密码达到认证目的. “授权”即是否允许已认证用户访问受保护资源. 关于 Shiro 的一系列特征及优点,很多文章已有列举,这里不再逐一赘述,本文重点介绍 Shiro 在 Web Application 中如何实现验证码认证以及如何实现单点登录.

CAS和Shiro在spring中集成

- - CSDN博客架构设计推荐文章
shiro是权限管理框架,现在已经会利用它如何控制权限. 为了能够为多个系统提供统一认证入口,又研究了单点登录框架cas. 因为二者都会涉及到对session的管理,所以需要进行集成. Shiro在1.2.0的时候提供了对cas的集成. 因此在项目中添加shiro-cas的依赖. Shiro对cas集成后,cas client的配置更加简单了.

Shiro权限框架

- If you are thinking one year ahead, you plant rice. If you are thinking twenty years ahead, you plant trees. If you are thinking a hundred years ahead, you educate people. - BlogJava-首页技术区
开发系统中,少不了权限,目前java里的权限框架有SpringSecurity和Shiro(以前叫做jsecurity),对于SpringSecurity:功能太过强大以至于功能比较分散,使用起来也比较复杂,跟Spring结合的比较好. 对于初学Spring Security者来说,曲线还是较大,需要深入学习其源码和框架,配置起来也需要费比较大的力气,扩展性也不是特别强.

shiro-cas 单点退出

- - 互联网 - ITeye博客
shiro与CAS集成以后的单点退出. 效果任何一个应用退出以后 所有应用都要重新登录. 实现思路shiro退出系统以后重新定向到cas的退出. 1.重新配置shiro的登出跳转.   shiro退出以后跳转到cas的退出.   cas退出以后通过service参数跳转回应用界面. 2.覆盖shiro的默认退出实现 .

Shiro系列之Shiro+Mysql实现用户授权(Authorization)

- - CSDN博客推荐文章
昨天,我在《 Shiro系列之Shiro+Mysql实现用户认证(Authentication)》中简单介绍了使用Shiro+Mysql实现用户认证的功能,今天我们继续使用其中的示例,讲解一下如何实现用户授权. 所谓授权,就是判断当前用户具体哪些权限,能够执行哪些操作,或是访问哪些资源(Web中的URL,又或是页面上的一个按钮,一个编辑框等都可以视为资源).

Shiro系列之Shiro+Mysql实现用户认证(Authentication)

- - CSDN博客推荐文章
网上大多数介绍Apache Shiro的资料都是使用ini文件的简单配置为例,很少用讲到如何配合数据库来实现用户认证的. 我也是刚刚开始接触Shiro,在这里介绍一个入门级别的Shiro+Mysql的配置方法,这个方法仅仅是个开始,并没有和Web,Spring,Mybatis等框架进行整合,后续我还会继续和大家分享我的学习过程及心得.