spring security,UserDetailsService,authenticationProvider,password encoder.. i'm lost

gk7wooem  于 2023-04-10  发布在  Spring
关注(0)|答案(3)|浏览(210)

首先,我已经阅读/重读(重复10次),至少6本关于Spring和Spring安全性的书,并在Google上搜索我的大脑试图弄清楚这一切。
在w/ spring工作了10年之后,我仍然发现有太多的注解定义,注入,组件,配置注解魔法正在进行,以至于我对我应该理解我的应用程序没有信心。在线示例要么是xml-config,不完整,done n diff. ways,过于简单化,使用较旧的spring,冲突,只是没有构建来处理基本的现实用例。
作为一个例子,下面的代码试图处理一个简单的登录,使用密码编码器验证到db表. form post包括一个“客户端”,一个持久化的IP地址和一些用于深度链接post登录的url路径信息.(所有真正的基本东西对于今天的单页web应用程序)我最初使用xml config进行此工作,但javaConfig让我卡住了.
我不知道userDetailsService、AuthenticationManagerBuilder和PasswordEncoder如何在SecurityConfiguration中交互。我获取服务的登录数据,但不确定在何处或何时应用spring authenticationProvider,或者我是否需要一个。
我的用户实现UserDetails并保存所需的字段。我在我的CustomUserDetailsService中填充这些并授予权限。如果我在服务中使用logon/password检查数据库,如何/何时/为什么我需要auth.authenticationProvider(authenticationProvider())?
我的UserDetailsService现在似乎执行了两次。
spring如何获取提交的密码,对其进行编码并与存储在db中的密码进行比较?它如何知道使用与创建用户时创建/持久化p/w时使用的相同的salt?
为什么configureGlobal()同时定义auth.userDetailsService和auth.authenticationProvider,而authenticationProvider()也设置了userDetailsService?
为什么我的大脑这么小,我不能理解这一点?:)

  1. @Service
  2. public class CustomUserDetailsService implements UserDetailsService {
  3. @Autowired
  4. private ClientDAO clientDAO;
  5. @Autowired
  6. private UserDAO userDAO;
  7. public UserDetails loadUserByUsername(String multipartLogon) throws UsernameNotFoundException, DataAccessException {
  8. Boolean canAccess = false;
  9. Long clientId = null;
  10. String userLogon = null;
  11. String password = null;
  12. String id = null;
  13. String entryUrl = null;
  14. String ipAddress = null;
  15. String urlParam = null;
  16. String[] strParts = multipartLogon.split(":");
  17. try {
  18. userLogon = strParts[0];
  19. password = strParts[1];
  20. id = strParts[2];
  21. entryUrl = strParts[3];
  22. ipAddress = strParts[4];
  23. urlParam = strParts[5];
  24. } catch(IndexOutOfBoundsException ioob) { }
  25. Client client = new Client();
  26. if (!"".equals(id)) {
  27. clientId = IdUtil.toLong(id);
  28. client = clientDAO.getClient(clientId);
  29. }
  30. //BCryptPasswordEncoder passwordEncoder = new BCryptPasswordEncoder();
  31. //String encodedPassword = passwordEncoder.encode(password);
  32. //String encodedPassword = "$2a$22$6UiVlDEOv6IQWjKkLm.04uN1yZEtkepVqYQ00JxaqPCtjzwIkXDjy";
  33. User user = userDAO.getUserByUserLogonPassword(userLogon, password); //encodedPassword?
  34. user.isCredentialsNonExpired = false;
  35. Set<GrantedAuthority> authorities = new HashSet<GrantedAuthority>();
  36. for (UserRole userRole : userDAO.getUserRolesForUser(user)) {
  37. if (userRole.getRole().getActiveStatus()) {
  38. authorities.add(new SimpleGrantedAuthority(userRole.getRole().getRoleName()));
  39. user.isCredentialsNonExpired = true;
  40. }
  41. }
  42. user.setAuthorities(authorities);
  43. user.setPassword(password); //encodedPassword?
  44. user.setUsername(user.getUserLogon());
  45. user.isAccountNonExpired = false;
  46. user.isAccountNonLocked = false;
  47. List<ClientUser> clientUsers = clientDAO.getClientUsersForUser(user);
  48. for (ClientUser clientUser : clientUsers) {
  49. if (clientUser.getClient().getClientId().equals(client.getClientId())) {
  50. canAccess = true;
  51. break;
  52. }
  53. }
  54. user.isEnabled = false;
  55. if (user.getActiveStatus() && canAccess) {
  56. user.isAccountNonExpired = true;
  57. user.isAccountNonLocked = true;
  58. user.isEnabled = true;
  59. Session session = userDAO.getSessionForUser(user);
  60. if (session == null) { session = new Session(); }
  61. session.setUser(user);
  62. session.setDateLogon(Calendar.getInstance().getTime());
  63. session.setClient(client);
  64. session.setEntryUrl(entryUrl);
  65. session.setUrlParam(urlParam);
  66. session.setIPAddress(ipAddress);
  67. session.setActive(true);
  68. userDAO.persistOrMergeSession(session);
  69. }
  70. return user;
  71. }
  72. }
  1. @Configuration
  2. @EnableWebSecurity
  3. public class SecurityConfiguration extends WebSecurityConfigurerAdapter {
  4. @Autowired
  5. CustomUserDetailsService customUserDetailsService;
  6. @Autowired
  7. public void configureGlobal(AuthenticationManagerBuilder auth) throws Exception {
  8. auth.userDetailsService(customUserDetailsService);
  9. auth.authenticationProvider(authenticationProvider());
  10. }
  11. @Bean
  12. public BCryptPasswordEncoder passwordEncoder() {
  13. return new BCryptPasswordEncoder();
  14. }
  15. @Bean
  16. public DaoAuthenticationProvider authenticationProvider() {
  17. DaoAuthenticationProvider authenticationProvider = new DaoAuthenticationProvider();
  18. authenticationProvider.setUserDetailsService(customUserDetailsService);
  19. authenticationProvider.setPasswordEncoder(passwordEncoder());
  20. return authenticationProvider;
  21. }
  22. @Override
  23. protected void configure(HttpSecurity http) throws Exception {
  24. http
  25. .csrf().disable()
  26. .authorizeRequests()
  27. .antMatchers("/conv/a/**").access("hasRole('ROLE_ADMIN') or hasRole('ROLE_COURT_ADMIN')")
  28. .antMatchers("/conv/u/**").access("hasRole('ROLE_USER') or hasRole('ROLE_ADMIN') or hasRole('ROLE_COURT_ADMIN')")
  29. .antMatchers("/**").permitAll()
  30. .and()
  31. .formLogin()
  32. .loginPage("/conv/common/logon")
  33. .usernameParameter("multipartLogon")
  34. .loginProcessingUrl("/conv/common/logon")
  35. .defaultSuccessUrl("/conv/")
  36. .failureUrl("/conv/common/logon?error=1")
  37. .and()
  38. .logout()
  39. .logoutUrl("/conv/common/logout")
  40. .logoutSuccessUrl("/conv/")
  41. .permitAll()
  42. .and()
  43. .rememberMe()
  44. .key("conv_key")
  45. .rememberMeServices(rememberMeServices())
  46. .useSecureCookie(true);
  47. }
  48. @Override
  49. public void configure(WebSecurity web) throws Exception {
  50. web.ignoring()
  51. .antMatchers("/common/**")
  52. .antMatchers("/favicon.ico");
  53. }
  54. @Bean
  55. public RememberMeServices rememberMeServices() {
  56. TokenBasedRememberMeServices rememberMeServices = new TokenBasedRememberMeServices("conv_key", customUserDetailsService);
  57. rememberMeServices.setCookieName("remember_me_cookie");
  58. rememberMeServices.setParameter("remember_me_checkbox");
  59. rememberMeServices.setTokenValiditySeconds(2678400); //1month
  60. return rememberMeServices;
  61. }
  62. }
