spring security的原理及教程

来源:互联网 发布:matlab求逆矩阵 编辑:程序博客网 时间:2024/05/21 10:57

spring security使用分类:

如何使用spring security,相信百度过的都知道,总共有四种用法,从简到深为:1、不用数据库,全部数据写在配置文件,这个也是官方文档里面的demo;2、使用数据库,根据spring security默认实现代码设计数据库,也就是说数据库已经固定了,这种方法不灵活,而且那个数据库设计得很简陋,实用性差;3、spring security和Acegi不同,它不能修改默认filter了,但支持插入filter,所以根据这个,我们可以插入自己的filter来灵活使用;4、暴力手段,修改源码,前面说的修改默认filter只是修改配置文件以替换filter而已,这种是直接改了里面的源码,但是这种不符合OO设计原则,而且不实际,不可用。

本文面向读者:

因为本文准备介绍第三种方法,所以面向的读者是已经具备了spring security基础知识的。不过不要紧,读者可以先看一下这个教程,看完应该可以使用第二种方法开发了。

spring security的简单原理:

使用众多的拦截器对url拦截,以此来管理权限。但是这么多拦截器,笔者不可能对其一一来讲,主要讲里面核心流程的两个。

首先,权限管理离不开登陆验证的,所以登陆验证拦截器AuthenticationProcessingFilter要讲;还有就是对访问的资源管理吧,所以资源管理拦截器AbstractSecurityInterceptor要讲;但拦截器里面的实现需要一些组件来实现,所以就有了AuthenticationManager、accessDecisionManager等组件来支撑。

现在先大概过一遍整个流程,用户登陆,会被AuthenticationProcessingFilter拦截,调用AuthenticationManager的实现,而且AuthenticationManager会调用ProviderManager来获取用户验证信息(不同的Provider调用的服务不同,因为这些信息可以是在数据库上,可以是在LDAP服务器上,可以是xml配置文件上等),如果验证通过后会将用户的权限信息封装一个User放到spring的全局缓存SecurityContextHolder中,以备后面访问资源时使用。

访问资源(即授权管理),访问url时,会通过AbstractSecurityInterceptor拦截器拦截,其中会调用FilterInvocationSecurityMetadataSource的方法来获取被拦截url所需的全部权限,在调用授权管理器AccessDecisionManager,这个授权管理器会通过spring的全局缓存SecurityContextHolder获取用户的权限信息,还会获取被拦截的url和被拦截url所需的全部权限,然后根据所配的策略(有:一票决定,一票否定,少数服从多数等),如果权限足够,则返回,权限不够则报错并调用权限不足页面。

虽然讲得好像好复杂,读者们可能有点晕,不过不打紧,真正通过代码的讲解在后面,读者可以看完后面的代码实现,再返回看这个简单的原理,可能会有不错的收获。


其实所有配置都在<http></http>里面,首先这个版本的spring security不支持了filter=none的配置了,改成了独立的<http pattern=”/login.jsp” security=”none”/>,里面你可以配登陆页面、权限不足的返回页面、注销页面等,上面那些配置,我注销了一些资源和权限的对应关系,笔者这里不需要在这配死它,可以自己写拦截器来获得资源与权限的对应关系。

session-management是用来防止多个用户同时登陆一个账号的。

最重要的是笔者自己写的拦截器myFilter(终于讲到重点了),首先这个拦截器会加载在FILTER_SECURITY_INTERCEPTOR之前(配置文件上有说),最主要的是这个拦截器里面配了三个处理类,第一个是authenticationManager,这个是处理验证的,这里需要特别说明的是:这个类不单只这个拦截器用到,还有验证拦截器AuthenticationProcessingFilter也用到 了,而且实际上的登陆验证也是AuthenticationProcessingFilter拦截器调用authenticationManager来处理的,我们这个拦截器只是为了拿到验证用户信息而已(这里不太清楚,因为authenticationManager笔者设了断点,用户登陆后再也没调用这个类了,而且调用这个类时不是笔者自己写的那个拦截器调用的,看了spring技术内幕这本书才知道是AuthenticationProcessingFilter拦截器调用的)。

securityMetadataSource这个用来加载资源与权限的全部对应关系的,并提供一个通过资源获取所有权限的方法。

accessDecisionManager这个也称为授权器,通过登录用户的权限信息、资源、获取资源所需的权限来根据不同的授权策略来判断用户是否有权限访问资源。

authenticationManager类可以有许多provider(提供者)提供用户验证信息,这里笔者自己写了一个类myUserDetailService来获取用户信息。

MyUserDetailService:

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
packagecom.erdangjiade.spring.security; 
 
importjava.util.ArrayList; 
importjava.util.Collection; 
 
importorg.springframework.dao.DataAccessException; 
importorg.springframework.security.core.GrantedAuthority; 
importorg.springframework.security.core.authority.GrantedAuthorityImpl; 
importorg.springframework.security.core.userdetails.User; 
importorg.springframework.security.core.userdetails.UserDetails; 
importorg.springframework.security.core.userdetails.UserDetailsService; 
importorg.springframework.security.core.userdetails.UsernameNotFoundException; 
 
