第二十一章 授予身份及切换身份——《跟我学Shiro》

在一些场景中,比如某个领导因为一些原因不能进行登录网站进行一些操作,他想把他网站上的工作委托给他的秘书,但是他不想把帐号/密码告诉他秘书,只是想把工作委托给他;此时和我们可以使用Shiro的RunAs功能,即允许一个用户假装为另一个用户(如果他们允许)的身份进行访问。

本章代码基于《第十六章 综合实例》,请先了解相关数据模型及基本流程后再学习本章。

表及数据SQL

请运行shiro-example-chapter21/sql/ shiro-schema.sql 表结构

请运行shiro-example-chapter21/sql/ shiro-schema.sql 数据

实体

具体请参考com.github.zhangkaitao.shiro.chapter21包下的实体。

  1. public class UserRunAs implements Serializable {
  2. private Long fromUserId;//授予身份帐号
  3. private Long toUserId;//被授予身份帐号
  4. }

该实体定义了授予身份帐号(A)与被授予身份帐号(B)的关系,意思是B帐号将可以假装为A帐号的身份进行访问。

DAO

具体请参考com.github.zhangkaitao.shiro.chapter21.dao包下的DAO接口及实现。

Service

具体请参考com.github.zhangkaitao.shiro.chapter21.service包下的Service接口及实现。

  1. public interface UserRunAsService {
  2. public void grantRunAs(Long fromUserId, Long toUserId);
  3. public void revokeRunAs(Long fromUserId, Long toUserId);
  4. public boolean exists(Long fromUserId, Long toUserId);
  5. public List<Long> findFromUserIds(Long toUserId);
  6. public List<Long> findToUserIds(Long fromUserId);
  7. }

提供授予身份、回收身份、关系存在判断及查找API。

Web控制器RunAsController

该控制器完成:授予身份/回收身份/切换身份功能。

展示当前用户能切换到身份列表,及授予给其他人的身份列表:

  1. @RequestMapping
  2. public String runasList(@CurrentUser User loginUser, Model model) {
  3. model.addAttribute("fromUserIds",
  4. userRunAsService.findFromUserIds(loginUser.getId()));
  5. model.addAttribute("toUserIds", userRunAsService.findToUserIds(loginUser.getId()));
  6. List<User> allUsers = userService.findAll();
  7. allUsers.remove(loginUser);
  8. model.addAttribute("allUsers", allUsers);
  9. Subject subject = SecurityUtils.getSubject();
  10. model.addAttribute("isRunas", subject.isRunAs());
  11. if(subject.isRunAs()) {
  12. String previousUsername =
  13. (String)subject.getPreviousPrincipals().getPrimaryPrincipal();
  14. model.addAttribute("previousUsername", previousUsername);
  15. }
  16. return "runas";
  17. }

1、Subject.isRunAs():表示当前用户是否是RunAs用户,即已经切换身份了;

2、Subject.getPreviousPrincipals():得到切换身份之前的身份,一个用户可以切换很多次身份,之前的身份使用栈数据结构来存储;

授予身份

把当前用户身份授予给另一个用户,这样另一个用户可以切换身份到该用户。

  1. @RequestMapping("/grant/{toUserId}")
  2. public String grant(
  3. @CurrentUser User loginUser,
  4. @PathVariable("toUserId") Long toUserId,
  5. RedirectAttributes redirectAttributes) {
  6. if(loginUser.getId().equals(toUserId)) {
  7. redirectAttributes.addFlashAttribute("msg", "自己不能切换到自己的身份");
  8. return "redirect:/runas";
  9. }
  10. userRunAsService.grantRunAs(loginUser.getId(), toUserId);
  11. redirectAttributes.addFlashAttribute("msg", "操作成功");
  12. return "redirect:/runas";
  13. }

1、自己不能授予身份给自己;

2、调用UserRunAsService. grantRunAs把当前登录用户的身份授予给相应的用户;

回收身份

把授予给某个用户的身份回收回来。

  1. @RequestMapping("/revoke/{toUserId}")
  2. public String revoke(
  3. @CurrentUser User loginUser,
  4. @PathVariable("toUserId") Long toUserId,
  5. RedirectAttributes redirectAttributes) {
  6. userRunAsService.revokeRunAs(loginUser.getId(), toUserId);
  7. redirectAttributes.addFlashAttribute("msg", "操作成功");
  8. return "redirect:/runas";
  9. }

切换身份

  1. @RequestMapping("/switchTo/{switchToUserId}")
  2. public String switchTo(
  3. @CurrentUser User loginUser,
  4. @PathVariable("switchToUserId") Long switchToUserId,
  5. RedirectAttributes redirectAttributes) {
  6. Subject subject = SecurityUtils.getSubject();
  7. User switchToUser = userService.findOne(switchToUserId);
  8. if(loginUser.equals(switchToUser)) {
  9. redirectAttributes.addFlashAttribute("msg", "自己不能切换到自己的身份");
  10. return "redirect:/runas";
  11. }
  12. if(switchToUser == null || !userRunAsService.exists(switchToUserId, loginUser.getId())) {
  13. redirectAttributes.addFlashAttribute("msg", "对方没有授予您身份,不能切换");
  14. return "redirect:/runas";
  15. }
  16. subject.runAs(new SimplePrincipalCollection(switchToUser.getUsername(), ""));
  17. redirectAttributes.addFlashAttribute("msg", "操作成功");
  18. redirectAttributes.addFlashAttribute("needRefresh", "true");
  19. return "redirect:/runas";
  20. }

1、首先根据switchToUserId查找到要切换到的身份;

2、然后通过UserRunAsService. exists()判断当前登录用户是否可以切换到该身份;

3、通过Subject.runAs()切换到该身份;

切换到上一个身份 

  1. @RequestMapping("/switchBack")
  2. public String switchBack(RedirectAttributes redirectAttributes) {
  3. Subject subject = SecurityUtils.getSubject();
  4. if(subject.isRunAs()) {
  5. subject.releaseRunAs();
  6. }
  7. redirectAttributes.addFlashAttribute("msg", "操作成功");
  8. redirectAttributes.addFlashAttribute("needRefresh", "true");
  9. return "redirect:/runas";
  10. }

1、通过Subject.releaseRunAs()切换会上一个身份;

此处注意的是我们可以切换多次身份,如A切换到B,然后再切换到C;那么需要调用两次Subject. releaseRunAs()才能切换会A;即内部使用栈数据结构存储着切换过的用户;Subject. getPreviousPrincipals()得到上一次切换到的身份,比如当前是C;那么调用该API将得到B的身份。

其他代码和配置和《第十六章 综合实例》一样,请参考该章。

测试

1、首先访问http://localhost:8080/chapter21/,输入admin/123456进行登录;会看到如下界面:

2、点击切换身份按钮,跳到如下界面:

在该界面可以授权身份给其他人(点击授权身份可以把自己的身份授权给其他人/点击回收身份可以把之前授予的身份撤回)、或切换到其他身份(即假装为其他身份运行);

3、点击切换到该身份按钮,切换到相应的身份运行,如:

此时zhang用户切换到admin身份;如果点击切换回该身份,会把当前身份切换会zhang。

第二十二章 集成验证码——《跟我学Shiro》

在做用户登录功能时,很多时候都需要验证码支持,验证码的目的是为了防止机器人模拟真实用户登录而恶意访问,如暴力破解用户密码/恶意评论等。目前也有一些验证码比较简单,通过一些OCR工具就可以解析出来;另外还有一些验证码比较复杂(一般通过如扭曲、加线条/噪点等干扰)防止OCR工具识别;但是在中国就是人多,机器干不了的可以交给人来完成,所以在中国就有很多打码平台,人工识别验证码;因此即使比较复杂的如填字、算数等类型的验证码还是能识别的。所以验证码也不是绝对可靠的,目前比较可靠还是手机验证码,但是对于用户来说相对于验证码还是比较麻烦的。

