我正在使用 Spring MVC 网站并通过 LDAP 添加 Active Directory 身份验证。该公司不想使用 AD 权限来映射网站的权限,我们有一个列出每个用户权限的数据库,所以我试图连接到该数据库,获取权限,并将它们添加到用户的身份验证令牌中。
当我第一次开始时,我正在使用 a 映射 AD 用户组的权限,GrantedAuthoritiesMapper
并且我已经开始工作了。它看起来像这样:
public class ActiveDirectoryGrantedAuthoritiesMapper implements GrantedAuthoritiesMapper {
private static final String ROLE_ADMIN = "adminUserGroup";
public ActiveDirectoryGrantedAuthoritiesMapper()
{ }
public Collection<? extends GrantedAuthority> mapAuthorities(
final Collection<? extends GrantedAuthority> authorities)
{
Set<CustomAuthority> roles = EnumSet.noneOf(CustomAuthority.class);
for (GrantedAuthority authority : authorities)
{
if (ROLE_ADMIN.equals(authority.getAuthority()))
{
roles.add(CustomAuthority.ROLE_ADMIN);
}
//Default role for all users.
roles.add(CustomAuthority.ROLE_EMPLOYEE);
}
return roles;
}
}
现在我正在尝试将其转换为查询我们的数据库以获得权限。我离开了GrantedAuthoritiesMapper
这样做有两个原因。首先,我没有使用来自 LDAP 的权限,那么为什么还要拦截它们呢?并且还因为我不知道如何在GrantedAuthoritiesMapper
. 我尝试使用,SecurityContext
但NullPointerException
每当我尝试打电话时它都会给我一个context.getAuthentication().getName()
假设,因为用户尚未完全通过身份验证。
所以我转而使用AuthenticationSuccessHandler
. 我试图保持逻辑几乎相同。我正在尝试将角色添加到用户的身份验证令牌中,authentication.getAuthorities().add(...);
但我收到了 my CustomAuthority
doesn't extend的错误GrantedAuthority
。它没有扩展它,但它实现了接口。我想知道这是否是因为它是一个枚举,所以我将它更改为一个类,但我仍然收到错误。AuthenticationSuccessHandler
这是我现在拥有的自定义代码:
public class CustomAuthoritiesMapper implements AuthenticationSuccessHandler
{
private CustomPermissionDAO permissionsDao = new CustomPermissionDAO();
private static final String ROLE_ADMIN = "ADMIN_ACCOUNT";
@Override
public void onAuthenticationSuccess(HttpServletRequest request, HttpServletResponse response, Authentication authentication)
throws IOException, ServletException
{
List<GrantedAuthority> roles = new ArrayList<GrantedAuthority>();
List<DatabasePermission> permissionsForUser = permissionsDao.getPermissionByUsername(authentication.getName());
for (DatabasePermission permission : permissionsForUser)
{
if (ROLE_ADMIN.equals( permission.getTag() ))
{
roles.add(new CustomAuthority("ROLE_ADMIN"));
}
//Default role for all users.
roles.add(new DashboardAuthority("ROLE_EMPLOYEE"));
}
for(GrantedAuthority auth : roles)
{
authentication.getAuthorities().add(auth);
}
}
}
我已经尝试了几乎所有我能想到的所有组合。我已将其更改List<GrantedAuthority>
为 CustomAuthority 对象列表。我试过使用addAll(roles)
而不是添加单个的..每次我得到同样的错误的一些变化:
Collection 类型中的方法 add(capture#1-of ? extends GrantedAuthority) 不适用于参数(GrantedAuthority)
和 CustomAuthority 代码:
public class CustomAuthority implements GrantedAuthority
{
private String name;
public CustomAuthority(String name)
{
this.name = name;
}
public String getAuthority() {
return name;
}
}
任何帮助将非常感激。
从查看“相关问题”来看,authentication.getName() 在这里可能不起作用,但我想弄清楚为什么我不能在解决该问题之前将我想要添加到用户权限的权限添加到用户的权限中。