publicclass MyUserDetailService implementsUserDetailsService {  
 
    //登陆验证时,通过username获取用户的所有权限信息, 
    //并返回User放到spring的全局缓存SecurityContextHolder中,以供授权器使用 
    publicUserDetails loadUserByUsername(String username)  
            throwsUsernameNotFoundException, DataAccessException {    
        Collection<GrantedAuthority> auths=newArrayList<GrantedAuthority>();  
 
        GrantedAuthorityImpl auth2=newGrantedAuthorityImpl("ROLE_ADMIN");  
        GrantedAuthorityImpl auth1=newGrantedAuthorityImpl("ROLE_USER");  
 
        if(username.equals("lcy")){  
            auths=newArrayList<GrantedAuthority>();  
            auths.add(auth1); 
            auths.add(auth2);       
        }      
 
        User user = newUser(username, "lcy",true,true,true,true, auths);  
        returnuser;   
        }  
    }

其中UserDetailsService接口是spring提供的,必须实现的。别看这个类只有一个方法,而且这么简单,其中内涵玄机。

读者看到这里可能就大感疑惑了,不是说好的用数据库吗?对,但别急,等笔者慢慢给你们解析。

首先,笔者为什么不用数据库,还不是为了读者们测试方便,并简化spring security的流程,让读者抓住主线,而不是还要烦其他事(导入数据库,配置数据库,写dao等)。

这里笔者只是用几个数据模拟了从数据库中拿到的数据,也就是说ROLE_ADMIN、ROLE_USER、lcy(第一个是登陆账号)、lcy(第二个是密码)是从数据库拿出来的,这个不难实现吧,如果需要数据库时,读者可以用自己写的dao通过参数username来查询出这个用户的权限信息(或是角色信息,就是那个ROLE_*,对必须是ROLE_开头的,不然spring security不认账的,其实是spring security里面做了一个判断,必须要ROLE_开头,读者可以百度改一下),再返回spring自带的数据模型User即可。

这个写应该比较清晰、灵活吧,总之数据读者们通过什么方法获取都行,只要返回一个User对象就行了。(这也是笔者为什么要重写这个类的原因)

    通过MyUserDetailService拿到用户信息后,authenticationManager对比用户的密码(即验证用户),然后这个AuthenticationProcessingFilter拦截器就过咯。

下面要说的是另外一个拦截器,就是笔者自己写的拦截器MyFilterSecurityInterceptor:

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
packagecom.erdangjiade.spring.security; 
 
importjava.io.IOException; 
 
importjavax.servlet.Filter; 
importjavax.servlet.FilterChain; 
importjavax.servlet.FilterConfig; 
importjavax.servlet.ServletException; 
importjavax.servlet.ServletRequest; 
importjavax.servlet.ServletResponse; 
 
importorg.springframework.security.access.SecurityMetadataSource; 
importorg.springframework.security.access.intercept.AbstractSecurityInterceptor; 
importorg.springframework.security.access.intercept.InterceptorStatusToken; 
importorg.springframework.security.web.FilterInvocation; 
importorg.springframework.security.web.access.intercept.FilterInvocationSecurityMetadataSource; 
 
publicclass MyFilterSecurityInterceptor extendsAbstractSecurityInterceptor  implementsFilter {   
 
    //配置文件注入 
    privateFilterInvocationSecurityMetadataSource securityMetadataSource; 
 
    //登陆后,每次访问资源都通过这个拦截器拦截 
    publicvoid doFilter(ServletRequest request, ServletResponse response, FilterChain chain) throwsIOException, ServletException {  
        FilterInvocation fi = newFilterInvocation(request, response, chain);  
        invoke(fi);   
        
 
    publicFilterInvocationSecurityMetadataSource getSecurityMetadataSource() {   
        returnthis.securityMetadataSource;   
        }    
 
    publicClass<? extendsObject> getSecureObjectClass() {  
        returnFilterInvocation.class;     
        }   
 
    publicvoid invoke(FilterInvocation fi) throwsIOException, ServletException { 
        //fi里面有一个被拦截的url 
        //里面调用MyInvocationSecurityMetadataSource的getAttributes(Object object)这个方法获取fi对应的所有权限 
        //再调用MyAccessDecisionManager的decide方法来校验用户的权限是否足够 
        InterceptorStatusToken token = super.beforeInvocation(fi); 
        try
            //执行下一个拦截器 
            fi.getChain().doFilter(fi.getRequest(), fi.getResponse());    
            }finally{  
                super.afterInvocation(token,null);   
            }    
        }   
    publicSecurityMetadataSource obtainSecurityMetadataSource() {  
        returnthis.securityMetadataSource;    
        }  
    publicvoid setSecurityMetadataSource( 
            FilterInvocationSecurityMetadataSource newSource) 
    {  
        this.securityMetadataSource = newSource;  
    }  
    publicvoid destroy() {   
 
    }    
    publicvoid init(FilterConfig arg0) throwsServletException {   
 
    }   
}