对于验证码图片的生成,可以自己通过如Java提供的图像API自己去生成,也可以借助如JCaptcha这种开源Java类库生成验证码图片;JCaptcha提供了常见的如扭曲、加噪点等干扰支持。本章代码基于《第十六章 综合实例》。

一、添加JCaptcha依赖

  1. <dependency>
  2. <groupId>com.octo.captcha</groupId>
  3. <artifactId>jcaptcha</artifactId>
  4. <version>2.0-alpha-1</version>
  5. </dependency>
  6. <dependency>
  7. <groupId>com.octo.captcha</groupId>
  8. <artifactId>jcaptcha-integration-simple-servlet</artifactId>
  9. <version>2.0-alpha-1</version>
  10. <exclusions>
  11. <exclusion>
  12. <artifactId>servlet-api</artifactId>
  13. <groupId>javax.servlet</groupId>
  14. </exclusion>
  15. </exclusions>
  16. </dependency>

com.octo.captcha . jcaptcha 提供了jcaptcha 核心;而jcaptcha-integration-simple-servlet提供了与Servlet集成。

二、GMailEngine

来自https://code.google.com/p/musicvalley/source/browse/trunk/musicvalley/doc/springSecurity/springSecurityIII/src/main/java/com/spring/security/jcaptcha/GMailEngine.java?spec=svn447&r=447(目前无法访问了),仿照JCaptcha2.0编写类似GMail验证码的样式;具体请参考com.github.zhangkaitao.shiro.chapter22.jcaptcha.GMailEngine。

三、MyManageableImageCaptchaService

提供了判断仓库中是否有相应的验证码存在。

  1. public class MyManageableImageCaptchaService extends
  2. DefaultManageableImageCaptchaService {
  3. public MyManageableImageCaptchaService(
  4. com.octo.captcha.service.captchastore.CaptchaStore captchaStore,
  5. com.octo.captcha.engine.CaptchaEngine captchaEngine,
  6. int minGuarantedStorageDelayInSeconds,
  7. int maxCaptchaStoreSize,
  8. int captchaStoreLoadBeforeGarbageCollection) {
  9. super(captchaStore, captchaEngine, minGuarantedStorageDelayInSeconds,
  10. maxCaptchaStoreSize, captchaStoreLoadBeforeGarbageCollection);
  11. }
  12. public boolean hasCapcha(String id, String userCaptchaResponse) {
  13. return store.getCaptcha(id).validateResponse(userCaptchaResponse);
  14. }
  15. }

四、JCaptcha工具类

提供相应的API来验证当前请求输入的验证码是否正确。

  1. public class JCaptcha {
  2. public static final MyManageableImageCaptchaService captchaService
  3. = new MyManageableImageCaptchaService(new FastHashMapCaptchaStore(),
  4. new GMailEngine(), 180, 100000, 75000);
  5. public static boolean validateResponse(
  6. HttpServletRequest request, String userCaptchaResponse) {
  7. if (request.getSession(false) == null) return false;
  8. boolean validated = false;
  9. try {
  10. String id = request.getSession().getId();
  11. validated =
  12. captchaService.validateResponseForID(id, userCaptchaResponse)
  13. .booleanValue();
  14. } catch (CaptchaServiceException e) {
  15. e.printStackTrace();
  16. }
  17. return validated;
  18. }
  19. public static boolean hasCaptcha(
  20. HttpServletRequest request, String userCaptchaResponse) {
  21. if (request.getSession(false) == null) return false;
  22. boolean validated = false;
  23. try {
  24. String id = request.getSession().getId();
  25. validated = captchaService.hasCapcha(id, userCaptchaResponse);
  26. } catch (CaptchaServiceException e) {
  27. e.printStackTrace();
  28. }
  29. return validated;
  30. }
  31. }

validateResponse():验证当前请求输入的验证码否正确;并从CaptchaService中删除已经生成的验证码;

hasCaptcha():验证当前请求输入的验证码是否正确;但不从CaptchaService中删除已经生成的验证码(比如Ajax验证时可以使用,防止多次生成验证码);

五、JCaptchaFilter

用于生成验证码图片的过滤器。

  1. public class JCaptchaFilter extends OncePerRequestFilter {
  2. protected void doFilterInternal(HttpServletRequest request, HttpServletResponse response, FilterChain filterChain) throws ServletException, IOException {
  3. response.setDateHeader("Expires", 0L);
  4. response.setHeader("Cache-Control", "no-store, no-cache, must-revalidate");
  5. response.addHeader("Cache-Control", "post-check=0, pre-check=0");
  6. response.setHeader("Pragma", "no-cache");
  7. response.setContentType("image/jpeg");
  8. String id = request.getRequestedSessionId();
  9. BufferedImage bi = JCaptcha.captchaService.getImageChallengeForID(id);
  10. ServletOutputStream out = response.getOutputStream();
  11. ImageIO.write(bi, "jpg", out);
  12. try {
  13. out.flush();
  14. } finally {
  15. out.close();
  16. }
  17. }
  18. }

CaptchaService使用当前会话ID当作key获取相应的验证码图片;另外需要设置响应内容不进行浏览器端缓存。

  1. <!-- 验证码过滤器需要放到Shiro之后 因为Shiro将包装HttpSession 如果不,可能造成两次的sesison id 不一样 -->
  2. <filter>
  3. <filter-name>JCaptchaFilter</filter-name>
  4. <filter-class>
  5. com.github.zhangkaitao.shiro.chapter22.jcaptcha.JCaptchaFilter
  6. </filter-class>
  7. </filter>
  8. <filter-mapping>
  9. <filter-name>JCaptchaFilter</filter-name>
  10. <url-pattern>/jcaptcha.jpg</url-pattern>
  11. </filter-mapping>

这样就可以在页面使用/jcaptcha.jpg地址显示验证码图片。

六、JCaptchaValidateFilter

用于验证码验证的Shiro过滤器。

  1. public class JCaptchaValidateFilter extends AccessControlFilter {
  2. private boolean jcaptchaEbabled = true;//是否开启验证码支持
  3. private String jcaptchaParam = "jcaptchaCode";//前台提交的验证码参数名
  4. private String failureKeyAttribute = "shiroLoginFailure"; //验证失败后存储到的属性名
  5. public void setJcaptchaEbabled(boolean jcaptchaEbabled) {
  6. this.jcaptchaEbabled = jcaptchaEbabled;
  7. }
  8. public void setJcaptchaParam(String jcaptchaParam) {
  9. this.jcaptchaParam = jcaptchaParam;
  10. }
  11. public void setFailureKeyAttribute(String failureKeyAttribute) {
  12. this.failureKeyAttribute = failureKeyAttribute;
  13. }
  14. protected boolean isAccessAllowed(ServletRequest request, ServletResponse response, Object mappedValue) throws Exception {
  15. //1、设置验证码是否开启属性,页面可以根据该属性来决定是否显示验证码
  16. request.setAttribute("jcaptchaEbabled", jcaptchaEbabled);
  17. HttpServletRequest httpServletRequest = WebUtils.toHttp(request);
  18. //2、判断验证码是否禁用 或不是表单提交(允许访问)
  19. if (jcaptchaEbabled == false || !"post".equalsIgnoreCase(httpServletRequest.getMethod())) {
  20. return true;
  21. }
  22. //3、此时是表单提交,验证验证码是否正确
  23. return JCaptcha.validateResponse(httpServletRequest, httpServletRequest.getParameter(jcaptchaParam));
  24. }
  25. protected boolean onAccessDenied(ServletRequest request, ServletResponse response) throws Exception {
  26. //如果验证码失败了,存储失败key属性
  27. request.setAttribute(failureKeyAttribute, "jCaptcha.error");
  28. return true;
  29. }
  30. }

七、MyFormAuthenticationFilter