pvabu6sv

pvabu6sv1#

我的用户实现UserDetails并保存所需的字段。我在我的CustomUserDetailsService中填充这些并授予权限。如果我在服务中使用logon/password检查数据库,如何/何时/为什么我需要auth.authenticationProvider(authenticationProvider())?
我想你想要的是:

  1. @Autowired
  2. public void configureGlobal(AuthenticationManagerBuilder auth) throws Exception {
  3. auth.userDetailsService(customUserDetailsService).passwordEncoder(passwordEncoder());
  4. }
  • userDetailsService* 方法是创建DaoAuthenticationProvider bean的快捷方式!您不应该同时使用这两种方法,它只是两种不同的方式来配置同一件事。authenticationProvider 方法用于更多的自定义设置。

spring如何获取提交的密码,对其进行编码并与存储在db中的密码进行比较?它如何知道使用与创建用户时创建/持久化p/w时使用的相同的salt?
如果你使用的是BCrypt,salt存储在密码值中。salt是第三个$(美元)符号后的前22个字符。matches方法负责检查密码。
为什么configureGlobal()同时定义auth.userDetailsService和auth.authenticationProvider,而authenticationProvider()也设置了userDetailsService?
这可能就是为什么用户详细信息被加载两次的原因。

**更新:**你在UserDetailsService中获取密码和其他详细信息是很奇怪的。这应该只基于用户名加载用户,比如:

  1. User user = userDAO.getUserByUserLogonPassword(userLogon);