继承AbstractSecurityInterceptor、实现Filter是必须的。

首先,登陆后,每次访问资源都会被这个拦截器拦截,会执行doFilter这个方法,这个方法调用了invoke方法,其中fi断点显示是一个url(可能重写了toString方法吧,但是里面还有一些方法的),最重要的是beforeInvocation这个方法,它首先会调用MyInvocationSecurityMetadataSource类的getAttributes方法获取被拦截url所需的权限,在调用MyAccessDecisionManager类decide方法判断用户是否够权限。弄完这一切就会执行下一个拦截器。

再看一下这个MyInvocationSecurityMetadataSource的实现:

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
packagecom.erdangjiade.spring.security; 
 
importjava.util.ArrayList; 
importjava.util.Collection; 
importjava.util.HashMap; 
importjava.util.Iterator; 
importjava.util.Map; 
 
importorg.springframework.security.access.ConfigAttribute; 
importorg.springframework.security.access.SecurityConfig; 
importorg.springframework.security.web.FilterInvocation; 
importorg.springframework.security.web.access.intercept.FilterInvocationSecurityMetadataSource; 
 
importcom.erdangjiade.spring.security.tool.AntUrlPathMatcher; 
importcom.erdangjiade.spring.security.tool.UrlMatcher; 
 
publicclass MyInvocationSecurityMetadataSource implementsFilterInvocationSecurityMetadataSource {  
    privateUrlMatcher urlMatcher = newAntUrlPathMatcher();  
    privatestatic Map<String, Collection<ConfigAttribute>> resourceMap = null
 
    //tomcat启动时实例化一次 
    publicMyInvocationSecurityMetadataSource() { 
        loadResourceDefine();   
        }    
    //tomcat开启时加载一次,加载所有url和权限(或角色)的对应关系 
    privatevoid loadResourceDefine() { 
        resourceMap = newHashMap<String, Collection<ConfigAttribute>>();  
        Collection<ConfigAttribute> atts = newArrayList<ConfigAttribute>();  
        ConfigAttribute ca = newSecurityConfig("ROLE_USER"); 
        atts.add(ca);  
        resourceMap.put("/index.jsp", atts);   
        Collection<ConfigAttribute> attsno =newArrayList<ConfigAttribute>(); 
        ConfigAttribute cano = newSecurityConfig("ROLE_NO"); 
        attsno.add(cano); 
        resourceMap.put("/other.jsp", attsno);    
        }   
 
    //参数是要访问的url,返回这个url对于的所有权限(或角色) 
    publicCollection<ConfigAttribute> getAttributes(Object object) throwsIllegalArgumentException {  
        // 将参数转为url     
        String url = ((FilterInvocation)object).getRequestUrl();    
        Iterator<String>ite = resourceMap.keySet().iterator();  
        while(ite.hasNext()) {          
            String resURL = ite.next();   
            if(urlMatcher.pathMatchesUrl(resURL, url)) {  
                returnresourceMap.get(resURL);          
                }        
            }  
        returnnull;     
        }   
    publicboolean supports(Class<?>clazz) {  
            returntrue;   
            }  
    publicCollection<ConfigAttribute> getAllConfigAttributes() {  
        returnnull;   
        
    }

实现FilterInvocationSecurityMetadataSource接口也是必须的。

首先,这里也是模拟了从数据库中获取信息。

其中loadResourceDefine方法不是必须的,这个只是加载所有的资源与权限的对应关系并缓存起来,避免每次获取权限都访问数据库(提高性能),然后getAttributes根据参数(被拦截url)返回权限集合。

这种缓存的实现其实有一个缺点,因为loadResourceDefine方法是放在构造器上调用的,而这个类的实例化只在web服务器启动时调用一次,那就是说loadResourceDefine方法只会调用一次,如果资源和权限的对应关系在启动后发生了改变,那么缓存起来的就是脏数据,而笔者这里使用的就是缓存数据,那就会授权错误了。但如果资源和权限对应关系是不会改变的,这种方法性能会好很多。

现在说回有数据库的灵活实现,读者看到这,可能会说,这还不简单,和上面MyUserDetailService类一样使用dao灵活获取数据就行啦。

如果读者这样想,那只想到了一半,想一下spring的机制(依赖注入),dao需要依赖注入吧,但这是在启动时候,那个dao可能都还没加载,所以这里需要读者自己写sessionFactory,自己写hql或sql,对,就在loadResourceDefine方法里面写(这个应该会写吧,基础来的)。那如果说想用第二种方法呢(就是允许资源和权限的对应关系改变的那个),那更加简单,根本不需要loadResourceDefine方法了,直接在getAttributes方法里面调用dao(这个是加载完,后来才会调用的,所以可以使用dao),通过被拦截url获取数据库中的所有权限,封装成Collection<ConfigAttribute>返回就行了。(灵活、简单)

注意:接口UrlMatcher和实现类AntUrlPathMatcher是笔者自己写的,这本来是spring以前版本有的,现在没有了,但是觉得好用就用会来了,直接上代码(读者也可以自己写正则表达式验证被拦截url和缓存或数据库的url是否匹配):

1
2
3
4
5
6
7
8
packagecom.erdangjiade.spring.security.tool; 
 
publicinterface UrlMatcher{ 
    Object compile(String paramString); 
    booleanpathMatchesUrl(Object paramObject, String paramString); 
    String getUniversalMatchPattern();  
    booleanrequiresLowerCaseUrl(); 
}
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
packagecom.erdangjiade.spring.security.tool;  
importorg.springframework.util.AntPathMatcher; 
importorg.springframework.util.PathMatcher;  
 
  publicclass AntUrlPathMatcher implementsUrlMatcher {   
      privateboolean requiresLowerCaseUrl; 
      privatePathMatcher pathMatcher;  
      publicAntUrlPathMatcher()   {  
          this(true);  
 
  }   
      publicAntUrlPathMatcher(booleanrequiresLowerCaseUrl)  
      {   
          this.requiresLowerCaseUrl = true
      this.pathMatcher = newAntPathMatcher();  
      this.requiresLowerCaseUrl = requiresLowerCaseUrl; 
      }  
 
      publicObject compile(String path) {  
          if(this.requiresLowerCaseUrl) {  
              returnpath.toLowerCase();   
              }    
          returnpath;   
      }   
 
      publicvoid setRequiresLowerCaseUrl(booleanrequiresLowerCaseUrl){ 
 
          this.requiresLowerCaseUrl = requiresLowerCaseUrl;  
      }  
 
      publicboolean pathMatchesUrl(Object path, String url) {  
          if(("/**".equals(path)) || ("**".equals(path))) { 
              returntrue;      
              }   
 
          returnthis.pathMatcher.match((String)path, url);  
      }  
 
      publicString getUniversalMatchPattern() { 
          return"/**";   
      
 
      publicboolean requiresLowerCaseUrl() {  
          returnthis.requiresLowerCaseUrl;   
      }   
 
      publicString toString() {   
          returnsuper.getClass().getName() + "[requiresLowerCase='"  
      +this.requiresLowerCaseUrl + "']";   
      
  }

然后MyAccessDecisionManager类的实现:

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
packagecom.erdangjiade.spring.security; 
 
importjava.util.Collection; 
importjava.util.Iterator; 
 
importorg.springframework.security.access.AccessDecisionManager; 
importorg.springframework.security.access.AccessDeniedException; 
importorg.springframework.security.access.ConfigAttribute; 
importorg.springframework.security.access.SecurityConfig; 
importorg.springframework.security.authentication.InsufficientAuthenticationException; 
importorg.springframework.security.core.Authentication; 
importorg.springframework.security.core.GrantedAuthority; 
 
publicclass MyAccessDecisionManager implementsAccessDecisionManager { 
 
    //检查用户是否够权限访问资源 
    //参数authentication是从spring的全局缓存SecurityContextHolder中拿到的,里面是用户的权限信息 
    //参数object是url 
    //参数configAttributes所需的权限 
    publicvoid decide(Authentication authentication, Object object,     
            Collection<ConfigAttribute> configAttributes)  
                    throwsAccessDeniedException, InsufficientAuthenticationException { 
        if(configAttributes == null){  
            return;        
        }   
 
        Iterator<ConfigAttribute> ite=configAttributes.iterator(); 
        while(ite.hasNext()){ 
            ConfigAttribute ca=ite.next();   
            String needRole=((SecurityConfig)ca).getAttribute(); 
            for(GrantedAuthority ga : authentication.getAuthorities()){  
                if(needRole.equals(ga.getAuthority())){   
 
                    return;               
        }             
    }       
}  
        //注意:执行这里,后台是会抛异常的,但是界面会跳转到所配的access-denied-page页面 
        thrownew AccessDeniedException("no right");    
}    
    publicboolean supports(ConfigAttribute attribute) {  
        returntrue
    }   
    publicboolean supports(Class<?>clazz) { 
        returntrue;  
        }  
    }

接口AccessDecisionManager也是必须实现的。

decide方法里面写的就是授权策略了,笔者的实现是,没有明说需要权限的(即没有对应的权限的资源),可以访问,用户具有其中一个或多个以上的权限的可以访问。这个就看需求了,需要什么策略,读者可以自己写其中的策略逻辑。通过就返回,不通过抛异常就行了,spring security会自动跳到权限不足页面(配置文件上配的)。

就这样,整个流程过了一遍。


最后的话:

虽然笔者没给读者们demo,但是所有源码和jar包都在这个教程里面,为什么不直接给?笔者的目的是让读者跟着教程敲一遍代码,使印象深刻(相信做这行的都知道,同样一段代码,看过和敲过的区别是多么的大),所以不惜如此来强迫大家了。

由于笔者有经常上csdn博客的习惯,所以读者有什么不懂的(或者指教的),笔者尽力解答。

转载请标注本文链接:http://blog.csdn.net/u012367513/article/details/38866465

补充:

(2014年11月21日第一次补充):

第一点:

MyUserDetailService这个类负责的是只是获取登陆用户的详细信息(包括密码、角色等),不负责和前端传过来的密码对比,只需返回User对象,后会有其他类根据User对象对比密码的正确性(框架帮我们做)。

第二点:

记得MyInvocationSecurityMetadataSource这个类是负责的是获取角色与url资源的所有对应关系,并根据url查询对应的所有角色。

今天为一个项目搭安全架构时,第一,发现上面MyInvocationSecurityMetadataSource这个类的代码有个bug:

上面的代码中,将所有的对应关系缓存到resourceMap,key是url,value是这个url对应所有角色。

getAttributes方法中,只要匹配到一个url就返回这个url对应所有角色,不再匹配后面的url,问题来了,当url有交集时,就有可能漏掉一些角色了:如有两个 url ,第一个是 /** ,第二个是 /role1/index.jsp ,第一个当然需要很高的权限了(因为能匹配所有 url ,即可以访问所有 url ),假设它需要的角色是 ROLE_ADMIN (不是一般人拥有的),第二个所需的角色是 ROLE_1 。    当我用 ROLE_1 这个角色访问 /role1/index.jsp 时,在getAttributes方法中,当先迭代了 /** 这个url,它就能匹配 /role1/index.jsp 这个url,并直接返回 /** 这个url对应的所有角色(在这,也就ROLE_ADMIN)给MyAccessDecisionManager这个投票类,  MyAccessDecisionManager这个类中再对比 用户的角色 ROLE_1 ,就会发现不匹配。    最后,明明可以有权访问的 url ,却不能访问了。

第二,之前不是说缓存所有对应关系,需要读者自己写sessionFactory(因为在实例化这个类时,配置的sessionFactory可能还没实例化或dao还没加载好),既然这样,那笔者可以不在构造方法中加载对应关系,可以在第一次调用getAttributes方法时再加载(用静态变量缓存起来,第二次就不用再加载了,     注:其实这样不是很严谨,不过笔者这里的对应关系是不变的,单例性不需很强,更严谨的请参考笔者另一篇博文设计模式之单件模式)。

修改过的MyInvocationSecurityMetadataSource类:

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
packagecom.lcy.bookcrossing.springSecurity; 
 
importjava.util.ArrayList; 
importjava.util.Collection; 
importjava.util.HashMap; 
importjava.util.HashSet; 
importjava.util.Iterator; 
importjava.util.List; 
importjava.util.Map; 
importjava.util.Set; 
 
importjavax.annotation.Resource; 
 
importorg.springframework.security.access.ConfigAttribute; 
importorg.springframework.security.access.SecurityConfig; 
importorg.springframework.security.web.FilterInvocation; 
importorg.springframework.security.web.access.intercept.FilterInvocationSecurityMetadataSource; 
 
importcom.lcy.bookcrossing.bean.RoleUrlResource; 
importcom.lcy.bookcrossing.dao.IRoleUrlResourceDao; 
importcom.lcy.bookcrossing.springSecurity.tool.AntUrlPathMatcher; 
importcom.lcy.bookcrossing.springSecurity.tool.UrlMatcher; 
 
publicclass MyInvocationSecurityMetadataSource implementsFilterInvocationSecurityMetadataSource {  
    privateUrlMatcher urlMatcher = newAntUrlPathMatcher();  
//  private static Map<String, Collection<ConfigAttribute>> resourceMap = null; 
 
    //将所有的角色和url的对应关系缓存起来 
    privatestatic List<RoleUrlResource> rus = null
 
    @Resource 
    privateIRoleUrlResourceDao roleUrlDao; 
 
    //tomcat启动时实例化一次 
    publicMyInvocationSecurityMetadataSource() { 
//      loadResourceDefine();   
        }    
    //tomcat开启时加载一次,加载所有url和权限(或角色)的对应关系 
    /*private void loadResourceDefine() {
        resourceMap = new HashMap<String, Collection<ConfigAttribute>>(); 
        Collection<ConfigAttribute> atts = new ArrayList<ConfigAttribute>(); 
        ConfigAttribute ca = new SecurityConfig("ROLE_USER");
        atts.add(ca); 
        resourceMap.put("/index.jsp", atts);  
        Collection<ConfigAttribute> attsno =new ArrayList<ConfigAttribute>();
        ConfigAttribute cano = new SecurityConfig("ROLE_NO");
        attsno.add(cano);
        resourceMap.put("/other.jsp", attsno);   
        }  */ 
 
    //参数是要访问的url,返回这个url对于的所有权限(或角色) 
    public Collection<ConfigAttribute> getAttributes(Object object) throws IllegalArgumentException {  
        // 将参数转为url     
        String url = ((FilterInvocation)object).getRequestUrl();    
 
        //查询所有的url和角色的对应关系 
        if(rus == null){ 
        rus = roleUrlDao.findAll(); 
        
 
        //匹配所有的url,并对角色去重 
        Set<String> roles = new HashSet<String>(); 
        for(RoleUrlResource ru : rus){ 
            if (urlMatcher.pathMatchesUrl(ru.getUrlResource().getUrl(), url)) {  
                        roles.add(ru.getRole().getRoleName()); 
                }      
        
        Collection<ConfigAttribute> cas = new ArrayList<ConfigAttribute>();  
        for(String role : roles){ 
            ConfigAttribute ca = new SecurityConfig(role); 
            cas.add(ca);  
        
        return cas; 
 
        /*Iterator<String> ite = resourceMap.keySet().iterator(); 
        while (ite.hasNext()) {         
            String resURL = ite.next();  
            if (urlMatcher.pathMatchesUrl(resURL, url)) { 
                return resourceMap.get(resURL);         
                }       
            
        return null;    */ 
        }   
    publicboolean supports(Class<?>clazz) {  
            returntrue;   
            }  
    publicCollection<ConfigAttribute> getAllConfigAttributes() {  
        returnnull;   
        
    }

以上代码,在getAttributes方法中缓存起所有的对应关系(可以使用依赖注入了),并匹配所有 url ,对角色进行去重(因为多个url可能有重复的角色),这样就能修复那个bug了。

转载请标注本文链接:http://blog.csdn.net/u012367513/article/details/38866465


(2014年12月10日第二次补充):

这次补充不是修上面的bug,而是添加新功能。

我们知道,上面的实现的登陆界面只能传递两个参数(j_username,j_password),而且是固定的。

总是有一个项目需求,我们的角色(ROLE_)不是很多,只需在登陆界面选择一种角色就行了,那么如何将角色类型传递到spring security呢,现在笔者对配置文件再修改修改:

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
<?xmlversion="1.0"encoding="UTF-8"?> 
<b:beansxmlns="http://www.springframework.org/schema/security" 
    xmlns:b="http://www.springframework.org/schema/beans" 
    xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" 
    xsi:schemaLocation="http://www.springframework.org/schema/beans http://www.springframework.org/schema/beans/spring-beans-3.0.xsd 
                        http://www.springframework.org/schema/security http://www.springframework.org/schema/security/spring-security-3.1.xsd"> 
 
 <!-- 配置不需要安全管理的界面 --> 
     <httppattern="/jsp/css/**"security="none"></http
     <httppattern="/jsp/js/**"security="none"></http
     <httppattern="/jsp/images/**"security="none"></http
     <httppattern="/login.jsp"security="none"/> 
     <httppattern="/accessDenied.jsp"security="none"/> 
         <httppattern="/index.jsp"security="none"/> 
 
        <httpuse-expressions='true'entry-point-ref="myAuthenticationEntryPoint"access-denied-page="/accessDenied.jsp"
 
                <!-- 使用自己自定义的登陆认证过滤器 --><!-- 这里一定要注释掉,因为我们需要重写它的过滤器 --> 
                <!-- <form-login login-page="/login.jsp" 
                authentication-failure-url="/accessDenied.jsp"     
        default-target-url="/index.jsp" 
                 /> --> 
                <!--访问/admin.jsp资源的用户必须具有ROLE_ADMIN的权限 --> 
                <!-- <intercept-url pattern="/admin.jsp" access="ROLE_ADMIN" /> --> 
                <!--访问/**资源的用户必须具有ROLE_USER的权限 --> 
                <!-- <intercept-url pattern="/**" access="ROLE_USER" /> --> 
                <session-management
                        <concurrency-controlmax-sessions="1" 
                                error-if-maximum-exceeded="false"/> 
                </session-management
 
                <!-- 认证和授权 --><!-- 重写登陆认证的过滤器,使我们可以拿到任何参数  --> 
                <custom-filterref="myAuthenticationFilter"position="FORM_LOGIN_FILTER" /> 
                <custom-filterref="myFilter"before="FILTER_SECURITY_INTERCEPTOR"/> 
 
                 <!-- 登出管理 --> 
        <logoutinvalidate-session="true"logout-url="/j_spring_security_logout"/> 
 
        </http
 
        <!-- 未登录的切入点 --><!-- 需要有个切入点 --> 
    <b:beanid="myAuthenticationEntryPoint"class="org.springframework.security.web.authentication.LoginUrlAuthenticationEntryPoint"
        <b:propertyname="loginFormUrl"value="/login.jsp"></b:property
    </b:bean
 
        <!-- 登录验证器:用户有没有登录的资格 --><!-- 这个就是重写的认证过滤器 --> 
    <b:beanid="myAuthenticationFilter"class="com.lcy.springSecurity.MyAuthenticationFilter"
        <b:propertyname="authenticationManager"ref="authenticationManager"/> 
        <b:propertyname="filterProcessesUrl"value="/j_spring_security_check"/> 
        <b:propertyname="authenticationSuccessHandler"
            <b:beanclass="org.springframework.security.web.authentication.SavedRequestAwareAuthenticationSuccessHandler"
                <b:propertyname="defaultTargetUrl"value="/index.jsp"/> 
            </b:bean
        </b:property
        <b:propertyname="authenticationFailureHandler"
            <b:beanclass="org.springframework.security.web.authentication.SimpleUrlAuthenticationFailureHandler"
                <b:propertyname="defaultFailureUrl"value="/accessDenied.jsp"/> 
            </b:bean
        </b:property
    </b:bean
 
        <!--一个自定义的filter,必须包含 authenticationManager,accessDecisionManager,securityMetadataSource三个属性,我们的所有控制将在这三个类中实现,解释详见具体配置 --> 
        <b:beanid="myFilter" 
                class="com.lcy.springSecurity.MyFilterSecurityInterceptor"
                <b:propertyname="authenticationManager"ref="authenticationManager"/> 
                <b:propertyname="accessDecisionManager"ref="myAccessDecisionManagerBean"/> 
                <b:propertyname="securityMetadataSource"ref="securityMetadataSource"/> 
        </b:bean
        <!--验证配置,认证管理器,实现用户认证的入口,主要实现UserDetailsService接口即可 --> 
        <authentication-manageralias="authenticationManager"
                <authentication-provideruser-service-ref="myUserDetailService"
                        <!--如果用户的密码采用加密的话 <password-encoder hash="md5" /> --> 
                        <!-- <password-encoder hash="md5" /> --> 
                </authentication-provider
        </authentication-manager
        <!--在这个类中,你就可以从数据库中读入用户的密码,角色信息,是否锁定,账号是否过期等 --> 
        <b:beanid="myUserDetailService"class="com.lcy.springSecurity.MyUserDetailService"/> 
        <!--访问决策器,决定某个用户具有的角色,是否有足够的权限去访问某个资源 --> 
        <b:beanid="myAccessDecisionManagerBean" 
                class="com.lcy.springSecurity.MyAccessDecisionManager"
        </b:bean
        <!--资源源数据定义,将所有的资源和权限对应关系建立起来,即定义某一资源可以被哪些角色访问 --> 
        <b:beanid="securityMetadataSource" 
                class="com.lcy.springSecurity.MyInvocationSecurityMetadataSource"/>  
 
 </b:beans>

我现在的项目需要的是,角色只要管理员、教师、学生,所以MyAuthenticationFilter(重写的认证过滤器):

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
packagecom.lcy.springSecurity; 
 
importjavax.annotation.Resource; 
importjavax.servlet.http.HttpServletRequest; 
importjavax.servlet.http.HttpServletResponse; 
 
importorg.springframework.security.authentication.AuthenticationServiceException; 
importorg.springframework.security.authentication.BadCredentialsException; 
importorg.springframework.security.authentication.UsernamePasswordAuthenticationToken; 
importorg.springframework.security.core.Authentication; 
importorg.springframework.security.core.AuthenticationException; 
importorg.springframework.security.core.context.SecurityContextHolder; 
importorg.springframework.security.web.authentication.UsernamePasswordAuthenticationFilter; 
 
importcom.lcy.dao.IAdminDao; 
importcom.lcy.dao.IStudentDao; 
importcom.lcy.dao.ITeacherDao; 
importcom.lcy.entity.Admin; 
importcom.lcy.entity.Student; 
importcom.lcy.entity.Teacher; 
 
publicclass MyAuthenticationFilter extendsUsernamePasswordAuthenticationFilter { 
 
        privatestatic final String USERNAME = "username"
        privatestatic final String PASSWORD = "password"
 
        @Resource 
        privateIStudentDao studentdao; 
        @Resource 
        privateITeacherDao teacherdao; 
        @Resource 
        privateIAdminDao admindao; 
 
        @Override 
        publicAuthentication attemptAuthentication(HttpServletRequest request, HttpServletResponse response)throwsAuthenticationException { 
                if(!request.getMethod().equals("POST")) { 
                        thrownew AuthenticationServiceException("Authentication method not supported: " + request.getMethod()); 
                
 
                String username = obtainUsername(request); 
                String password = obtainPassword(request); 
                String roletype = request.getParameter("roletype"); 
 
                username = username.trim(); 
 
                UsernamePasswordAuthenticationToken authRequest = null
 
                if(!"".equals(roletype) || roletype != null){ 
                        if("student".equals(roletype)){ 
                                Student stu = studentdao.findById(username); 
 
                                //通过session把用户对象设置到session中 
                                request.getSession().setAttribute("session_user", stu); 
 
                                //将角色标志在username上 
                                username = "stu"+username; 
 
                                try
                                        if(stu == null|| !stu.getPassword().equals(password)) { 
                                                BadCredentialsException exception = newBadCredentialsException("用户名或密码不匹配"); 
                                                throwexception; 
                                        
                                }catch(Exception e) { 
                                        BadCredentialsException exception = newBadCredentialsException("没有此用户"); 
                                        throwexception; 
                                
 
                        }elseif("teacher".equals(roletype)){ 
                                Teacher tea = teacherdao.findById(username); 
 
                                //通过session把用户对象设置到session中 
                                request.getSession().setAttribute("session_user", tea); 
 
                                //将角色标志在username上 
                                username = "tea"+username; 
 
                                try
                                        if(tea == null|| !tea.getPassword().equals(password)) { 
                                                BadCredentialsException exception = newBadCredentialsException("用户名或密码不匹配"); 
                                                throwexception; 
                                        
                                }catch(Exception e) { 
                                        BadCredentialsException exception = newBadCredentialsException("没有此用户"); 
                                        throwexception; 
                                
 
                        }elseif("admin".equals(roletype)){ 
                                Admin adm = admindao.findById(username); 
 
                                //通过session把用户对象设置到session中 
                                request.getSession().setAttribute("session_user", adm); 
 
                                //将角色标志在username上 
                                username = "adm"+username; 
                                try
                                        if(adm == null|| !password.equals(adm.getPassword())) { 
                                                BadCredentialsException exception = newBadCredentialsException("用户名或密码不匹配"); 
                                                throwexception; 
                                        
                                }catch(Exception e) { 
                                        BadCredentialsException exception = newBadCredentialsException("没有此用户"); 
                                        throwexception; 
                                
 
                        }else
                                BadCredentialsException exception = newBadCredentialsException("系统错误:没有对应的角色!"); 
                                throwexception; 
                        
                
 
                //实现验证 
                authRequest = newUsernamePasswordAuthenticationToken(username, password); 
                //允许设置用户详细属性 
                setDetails(request, authRequest); 
                //运行 
                returnthis.getAuthenticationManager().authenticate(authRequest); 
        
 
        @Override 
        protectedString obtainUsername(HttpServletRequest request) { 
                Object obj = request.getParameter(USERNAME); 
                returnnull == obj ? "": obj.toString(); 
        
 
        @Override 
        protectedString obtainPassword(HttpServletRequest request) { 
                Object obj = request.getParameter(PASSWORD); 
                returnnull == obj ? "": obj.toString(); 
        
 
        @Override 
        protectedvoid setDetails(HttpServletRequest request, UsernamePasswordAuthenticationToken authRequest) { 
                super.setDetails(request, authRequest); 
        
}

笔者自己断点可知,执行完上面那个认证过滤器,才会执行MyUserDetailService。

注:因为 MyUserDetailService类中的loadUserByUsername(String username) 方法只能接收一个参数username,而且这个username是从认证过滤器那里传过来的,所以笔者就通过username顺带传递角色类型过来,如上面认证过滤器,将角色类型拼在username中。到MyUserDetailService类在解开。(如有更好的方法,请评论告知,谢谢)

MyUserDetailService:

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
packagecom.lcy.springSecurity; 
 
importjava.util.ArrayList; 
importjava.util.Collection; 
 
importjavax.annotation.Resource; 
 
importorg.springframework.dao.DataAccessException; 
importorg.springframework.security.core.GrantedAuthority; 
importorg.springframework.security.core.authority.SimpleGrantedAuthority; 
importorg.springframework.security.core.userdetails.User; 
importorg.springframework.security.core.userdetails.UserDetails; 
importorg.springframework.security.core.userdetails.UserDetailsService; 
importorg.springframework.security.core.userdetails.UsernameNotFoundException; 
 
importcom.lcy.dao.IAdminDao; 
importcom.lcy.dao.IStudentDao; 
importcom.lcy.dao.ITeacherDao; 
importcom.lcy.entity.Admin; 
importcom.lcy.entity.Student; 
importcom.lcy.entity.Teacher; 
 
publicclass MyUserDetailService implementsUserDetailsService {  
        @Resource 
        privateIStudentDao studentdao; 
        @Resource 
        privateITeacherDao teacherdao; 
        @Resource 
        privateIAdminDao admindao; 
 
        //登陆验证时,通过username获取用户的所有权限信息, 
        //并返回User放到spring的全局缓存SecurityContextHolder中,以供授权器使用 
        publicUserDetails loadUserByUsername(String username)  
                        throwsUsernameNotFoundException, DataAccessException {    
                Collection<GrantedAuthority> auths= newArrayList<GrantedAuthority>(); 
                //获取角色标志 
                String roletype = username.substring(0,3); 
                username = username.substring(3); 
                String password = ""
 
                if("stu".equals(roletype)){ 
                        Student stu = studentdao.findById(username); 
                        password = stu.getPassword(); 
                        auths.add(newSimpleGrantedAuthority("ROLE_STU")); 
                }elseif("tea".equals(roletype)){ 
                        Teacher tea = teacherdao.findById(username); 
                        password = tea.getPassword(); 
                        auths.add(newSimpleGrantedAuthority("ROLE_TEA")); 
                }elseif("adm".equals(roletype)){ 
                        Admin adm = admindao.findById(username); 
                        password = adm.getPassword(); 
                        auths.add(newSimpleGrantedAuthority("ROLE_ADM")); 
                
 
                User user = newUser(username, password, true,true,true,true, auths);  
                returnuser;   
                }