用于验证码验证的Shiro拦截器在用于身份认证的拦截器之前运行;但是如果验证码验证拦截器失败了,就不需要进行身份认证拦截器流程了;所以需要修改下如FormAuthenticationFilter身份认证拦截器,当验证码验证失败时不再走身份认证拦截器。

  1. public class MyFormAuthenticationFilter extends FormAuthenticationFilter {
  2. protected boolean onAccessDenied(ServletRequest request, ServletResponse response, Object mappedValue) throws Exception {
  3. if(request.getAttribute(getFailureKeyAttribute()) != null) {
  4. return true;
  5. }
  6. return super.onAccessDenied(request, response, mappedValue);
  7. }
  8. }

即如果之前已经错了,那直接跳过即可。

八、spring-config-shiro.xml

  1. <!-- 基于Form表单的身份验证过滤器 -->
  2. <bean id="authcFilter"
  3. class="com.github.zhangkaitao.shiro.chapter22.jcaptcha.MyFormAuthenticationFilter">
  4. <property name="usernameParam" value="username"/>
  5. <property name="passwordParam" value="password"/>
  6. <property name="rememberMeParam" value="rememberMe"/>
  7. <property name="failureKeyAttribute" value="shiroLoginFailure"/>
  8. </bean>
  9. <bean id="jCaptchaValidateFilter"
  10. class="com.github.zhangkaitao.shiro.chapter22.jcaptcha.JCaptchaValidateFilter">
  11. <property name="jcaptchaEbabled" value="true"/>
  12. <property name="jcaptchaParam" value="jcaptchaCode"/>
  13. <property name="failureKeyAttribute" value="shiroLoginFailure"/>
  14. </bean>
  15. <!-- Shiro的Web过滤器 -->
  16. <bean id="shiroFilter" class="org.apache.shiro.spring.web.ShiroFilterFactoryBean">
  17. <property name="securityManager" ref="securityManager"/>
  18. <property name="loginUrl" value="/login"/>
  19. <property name="filters">
  20. <util:map>
  21. <entry key="authc" value-ref="authcFilter"/>
  22. <entry key="sysUser" value-ref="sysUserFilter"/>
  23. <entry key="jCaptchaValidate" value-ref="jCaptchaValidateFilter"/>
  24. </util:map>
  25. </property>
  26. <property name="filterChainDefinitions">
  27. <value>
  28. /static/** = anon
  29. /jcaptcha* = anon
  30. /login = jCaptchaValidate,authc
  31. /logout = logout
  32. /authenticated = authc
  33. /** = user,sysUser
  34. </value>
  35. </property>
  36. </bean>

九、login.jsp登录页面

  1. <c:if test="${jcaptchaEbabled}">
  2. 验证码:
  3. <input type="text" name="jcaptchaCode">
  4. <img class="jcaptcha-btn jcaptcha-img"
  5. src="${pageContext.request.contextPath}/jcaptcha.jpg" title="点击更换验证码">
  6. <a class="jcaptcha-btn" href="javascript:;">换一张</a>
  7. <br/>
  8. </c:if>

根据jcaptchaEbabled来显示验证码图片。

十、测试

输入http://localhost:8080/chapter22将重定向到登录页面;输入正确的用户名/密码/验证码即可成功登录,如果输入错误的验证码,将显示验证码错误页面:

第二十三章 多项目集中权限管理及分布式会话——《跟我学Shiro》

在做一些企业内部项目时或一些互联网后台时;可能会涉及到集中权限管理,统一进行多项目的权限管理;另外也需要统一的会话管理,即实现单点身份认证和授权控制。

学习本章之前,请务必先学习《第十章 会话管理》和《第十六章 综合实例》,本章代码都是基于这两章的代码基础上完成的。

本章示例是同域名的场景下完成的,如果跨域请参考《第十五章 单点登录》和《第十七章 OAuth2集成》了解使用CAS或OAuth2实现跨域的身份验证和授权。另外比如客户端/服务器端的安全校验可参考《第二十章 无状态Web应用集成》。

部署架构

1、有三个应用:用于用户/权限控制的Server(端口:8080);两个应用App1(端口9080)和App2(端口10080);

2、使用Nginx反向代理这三个应用,nginx.conf的server配置部分如下:

  1. server {
  2. listen 80;
  3. server_name  localhost;
  4. charset utf-8;
  5. location ~ ^/(chapter23-server)/ {
  6. proxy_pass http://127.0.0.1:8080;
  7. index /;
  8. proxy_set_header Host $host;
  9. }
  10. location ~ ^/(chapter23-app1)/ {
  11. proxy_pass http://127.0.0.1:9080;
  12. index /;
  13. proxy_set_header Host $host;
  14. }
  15. location ~ ^/(chapter23-app2)/ {
  16. proxy_pass http://127.0.0.1:10080;
  17. index /;
  18. proxy_set_header Host $host;
  19. }
  20. }

如访问http://localhost/chapter23-server会自动转发到http://localhost:8080/chapter23-server

访问http://localhost/chapter23-app1会自动转发到http://localhost:9080/chapter23-app1;访问http://localhost/chapter23-app3会自动转发到http://localhost:10080/chapter23-app3

Nginx的安装及使用请自行搜索学习,本文不再阐述。

项目架构

1、首先通过用户/权限Server维护用户、应用、权限信息;数据都持久化到MySQL数据库中;

2、应用App1/应用App2使用客户端Client远程调用用户/权限Server获取会话及权限信息。

此处使用Mysql存储会话,而不是使用如Memcached/Redis之类的,主要目的是降低学习成本;如果换成如Redis也不会很难;如:

使用如Redis还一个好处就是无需在用户/权限Server中开会话过期调度器,可以借助Redis自身的过期策略来完成。

模块关系依赖

1、shiro-example-chapter23-pom模块:提供了其他所有模块的依赖;这样其他模块直接继承它即可,简化依赖配置,如shiro-example-chapter23-server:

  1. <parent>
  2. <artifactId>shiro-example-chapter23-pom</artifactId>
  3. <groupId>com.github.zhangkaitao</groupId>
  4. <version>1.0-SNAPSHOT</version>
  5. </parent>

2、shiro-example-chapter23-core模块:提供给shiro-example-chapter23-server、shiro-example-chapter23-client、shiro-example-chapter23-app*模块的核心依赖,比如远程调用接口等;

3、shiro-example-chapter23-server模块:提供了用户、应用、权限管理功能;

4、shiro-example-chapter23-client模块:提供给应用模块获取会话及应用对应的权限信息;

5、shiro-example-chapter23-app*模块:各个子应用,如一些内部管理系统应用;其登录都跳到shiro-example-chapter23-server登录;另外权限都从shiro-example-chapter23-server获取(如通过远程调用)。

shiro-example-chapter23-pom模块

其pom.xml的packaging类型为pom,并且在该pom中加入其他模块需要的依赖,然后其他模块只需要把该模块设置为parent即可自动继承这些依赖,如shiro-example-chapter23-server模块:

  1. <parent>
  2. <artifactId>shiro-example-chapter23-pom</artifactId>
  3. <groupId>com.github.zhangkaitao</groupId>
  4. <version>1.0-SNAPSHOT</version>
  5. </parent>

简化其他模块的依赖配置等。

shiro-example-chapter23-core模块

提供了其他模块共有的依赖,如远程调用接口:

  1. public interface RemoteServiceInterface {
  2. public Session getSession(String appKey, Serializable sessionId);
  3. Serializable createSession(Session session);
  4. public void updateSession(String appKey, Session session);
  5. public void deleteSession(String appKey, Session session);
  6. public PermissionContext getPermissions(String appKey, String username);
  7. }

提供了会话的CRUD,及根据应用key和用户名获取权限上下文(包括角色和权限字符串);shiro-example-chapter23-server模块服务端实现;shiro-example-chapter23-client模块客户端调用。

另外提供了com.github.zhangkaitao.shiro.chapter23.core.ClientSavedRequest,其扩展了org.apache.shiro.web.util.SavedRequest;用于shiro-example-chapter23-app*模块当访问一些需要登录的请求时,自动把请求保存下来,然后重定向到shiro-example-chapter23-server模块登录;登录成功后再重定向回来;因为SavedRequest不保存URL中的schema://domain:port部分;所以才需要扩展SavedRequest;使得ClientSavedRequest能保存schema://domain:port;这样才能从一个应用重定向另一个(要不然只能在一个应用内重定向):

  1. public String getRequestUrl() {
  2. String requestURI = getRequestURI();
  3. if(backUrl != null) {//1
  4. if(backUrl.toLowerCase().startsWith("http://") || backUrl.toLowerCase().startsWith("https://")) {
  5. return backUrl;
  6. } else if(!backUrl.startsWith(contextPath)) {//2
  7. requestURI = contextPath + backUrl;
  8. } else {//3
  9. requestURI = backUrl;
  10. }
  11. }
  12. StringBuilder requestUrl = new StringBuilder(scheme);//4
  13. requestUrl.append("://");
  14. requestUrl.append(domain);//5
  15. //6
  16. if("http".equalsIgnoreCase(scheme) && port != 80) {
  17. requestUrl.append(":").append(String.valueOf(port));
  18. } else if("https".equalsIgnoreCase(scheme) && port != 443) {
  19. requestUrl.append(":").append(String.valueOf(port));
  20. }
  21. //7
  22. requestUrl.append(requestURI);
  23. //8
  24. if (backUrl == null && getQueryString() != null) {
  25. requestUrl.append("?").append(getQueryString());
  26. }
  27. return requestUrl.toString();
  28. }

1、如果从外部传入了successUrl(登录成功之后重定向的地址),且以http://或https://开头那么直接返回(相应的拦截器直接重定向到它即可);

2、如果successUrl有值但没有上下文,拼上上下文;

3、否则,如果successUrl有值,直接赋值给requestUrl即可;否则,如果successUrl没值,那么requestUrl就是当前请求的地址;

5、拼上url前边的schema,如http或https;

6、拼上域名;

7、拼上重定向到的地址(带上下文);

8、如果successUrl没值,且有查询参数,拼上;

9返回该地址,相应的拦截器直接重定向到它即可。

shiro-example-chapter23-server模块

简单的实体关系图 

简单数据字典

用户(sys_user)

名称

类型

长度

描述

id

bigint

编号 主键

username

varchar

100

用户名

password

varchar

100

密码

salt

varchar

50

locked

bool

账户是否锁定

应用(sys_app)

名称

类型

长度

描述

id

bigint

编号 主键

name

varchar

100

应用名称

app_key

varchar

100

应用key(唯一)

app_secret

varchar

100

应用安全码

available

bool

是否锁定

授权(sys_authorization)

名称

类型

长度

描述

id

bigint

编号 主键

user_id

bigint

所属用户

app_id

bigint

所属应用

role_ids

varchar

100

角色列表

用户:比《第十六章 综合实例》少了role_ids,因为本章是多项目集中权限管理;所以授权时需要指定相应的应用;而不是直接给用户授权;所以不能在用户中出现role_ids了;

应用:所有集中权限的应用;在此处需要指定应用key(app_key)和应用安全码(app_secret),app在访问server时需要指定自己的app_key和用户名来获取该app对应用户权限信息;另外app_secret可以认为app的密码,比如需要安全访问时可以考虑使用它,可参考《第二十章 无状态Web应用集成》。另外available属性表示该应用当前是否开启;如果false表示该应用当前不可用,即不能获取到相应的权限信息。

授权:给指定的用户在指定的app下授权,即角色是与用户和app存在关联关系。

因为本章使用了《第十六章 综合实例》代码,所以还有其他相应的表结构(本章未使用到)。

 

/数据SQL

具体请参考

sql/ shiro-schema.sql (表结构)

sql/ shiro-data.sql  (初始数据)

实体

具体请参考com.github.zhangkaitao.shiro.chapter23.entity包下的实体,此处就不列举了。

DAO

具体请参考com.github.zhangkaitao.shiro.chapter23.dao包下的DAO接口及实现。

Service

具体请参考com.github.zhangkaitao.shiro.chapter23.service包下的Service接口及实现。以下是出了基本CRUD之外的关键接口:

  1. public interface AppService {
  2. public Long findAppIdByAppKey(String appKey);// 根据appKey查找AppId
  3. }
  1. public interface AuthorizationService {
  2. //根据AppKey和用户名查找其角色
  3. public Set<String> findRoles(String appKey, String username);
  4. //根据AppKey和用户名查找权限字符串
  5. public Set<String> findPermissions(String appKey, String username);
  6. }

根据AppKey和用户名查找用户在指定应用中对于的角色和权限字符串。

UserRealm 

  1. protected AuthorizationInfo doGetAuthorizationInfo(PrincipalCollection principals) {
  2. String username = (String)principals.getPrimaryPrincipal();
  3. SimpleAuthorizationInfo authorizationInfo = new SimpleAuthorizationInfo();
  4. authorizationInfo.setRoles(
  5. authorizationService.findRoles(Constants.SERVER_APP_KEY, username));
  6. authorizationInfo.setStringPermissions(
  7. authorizationService.findPermissions(Constants.SERVER_APP_KEY, username));
  8. return authorizationInfo;
  9. }

此处需要调用AuthorizationService的findRoles/findPermissions方法传入AppKey和用户名来获取用户的角色和权限字符串集合。其他的和《第十六章 综合实例》代码一样。

 

ServerFormAuthenticationFilter

  1. public class ServerFormAuthenticationFilter extends FormAuthenticationFilter {
  2. protected void issueSuccessRedirect(ServletRequest request, ServletResponse response) throws Exception {
  3. String fallbackUrl = (String) getSubject(request, response)
  4. .getSession().getAttribute("authc.fallbackUrl");
  5. if(StringUtils.isEmpty(fallbackUrl)) {
  6. fallbackUrl = getSuccessUrl();
  7. }
  8. WebUtils.redirectToSavedRequest(request, response, fallbackUrl);
  9. }
  10. }

因为是多项目登录,比如如果是从其他应用中重定向过来的,首先检查Session中是否有“authc.fallbackUrl”属性,如果有就认为它是默认的重定向地址;否则使用Server自己的successUrl作为登录成功后重定向到的地址。

MySqlSessionDAO

将会话持久化到Mysql数据库;此处大家可以将其实现为如存储到Redis/Memcached等,实现策略请参考《第十章 会话管理》中的会话存储/持久化章节的MySessionDAO,完全一样。

MySqlSessionValidationScheduler

和《第十章 会话管理》中的会话验证章节部分中的MySessionValidationScheduler完全一样。如果使用如Redis之类的有自动过期策略的DB,完全可以不用实现SessionValidationScheduler,直接借助于这些DB的过期策略即可。

RemoteService 

  1. public class RemoteService implements RemoteServiceInterface {
  2. @Autowired  private AuthorizationService authorizationService;
  3. @Autowired  private SessionDAO sessionDAO;
  4. public Session getSession(String appKey, Serializable sessionId) {
  5. return sessionDAO.readSession(sessionId);
  6. }
  7. public Serializable createSession(Session session) {
  8. return sessionDAO.create(session);
  9. }
  10. public void updateSession(String appKey, Session session) {
  11. sessionDAO.update(session);
  12. }
  13. public void deleteSession(String appKey, Session session) {
  14. sessionDAO.delete(session);
  15. }
  16. public PermissionContext getPermissions(String appKey, String username) {
  17. PermissionContext permissionContext = new PermissionContext();
  18. permissionContext.setRoles(authorizationService.findRoles(appKey, username));
  19. permissionContext.setPermissions(authorizationService.findPermissions(appKey, username));
  20. return permissionContext;
  21. }
  22. }

将会使用HTTP调用器暴露为远程服务,这样其他应用就可以使用相应的客户端调用这些接口进行Session的集中维护及根据AppKey和用户名获取角色/权限字符串集合。此处没有实现安全校验功能,如果是局域网内使用可以通过限定IP完成;否则需要使用如《第二十章 无状态Web应用集成》中的技术完成安全校验。

然后在spring-mvc-remote-service.xml配置文件把服务暴露出去:

  1. <bean id="remoteService"
  2. class="com.github.zhangkaitao.shiro.chapter23.remote.RemoteService"/>
  3. <bean name="/remoteService"
  4. class="org.springframework.remoting.httpinvoker.HttpInvokerServiceExporter">
  5. <property name="service" ref="remoteService"/>
  6. <property name="serviceInterface"
  7. value="com.github.zhangkaitao.shiro.chapter23.remote.RemoteServiceInterface"/>
  8. </bean>

Shiro配置文件spring-config-shiro.xml

和《第十六章 综合实例》配置类似,但是需要在shiroFilter中的filterChainDefinitions中添加如下配置,即远程调用不需要身份认证:

  1. /remoteService = anon

对于userRealm的缓存配置直接禁用;因为如果开启,修改了用户权限不会自动同步到缓存;另外请参考《第十一章 缓存机制》进行缓存的正确配置。

服务器端数据维护

1、首先开启ngnix反向代理;然后就可以直接访问http://localhost/chapter23-server/

2、输入默认的用户名密码:admin/123456登录

3、应用管理,进行应用的CRUD,主要维护应用KEY(必须唯一)及应用安全码;客户端就可以使用应用KEY获取用户对应应用的权限了。

4、授权管理,维护在哪个应用中用户的角色列表。这样客户端就可以根据应用KEY及用户名获取到对应的角色/权限字符串列表了。

shiro-example-chapter23-client模块

Client模块提供给其他应用模块依赖,这样其他应用模块只需要依赖Client模块,然后再在相应的配置文件中配置如登录地址、远程接口地址、拦截器链等等即可,简化其他应用模块的配置。

配置远程服务spring-client-remote-service.xml

  1. <bean id="remoteService"
  2. class="org.springframework.remoting.httpinvoker.HttpInvokerProxyFactoryBean">
  3. <property name="serviceUrl" value="${client.remote.service.url}"/>
  4. <property name="serviceInterface"
  5. value="com.github.zhangkaitao.shiro.chapter23.remote.RemoteServiceInterface"/>
  6. </bean>

client.remote.service.url是远程服务暴露的地址;通过相应的properties配置文件配置,后续介绍。然后就可以通过remoteService获取会话及角色/权限字符串集合了。

ClientRealm 

  1. public class ClientRealm extends AuthorizingRealm {
  2. private RemoteServiceInterface remoteService;
  3. private String appKey;
  4. public void setRemoteService(RemoteServiceInterface remoteService) {
  5. this.remoteService = remoteService;
  6. }
  7. public void setAppKey(String appKey) {
  8. this.appKey = appKey;
  9. }
  10. protected AuthorizationInfo doGetAuthorizationInfo(PrincipalCollection principals) {
  11. String username = (String) principals.getPrimaryPrincipal();
  12. SimpleAuthorizationInfo authorizationInfo = new SimpleAuthorizationInfo();
  13. PermissionContext context = remoteService.getPermissions(appKey, username);
  14. authorizationInfo.setRoles(context.getRoles());
  15. authorizationInfo.setStringPermissions(context.getPermissions());
  16. return authorizationInfo;
  17. }
  18. protected AuthenticationInfo doGetAuthenticationInfo(AuthenticationToken token) throws AuthenticationException {
  19. //永远不会被调用
  20. throw new UnsupportedOperationException("永远不会被调用");
  21. }
  22. }

ClientRealm提供身份认证信息和授权信息,此处因为是其他应用依赖客户端,而这些应用不会实现身份认证,所以doGetAuthenticationInfo获取身份认证信息直接无须实现。另外获取授权信息,是通过远程暴露的服务RemoteServiceInterface获取,提供appKey和用户名获取即可。

ClientSessionDAO

  1. public class ClientSessionDAO extends CachingSessionDAO {
  2. private RemoteServiceInterface remoteService;
  3. private String appKey;
  4. public void setRemoteService(RemoteServiceInterface remoteService) {
  5. this.remoteService = remoteService;
  6. }
  7. public void setAppKey(String appKey) {
  8. this.appKey = appKey;
  9. }
  10. protected void doDelete(Session session) {
  11. remoteService.deleteSession(appKey, session);
  12. }
  13. protected void doUpdate(Session session) {
  14. remoteService.updateSession(appKey, session);
  15. }
  16. protected Serializable doCreate(Session session) {
  17. Serializable sessionId = remoteService.createSession(session);
  18. assignSessionId(session, sessionId);
  19. return sessionId;
  20. }
  21. protected Session doReadSession(Serializable sessionId) {
  22. return remoteService.getSession(appKey, sessionId);
  23. }
  24. }

Session的维护通过远程暴露接口实现,即本地不维护会话。

ClientAuthenticationFilter 

  1. public class ClientAuthenticationFilter extends AuthenticationFilter {
  2. protected boolean isAccessAllowed(ServletRequest request, ServletResponse response, Object mappedValue) {
  3. Subject subject = getSubject(request, response);
  4. return subject.isAuthenticated();
  5. }
  6. protected boolean onAccessDenied(ServletRequest request, ServletResponse response) throws Exception {
  7. String backUrl = request.getParameter("backUrl");
  8. saveRequest(request, backUrl, getDefaultBackUrl(WebUtils.toHttp(request)));
  9. return false;
  10. }
  11. protected void saveRequest(ServletRequest request, String backUrl, String fallbackUrl) {
  12. Subject subject = SecurityUtils.getSubject();
  13. Session session = subject.getSession();
  14. HttpServletRequest httpRequest = WebUtils.toHttp(request);
  15. session.setAttribute("authc.fallbackUrl", fallbackUrl);
  16. SavedRequest savedRequest = new ClientSavedRequest(httpRequest, backUrl);
  17. session.setAttribute(WebUtils.SAVED_REQUEST_KEY, savedRequest);
  18. }
  19. private String getDefaultBackUrl(HttpServletRequest request) {
  20. String scheme = request.getScheme();
  21. String domain = request.getServerName();
  22. int port = request.getServerPort();
  23. String contextPath = request.getContextPath();
  24. StringBuilder backUrl = new StringBuilder(scheme);
  25. backUrl.append("://");
  26. backUrl.append(domain);
  27. if("http".equalsIgnoreCase(scheme) && port != 80) {
  28. backUrl.append(":").append(String.valueOf(port));
  29. } else if("https".equalsIgnoreCase(scheme) && port != 443) {
  30. backUrl.append(":").append(String.valueOf(port));
  31. }
  32. backUrl.append(contextPath);
  33. backUrl.append(getSuccessUrl());
  34. return backUrl.toString();
  35. }
  36. }

ClientAuthenticationFilter是用于实现身份认证的拦截器(authc),当用户没有身份认证时;

1、首先得到请求参数backUrl,即登录成功重定向到的地址;

2、然后保存保存请求到会话,并重定向到登录地址(server模块);

3、登录成功后,返回地址按照如下顺序获取:backUrl、保存的当前请求地址、defaultBackUrl(即设置的successUrl);

ClientShiroFilterFactoryBean 

  1. public class ClientShiroFilterFactoryBean extends ShiroFilterFactoryBean implements ApplicationContextAware {
  2. private ApplicationContext applicationContext;
  3. public void setApplicationContext(ApplicationContext applicationContext) {
  4. this.applicationContext = applicationContext;
  5. }
  6. public void setFiltersStr(String filters) {
  7. if(StringUtils.isEmpty(filters)) {
  8. return;
  9. }
  10. String[] filterArray = filters.split(";");
  11. for(String filter : filterArray) {
  12. String[] o = filter.split("=");
  13. getFilters().put(o[0], (Filter)applicationContext.getBean(o[1]));
  14. }
  15. }
  16. public void setFilterChainDefinitionsStr(String filterChainDefinitions) {
  17. if(StringUtils.isEmpty(filterChainDefinitions)) {
  18. return;
  19. }
  20. String[] chainDefinitionsArray = filterChainDefinitions.split(";");
  21. for(String filter : chainDefinitionsArray) {
  22. String[] o = filter.split("=");
  23. getFilterChainDefinitionMap().put(o[0], o[1]);
  24. }
  25. }
  26. }

1、setFiltersStr:设置拦截器,设置格式如“filterName=filterBeanName; filterName=filterBeanName”;多个之间分号分隔;然后通过applicationContext获取filterBeanName对应的Bean注册到拦截器Map中;

2、setFilterChainDefinitionsStr:设置拦截器链,设置格式如“url=filterName1[config],filterName2; url=filterName1[config],filterName2”;多个之间分号分隔;

Shiro客户端配置spring-client.xml

提供了各应用通用的Shiro客户端配置;这样应用只需要导入相应该配置即可完成Shiro的配置,简化了整个配置过程。

  1. <context:property-placeholder location=
  2. "classpath:client/shiro-client-default.properties,classpath:client/shiro-client.properties"/>

提供给客户端配置的properties属性文件,client/shiro-client-default.properties是客户端提供的默认的配置;classpath:client/shiro-client.properties是用于覆盖客户端默认配置,各应用应该提供该配置文件,然后提供各应用个性配置。

  1. <bean id="remoteRealm" class="com.github.zhangkaitao.shiro.chapter23.client.ClientRealm">
  2. <property name="cachingEnabled" value="false"/>
  3. <property name="appKey" value="${client.app.key}"/>
  4. <property name="remoteService" ref="remoteService"/>
  5. </bean>

appKey:使用${client.app.key}占位符替换,即需要在之前的properties文件中配置。

  1. <bean id="sessionIdCookie" class="org.apache.shiro.web.servlet.SimpleCookie">
  2. <constructor-arg value="${client.session.id}"/>
  3. <property name="httpOnly" value="true"/>
  4. <property name="maxAge" value="-1"/>
  5. <property name="domain" value="${client.cookie.domain}"/>
  6. <property name="path" value="${client.cookie.path}"/>
  7. </bean>

Session Id Cookie,cookie名字、域名、路径等都是通过配置文件配置。

  1. <bean id="sessionDAO"
  2. class="com.github.zhangkaitao.shiro.chapter23.client.ClientSessionDAO">
  3. <property name="sessionIdGenerator" ref="sessionIdGenerator"/>
  4. <property name="appKey" value="${client.app.key}"/>
  5. <property name="remoteService" ref="remoteService"/>
  6. </bean>

SessionDAO的appKey,也是通过${ client.app.key }占位符替换,需要在配置文件配置。

  1. <bean id="sessionManager"
  2. class="org.apache.shiro.web.session.mgt.DefaultWebSessionManager">
  3. <property name="sessionValidationSchedulerEnabled" value="false"/>//省略其他
  4. </bean>

其他应用无须进行会话过期调度,所以sessionValidationSchedulerEnabled=false。

  1. <bean id="clientAuthenticationFilter"
  2. class="com.github.zhangkaitao.shiro.chapter23.client.ClientAuthenticationFilter"/>

应用的身份认证使用ClientAuthenticationFilter,即如果没有身份认证,则会重定向到Server模块完成身份认证,身份认证成功后再重定向回来。

  1. <bean id="shiroFilter"
  2. class="com.github.zhangkaitao.shiro.chapter23.client.ClientShiroFilterFactoryBean">
  3. <property name="securityManager" ref="securityManager"/>
  4. <property name="loginUrl" value="${client.login.url}"/>
  5. <property name="successUrl" value="${client.success.url}"/>
  6. <property name="unauthorizedUrl" value="${client.unauthorized.url}"/>
  7. <property name="filters">
  8. <util:map>
  9. <entry key="authc" value-ref="clientAuthenticationFilter"/>
  10. </util:map>
  11. </property>
  12. <property name="filtersStr" value="${client.filters}"/>
  13. <property name="filterChainDefinitionsStr" value="${client.filter.chain.definitions}"/>
  14. </bean>

ShiroFilter使用我们自定义的ClientShiroFilterFactoryBean,然后loginUrl(登录地址)、successUrl(登录成功后默认的重定向地址)、unauthorizedUrl(未授权重定向到的地址)通过占位符替换方式配置;另外filtersStr和filterChainDefinitionsStr也是使用占位符替换方式配置;这样就可以在各应用进行自定义了。

默认配置client/ shiro-client-default.properties 

  1. #各应用的appKey
  2. client.app.key=
  3. #远程服务URL地址
  4. client.remote.service.url=http://localhost/chapter23-server/remoteService
  5. #登录地址
  6. client.login.url=http://localhost/chapter23-server/login
  7. #登录成功后,默认重定向到的地址
  8. client.success.url=/
  9. #未授权重定向到的地址
  10. client.unauthorized.url=http://localhost/chapter23-server/unauthorized
  11. #session id 域名
  12. client.cookie.domain=
  13. #session id 路径
  14. client.cookie.path=/
  15. #cookie中的session id名称
  16. client.session.id=sid
  17. #cookie中的remember me名称
  18. client.rememberMe.id=rememberMe
  19. #过滤器 name=filter-ref;name=filter-ref
  20. client.filters=
  21. #过滤器链 格式 url=filters;url=filters
  22. client.filter.chain.definitions=/**=anon

在各应用中主要配置client.app.key、client.filters、client.filter.chain.definitions。

shiro-example-chapter23-app*模块

继承shiro-example-chapter23-pom模块 

  1. <parent>
  2. <artifactId>shiro-example-chapter23-pom</artifactId>
  3. <groupId>com.github.zhangkaitao</groupId>
  4. <version>1.0-SNAPSHOT</version>
  5. </parent>

依赖shiro-example-chapter23-client模块

<dependency>
<groupId>com.github.zhangkaitao</groupId>
<artifactId>shiro-example-chapter23-client</artifactId>
<version>1.0-SNAPSHOT</version>
</dependency> 

客户端配置client/shiro-client.properties

配置shiro-example-chapter23-app1

  1. client.app.key=645ba612-370a-43a8-a8e0-993e7a590cf0
  2. client.success.url=/hello
  3. client.filter.chain.definitions=/hello=anon;/login=authc;/**=authc

client.app.key是server模块维护的,直接拷贝过来即可;client.filter.chain.definitions定义了拦截器链;比如访问/hello,匿名即可。

配置shiro-example-chapter23-app2 

  1. client.app.key=645ba613-370a-43a8-a8e0-993e7a590cf0
  2. client.success.url=/hello
  3. client.filter.chain.definitions=/hello=anon;/login=authc;/**=authc

和app1类似,client.app.key是server模块维护的,直接拷贝过来即可;client.filter.chain.definitions定义了拦截器链;比如访问/hello,匿名即可。

web.xml 

  1. <context-param>
  2. <param-name>contextConfigLocation</param-name>
  3. <param-value>
  4. classpath:client/spring-client.xml
  5. </param-value>
  6. </context-param>
  7. <listener>
  8. <listener-class>
  9. org.springframework.web.context.ContextLoaderListener
  10. </listener-class>
  11. </listener>

指定加载客户端Shiro配置,client/spring-client.xml。

  1. <filter>
  2. <filter-name>shiroFilter</filter-name>
  3. <filter-class>org.springframework.web.filter.DelegatingFilterProxy</filter-class>
  4. <init-param>
  5. <param-name>targetFilterLifecycle</param-name>
  6. <param-value>true</param-value>
  7. </init-param>
  8. </filter>
  9. <filter-mapping>
  10. <filter-name>shiroFilter</filter-name>
  11. <url-pattern>/*</url-pattern>
  12. </filter-mapping>

配置ShiroFilter拦截器。

控制器

shiro-example-chapter23-app1

  1. @Controller
  2. public class HelloController {
  3. @RequestMapping("/hello")
  4. public String hello() {
  5. return "success";
  6. }
  7. @RequestMapping(value = "/attr", method = RequestMethod.POST)
  8. public String setAttr(
  9. @RequestParam("key") String key, @RequestParam("value") String value) {
  10. SecurityUtils.getSubject().getSession().setAttribute(key, value);
  11. return "success";
  12. }
  13. @RequestMapping(value = "/attr", method = RequestMethod.GET)
  14. public String getAttr(
  15. @RequestParam("key") String key, Model model) {
  16. model.addAttribute("value",
  17. SecurityUtils.getSubject().getSession().getAttribute(key));
  18. return "success";
  19. }
  20. @RequestMapping("/role1")
  21. @RequiresRoles("role1")
  22. public String role1() {
  23. return "success";
  24. }
  25. }

shiro-example-chapter23-app2的控制器类似,role2方法使用@RequiresRoles("role2")注解,即需要角色2。

其他配置请参考源码。

测试

1、安装配置启动nginx

1、首先到http://nginx.org/en/download.html下载,比如我下载的是windows版本的;

2、然后编辑conf/nginx.conf配置文件,在server部分添加如下部分:

  1. location ~ ^/(chapter23-server)/ {
  2. proxy_pass http://127.0.0.1:8080;
  3. index /;
  4. proxy_set_header Host $host;
  5. }
  6. location ~ ^/(chapter23-app1)/ {
  7. proxy_pass http://127.0.0.1:9080;
  8. index /;
  9. proxy_set_header Host $host;
  10. }
  11. location ~ ^/(chapter23-app2)/ {
  12. proxy_pass http://127.0.0.1:10080;
  13. index /;
  14. proxy_set_header Host $host;
  15. }

3、最后双击nginx.exe启动Nginx即可。

已经配置好的nginx请到shiro-example-chapter23-nginx模块下下周nginx-1.5.11.rar即可。

2、安装依赖

1、首先安装shiro-example-chapter23-core依赖,到shiro-example-chapter23-core模块下运行mvn install安装core模块。

2、接着到shiro-example-chapter23-client模块下运行mvn install安装客户端模块。

3、启动Server模块

到shiro-example-chapter23-server模块下运行mvn jetty:run启动该模块;使用http://localhost:8080/chapter23-server/即可访问,因为启动了nginx,那么可以直接访问http://localhost/chapter23-server/

4、启动App*模块

到shiro-example-chapter23-app1和shiro-example-chapter23-app2模块下分别运行mvn jetty:run启动该模块;使用http://localhost:9080/chapter23-app1/http://localhost:10080/chapter23-app2/即可访问,因为启动了nginx,那么可以直接访问http://localhost/chapter23-app1/http://localhost/chapter23-app2/

5、服务器端维护

1、访问http://localhost/chapter23-server/

2、输入默认的用户名密码:admin/123456登录

3、应用管理,进行应用的CRUD,主要维护应用KEY(必须唯一)及应用安全码;客户端就可以使用应用KEY获取用户对应应用的权限了。

4、授权管理,维护在哪个应用中用户的角色列表。这样客户端就可以根据应用KEY及用户名获取到对应的角色/权限字符串列表了。

6App*模块身份认证及授权

1、在未登录情况下访问http://localhost/chapter23-app1/hello,看到下图:

 2、登录地址是http://localhost/chapter23-app1/login?backUrl=/chapter23-app1,即登录成功后重定向回http://localhost/chapter23-app1(这是个错误地址,为了测试登录成功后重定向地址),点击登录按钮后重定向到Server模块的登录界面:

3、登录成功后,会重定向到相应的登录成功地址;接着访问http://localhost/chapter23-app1/hello,看到如下图:

4、可以看到admin登录,及其是否拥有role1/role2角色;可以在server模块移除role1角色或添加role2角色看看页面变化;

5、可以在http://localhost/chapter23-app1/hello页面设置属性,如key=123;接着访问http://localhost/chapter23-app2/attr?key=key就可以看到刚才设置的属性,如下图:

另外在app2,用户默认拥有role2角色,而没有role1角色。

到此整个测试就完成了,可以看出本示例实现了:会话的分布式及权限的集中管理。

本示例缺点

1、没有加缓存;

2、客户端每次获取会话/权限都需要通过客户端访问服务端;造成服务端单点和请求压力大;单点可以考虑使用集群来解决;请求压力大需要考虑配合缓存服务器(如Redis)来解决;即每次会话/权限获取时首先查询缓存中是否存在,如果有直接获取即可;否则再查服务端;降低请求压力;

3、会话的每次更新(比如设置属性/更新最后访问时间戳)都需要同步到服务端;也造成了请求压力过大;可以考虑在请求的最后只同步一次会话(需要对Shiro会话进行改造,通过如拦截器在执行完请求后完成同步,这样每次请求只同步一次);

4、只能同域名才能使用,即会话ID是从同一个域名下获取,如果跨域请考虑使用CAS/OAuth2之实现。

所以实际应用时可能还是需要改造的,但大体思路是差不多的。

第二十四章 在线会话管理——《跟我学Shiro》

有时候需要显示当前在线人数、当前在线用户,有时候可能需要强制某个用户下线等;此时就需要获取相应的在线用户并进行一些操作。

本章基于《第十六章 综合实例》代码构建。

会话控制器

  1. @RequiresPermissions("session:*")
  2. @Controller
  3. @RequestMapping("/sessions")
  4. public class SessionController {
  5. @Autowired
  6. private SessionDAO sessionDAO;
  7. @RequestMapping()
  8. public String list(Model model) {
  9. Collection<Session> sessions =  sessionDAO.getActiveSessions();
  10. model.addAttribute("sessions", sessions);
  11. model.addAttribute("sesessionCount", sessions.size());
  12. return "sessions/list";
  13. }
  14. @RequestMapping("/{sessionId}/forceLogout")
  15. public String forceLogout(@PathVariable("sessionId") String sessionId,
  16. RedirectAttributes redirectAttributes) {
  17. try {
  18. Session session = sessionDAO.readSession(sessionId);
  19. if(session != null) {
  20. session.setAttribute(
  21. Constants.SESSION_FORCE_LOGOUT_KEY, Boolean.TRUE);
  22. }
  23. } catch (Exception e) {/*ignore*/}
  24. redirectAttributes.addFlashAttribute("msg", "强制退出成功!");
  25. return "redirect:/sessions";
  26. }
  27. }