返回的User对象应该包含编码(存储)的密码,而不是输入的密码。Spring Security会为您进行密码检查。您不应该在UserDetailsService中修改User对象。

展开查看全部
w1e3prcc

w1e3prcc2#

好吧,问题真多。我来回答这个:
“我不知道userDetailsService、AuthenticationManagerBuilder和PasswordEncoder“
UserDetailsService设置了你可以从Spring访问的User。如果你想要更多的用户信息存储在用户的上下文中,你需要实现你自己的用户,并使用你的自定义用户详细信息服务来设置。例如。

  1. public class CustomUser extends User implements UserDetails, CredentialsContainer {
  2. private Long id;
  3. private String firstName;
  4. private String lastName;
  5. private String emailAddress;
  6. ....

然后,在自定义UserDetailsService中,设置属性:

  1. @Override
  2. public UserDetails loadUserByUsername(String username) throws UsernameNotFoundException {
  3. DatabaseEntity databaseUser = this.userRepository.findByUsernameIgnoreCase(username);
  4. customUser customUser = databaseUser.getUserDetails();
  5. customUser.setId(databaseUser.getId());
  6. customUser.setFirstName(databaseUser.getFirstname());
  7. .....

密码编码器,是Spring用来比较纯文本密码和数据库中加密哈希的机制。你可以使用BCryptPasswordEncoder:

  1. @Bean
  2. public PasswordEncoder passwordEncoder(){
  3. return new BCryptPasswordEncoder();
  4. }

除了将其传递给您的auth提供商之外,您还需要做更多的事情。
最后,configureGlobal是连接的地方。您可以定义Spring要使用的用户详细信息服务和身份验证提供者。
在我的例子中,我使用自定义身份验证提供程序来限制失败的登录尝试:

  1. @Component("authenticationProvider")
  2. public class LimitLoginAuthenticationProvider extends DaoAuthenticationProvider {

然后我把所有东西都连接起来

  1. @Autowired
  2. @Qualifier("authenticationProvider")
  3. AuthenticationProvider authenticationProvider;
  4. @Autowired
  5. public void configureGlobal(AuthenticationManagerBuilder auth) throws Exception {
  6. LimitLoginAuthenticationProvider provider = (LimitLoginAuthenticationProvider)authenticationProvider;
  7. provider.setPasswordEncoder(passwordEncoder);
  8. auth.userDetailsService(customUserDetailsService()).passwordEncoder(passwordEncoder);
  9. auth.authenticationProvider(authenticationProvider);
  10. }
展开查看全部
yvfmudvl

yvfmudvl3#

使用任何语言创建自己的函数名和变量不要害怕探索尽可能简单不要忘记使用10行以上的代码来获得简单的结果

相关问题