Collection<? extends GrantedAuthority> getAuthorities(
时间: 2024-04-23 22:28:56 浏览: 139
这个方法是用来获取用户的权限(GrantedAuthority)集合。它返回一个泛型集合(Collection),其中的元素是继承自GrantedAuthority的类的实例。泛型通配符"?"表示可以是任何继承自GrantedAuthority的类。这样设计的目的是为了使方法更加灵活,可以接受不同类型的权限集合作为参数,并且不需要在方法中指定具体的类型。
相关问题
Collection<? extends GrantedAuthority> getAuthorities();中如何配置
`getAuthorities()` 方法用于获取用户的权限集合,返回类型为 `Collection<? extends GrantedAuthority>`。在 Spring Security 中,我们可以通过实现 `UserDetailsService` 接口的 `loadUserByUsername()` 方法来为用户分配权限,例如:
```java
@Service
public class UserDetailsServiceImpl implements UserDetailsService {
@Autowired
private UserRepository userRepository;
@Override
public UserDetails loadUserByUsername(String username) throws UsernameNotFoundException {
User user = userRepository.findByUsername(username);
if (user == null) {
throw new UsernameNotFoundException(username + " not found");
}
List<GrantedAuthority> authorities = new ArrayList<>();
authorities.add(new SimpleGrantedAuthority("ROLE_USER"));
if (user.isAdmin()) {
authorities.add(new SimpleGrantedAuthority("ROLE_ADMIN"));
}
return new org.springframework.security.core.userdetails.User(user.getUsername(), user.getPassword(), authorities);
}
}
```
在上述代码中,我们首先通过 `UserRepository` 获取到指定用户名的用户信息,然后根据用户信息为其分配角色权限,最后创建 `UserDetails` 对象并返回。`GrantedAuthority` 接口代表了用户所拥有的权限,我们可以使用 `SimpleGrantedAuthority` 类来创建一个简单的权限对象。在这里,我们为所有用户都分配了 `ROLE_USER` 权限,如果用户是管理员,则额外分配 `ROLE_ADMIN` 权限。最后返回的 `User` 对象是 Spring Security 提供的默认实现,它包含了用户名、密码和权限集合等信息。
Collection<? extends GrantedAuthority> getAuthorities();中如何配置(使用 AuthorityUtils.createAuthorityList)
在使用 `AuthorityUtils.createAuthorityList` 方法配置 `Collection<? extends GrantedAuthority>` 时,可以按照以下步骤进行:
1. 导入相关类:
```java
import org.springframework.security.core.GrantedAuthority;
import org.springframework.security.core.authority.AuthorityUtils;
```
2. 定义一个权限列表:
```java
List<String> authorities = Arrays.asList("ROLE_USER", "ROLE_ADMIN");
```
3. 调用 `AuthorityUtils.createAuthorityList` 方法将权限列表转为 `Collection<? extends GrantedAuthority>` 类型:
```java
Collection<? extends GrantedAuthority> grantedAuthorities = AuthorityUtils.createAuthorityList(authorities.toArray(new String[0]));
```
其中,`grantedAuthorities` 就是我们需要的 `Collection<? extends GrantedAuthority>` 类型的权限列表。
需要注意的是,`AuthorityUtils.createAuthorityList` 方法的参数是一个 `String` 类型的数组,因此我们需要将权限列表转为数组再传入该方法。这里使用了 `toArray(new String[0])` 方法将 `List<String>` 转为 `String[]` 数组。
阅读全文