1、list方法:提供了展示所有在线会话列表,通过sessionDAO.getActiveSessions()获取所有在线的会话。

2、forceLogout方法:强制退出某一个会话,此处只在指定会话中设置Constants.SESSION_FORCE_LOGOUT_KEY属性,之后通过ForceLogoutFilter判断并进行强制退出。

此处展示会话列表的缺点是:sessionDAO.getActiveSessions()提供了获取所有活跃会话集合,如果做一般企业级应用问题不大,因为在线用户不多;但是如果应用的在线用户非常多,此种方法就不适合了,解决方案就是分页获取:

  1. Page<Session> getActiveSessions(int pageNumber, int pageSize);

Page对象除了包含pageNumber、pageSize属性之外,还包含totalSessions(总会话数)、Collection<Session> (当前页的会话)。

分页获取时,如果是MySQL这种关系数据库存储会话比较好办,如果使用Redis这种数据库可以考虑这样存储:

  1. session.id=会话序列化数据
  2. session.ids=会话id Set列表(接着可以使用LLEN获取长度,LRANGE分页获取)

会话创建时(如sessionId=123),那么redis命令如下所示:

  1. SET session.123 "Session序列化数据"
  2. LPUSH session.ids 123

会话删除时(如sessionId=123),那么redis命令如下所示:

  1. DEL session.123
  2. LREM session.ids 123

