0

可能重复:
使用弹簧安全性根据用户角色设置自定义登录后目标

我正在使用 Spring 在 Java 中做我的项目。我在我的项目中使用弹簧安全。

我的问题是,根据 ROLE_USER 或 ROLE_ADMIN 的角色,我想将它们重定向到不同的页面。这意味着如果管理员已登录,那么他应该重定向到一个页面,如果普通用户登录则到不同的页面,但是两个用户的登录页面相同。

现在我在 spring-servlet.xml 文件中使用下面的代码。所以请给我一些解决方案。

<security:http auto-config="true">
    <security:intercept-url pattern="/airline/*" access="ROLE_USER" />
    <security:form-login login-page="/login" default-target-url="/logout"
        authentication-failure-url="/login" />
    <security:logout logout-success-url="/logout" />
</security:http>

<security:authentication-manager>
   <security:authentication-provider>
    <security:jdbc-user-service data-source-ref="dataSrc"
       users-by-username-query="select username,password,enabled from spring_users where username=?" 
       authorities-by-username-query="select u.username, ur.authority from spring_users u, spring_roles ur where u.user_id=ur.user_id and u.username=?"/>
   </security:authentication-provider>
</security:authentication-manager>
4

1 回答 1

4

如果您想在认证成功后控制导航流程,您可以通过添加自己的 AuthenticationSuccessHandler 来实现。

将以下属性添加到您<form-login> element的引用 customAuthenticationHandler bean,

<form-login login-page="/login.xhtml" authentication-success-handler-ref="customAuthenticationHandler"/>
...
</http>
<beans:bean id="customAuthenticationHandler" class="com.examples.CustomAuthenticationHandler" />

CustomAuthenticationHandler 类如下所示:

public class CustomAuthenticationHandler extends SimpleUrlAuthenticationSuccessHandler{

@Override
public void onAuthenticationSuccess(HttpServletRequest request, HttpServletResponse response,
        Authentication authentication) throws ServletException, IOException {
        String userTargetUrl = "/welcome.xhtml";
        String adminTargetUrl = "/admin/welcome.xhtml";
        Set<String> roles = AuthorityUtils.authorityListToSet(authentication.getAuthorities());
        if (roles.contains("ROLE_ADMIN")) {
            getRedirectStrategy().sendRedirect(request, response, adminTargetUrl);
        }
        else if(roles.contains("ROLE_USER")) {
            getRedirectStrategy().sendRedirect(request, response, userTargetUrl);
        }
        else {
            super.onAuthenticationSuccess(request, response, authentication);
            return;
        }
 }

}
于 2012-07-15T01:05:45.860 回答