获取总活跃会话:

  1. LLEN session.ids

分页获取活跃会话:

  1. LRANGE key 0 10 #获取到会话ID
  2. MGET session.1 session.2……  #根据第一条命令获取的会话ID获取会话数据

ForceLogoutFilter

  1. public class ForceLogoutFilter extends AccessControlFilter {
  2. protected boolean isAccessAllowed(ServletRequest request, ServletResponse response, Object mappedValue) throws Exception {
  3. Session session = getSubject(request, response).getSession(false);
  4. if(session == null) {
  5. return true;
  6. }
  7. return session.getAttribute(Constants.SESSION_FORCE_LOGOUT_KEY) == null;
  8. }
  9. protected boolean onAccessDenied(ServletRequest request, ServletResponse response) throws Exception {
  10. try {
  11. getSubject(request, response).logout();//强制退出
  12. } catch (Exception e) {/*ignore exception*/}
  13. String loginUrl = getLoginUrl() + (getLoginUrl().contains("?") ? "&" : "?") + "forceLogout=1";
  14. WebUtils.issueRedirect(request, response, loginUrl);
  15. return false;
  16. }
  17. }

强制退出拦截器,如果用户会话中存在Constants.SESSION_FORCE_LOGOUT_KEY属性,表示被管理员强制退出了;然后调用Subject.logout()退出,且重定向到登录页面(自动拼上fourceLogout请求参数)。

登录控制器

在LoginController类的showLoginForm方法中最后添加如下代码:

  1. if(req.getParameter("forceLogout") != null) {
  2. model.addAttribute("error", "您已经被管理员强制退出,请重新登录");
  3. }

即如果有请求参数forceLogout表示是管理员强制退出的,在界面上显示相应的信息。

Shiro配置spring-config-shiro.xml

和之前的唯一区别是在shiroFilter中的filterChainDefinitions拦截器链定义中添加了forceLogout拦截器:

  1. /** = forceLogout,user,sysUser

测试

1、首先输入http://localhost:8080/chapter24/跳转到登录页面输入admin/123456登录;

2、登录成功后,点击菜单的“会话管理”,可以看到当前在线会话列表:

3、点击“强制退出”按钮,会话相应的用户再点击界面的话会看到如下界面,表示已经被强制退出了: 

学Shiro完结版-5的更多相关文章

  1. 跟我学Shiro目录贴

    转发地址:https://www.iteye.com/blog/jinnianshilongnian-2018398 扫一扫,关注我的公众号 购买地址 历经三个月左右时间,<跟我学Shiro&g ...

  2. 【知识整理】这可能是最好的RxJava 2.x 教程(完结版)

    为什么要学 RxJava? 提升开发效率,降低维护成本一直是开发团队永恒不变的宗旨.近两年来国内的技术圈子中越来越多的开始提及 RxJava ,越来越多的应用和面试中都会有 RxJava ,而就目前的 ...

  3. 第十七章 OAuth2集成——《跟我学Shiro》

    目录贴:跟我学Shiro目录贴 目前很多开放平台如新浪微博开放平台都在使用提供开放API接口供开发者使用,随之带来了第三方应用要到开放平台进行授权的问题,OAuth就是干这个的,OAuth2是OAut ...

  4. 第一章 Shiro简介——《跟我学Shiro》(转)

    目录贴:跟我学Shiro目录贴 1.1  简介 Apache Shiro是Java的一个安全框架.目前,使用Apache Shiro的人越来越多,因为它相当简单,对比Spring Security,可 ...

  5. 跟开涛老师学shiro -- 编码/加密

    在涉及到密码存储问题上,应该加密/生成密码摘要存储,而不是存储明文密码.比如之前的600w csdn账号泄露对用户可能造成很大损失,因此应加密/生成不可逆的摘要方式存储. 5.1 编码/解码 Shir ...

  6. 跟开涛老师学shiro -- INI配置

    之前章节我们已经接触过一些INI配置规则了,如果大家使用过如spring之类的IoC/DI容器的话,Shiro提供的INI配置也是非常类似的,即可以理解为是一个IoC/DI容器,但是区别在于它从一个根 ...

  7. 跟开涛老师学shiro -- 授权

    授权,也叫访问控制,即在应用中控制谁能访问哪些资源(如访问页面/编辑数据/页面操作等).在授权中需了解的几个关键对象:主体(Subject).资源(Resource).权限(Permission).角 ...

  8. 跟开涛老师学shiro -- 身份验证

    身份验证,即在应用中谁能证明他就是他本人.一般提供如他们的身份ID一些标识信息来表明他就是他本人,如提供身份证,用户名/密码来证明. 在shiro中,用户需要提供principals (身份)和cre ...

  9. 跟开涛老师学shiro -- shiro简介

    1.1  简介 Apache Shiro是Java的一个安全框架.目前,使用Apache Shiro的人越来越多,因为它相当简单,对比Spring Security,可能没有Spring Securi ...

  10. 【转】Android 开发规范(完结版)

    摘要 1 前言 2 AS 规范 3 命名规范 4 代码样式规范 5 资源文件规范 6 版本统一规范 7 第三方库规范 8 注释规范 9 测试规范 10 其他的一些规范 1 前言 为了有利于项目维护.增 ...

随机推荐

  1. 《Django 5 By Example》阅读笔记:p651-p678

    <Django 5 By Example>学习第9天,p651-p678总结,总计28页. 一.技术总结 1.aggregate() (1)aggregate:ad-("to&q ...

  2. JS逆向

    插件工具v_jstools:https://github.com/cilame/v_jstools 对指定的一些操作进行监听 1) 一定要开启 是否挂钩总开关 2)是否启用一下几个加解密函数挂钩输出功 ...

  3. golang工具之generate

    示例: 大家经常碰到命名错误码.状态码的同时,又要同步写码对应的翻译,有没有感觉很无聊.这里举一个例子: package main ​ import "fmt" ​ // 定义错误 ...

  4. 三菱电梯IC卡系统数据库备份与恢复

    查看msde2000的登录方式 sa密码lonele 64位操作系统下 reg query "HKEY_LOCAL_MACHINE\SOFTWARE\WOW6432Node\Microsof ...

  5. 关于ConditionalOnClass注解

    1. pom文件<optional>标签 在Java开发中,大家肯定在pom文件中添加过依赖(现在没有,以后也肯定会有的),不知道大家对<optional>标签的了解有多少,或 ...

  6. vue 的provide 和 inject

    1.功能说明 在开发过程中,在子组件中如何获取父组件或者祖父级的数据.这个我们之前的做法是在子组件中找到父组件实例,然后使用父组件的数据.这样其实不是很自然. 在vue 中提供了 provide 和 ...

  7. 自底向上的语法分析,闭包、GOTO函数

    自底向上的语法分析 一.一个串ω归约(reduction)为文法开始符号的过程 关键问题: 1.何时进行规约,2.用哪个产生式规约 句柄右边的串ω一定只包含终结符号. 如果文法是无二义性的,那么文法的 ...

  8. LSTM学习三维轨迹的Python实现

    一.引言 长短期记忆网络(LSTM)是一种强大的递归神经网络(RNN),广泛应用于时间序列预测.自然语言处理等任务.在处理具有时间序列特征的数据时,LSTM通过引入记忆单元和门控机制,能够更有效地捕捉 ...

  9. WebP图片使用踩坑

    前情 WebP是一种同时提供了有损压缩与无损压缩(可逆压缩)的图片文件格式,最初在2010年发布,目标是减少文件大小,相较于传统的 PNG.JPG,甚至是动图 GIF 的格式,WebP 比它们的空间更 ...

  10. AT_kupc2019_g ABCのG問題题解

    这题的难度不怎么好说,不过我认为还是挺简单的. 我们可以把答案看成由多个子图构成的图,这样我们只需要手打一个小子图,从中推出完整的答案. - 把小于子图范围的地方填上子图的字母 - 如果这个点的横坐标 ...