spring 在Sping Boot 中结合使用JWT授权和X-Auth-Tokens

63lcw9qa  于 2023-04-10  发布在  Spring
关注(0)|答案(1)|浏览(248)

我正在尝试设置Sping Boot 3使用JWT和X-Auth令牌的HTTP会话进行身份验证。目标是使用X-Auth令牌作为主要身份验证方法,但用户可能会使用赠款JWT访问令牌的外部提供程序进行身份验证。
我已经成功地创建了两个不同的授权端点,一个在/auth使用基于表单的登录并返回X-Auth令牌,另一个在/authJwt。JWT授权仅在/authJwt启用,所有其他端点都使用X-Auth令牌进行保护。
是否可以通过使用JWT进行身份验证来启用X-Auth令牌的生成?我已将HTTP会话配置为始终创建,并且对/authJwt的调用将在HTTP标头中返回X-Auth令牌。但是在尝试进行身份验证时,X-Auth令牌无效。
这是我正在使用的安全配置(我已经删除了一些不相关的部分):

  1. @Configuration
  2. @EnableWebSecurity()
  3. public class WebSecurityConfiguration {
  4. // Endpoints which will be public and not require authentication
  5. private static final String[] AUTH_WHITELIST = {
  6. "/auth"
  7. };
  8. /**
  9. * Filter chain for authenticating using JWT tokens
  10. */
  11. @Bean
  12. @Order(1)
  13. public SecurityFilterChain oAuth2ResourceFilterChain(HttpSecurity httpSecurity) throws Exception {
  14. httpSecurity
  15. .securityMatcher("/authJwt")
  16. .cors().and().csrf().disable()
  17. .requestCache().disable().exceptionHandling().and()
  18. .sessionManagement().sessionCreationPolicy(SessionCreationPolicy.ALWAYS)
  19. .and()
  20. .authorizeHttpRequests().anyRequest().authenticated()
  21. .and()
  22. .oauth2ResourceServer()
  23. .jwt();
  24. return httpSecurity.build();
  25. }
  26. /**
  27. * Filter chain for enabling authentication.
  28. */
  29. @Bean
  30. public SecurityFilterChain filterChain(HttpSecurity httpSecurity) throws Exception {
  31. httpSecurity
  32. .cors().and().csrf().disable()
  33. .requestCache().disable().exceptionHandling().and()
  34. .formLogin().loginPage("/auth").usernameParameter("loginName").passwordParameter("loginPassword")
  35. .successHandler((request, response, authentication) -> response.setStatus(HttpServletResponse.SC_OK))
  36. .and()
  37. .authorizeHttpRequests(requests -> requests
  38. .requestMatchers(AUTH_WHITELIST).permitAll()
  39. .anyRequest().authenticated()
  40. )
  41. // Return 401 on no session
  42. .exceptionHandling().authenticationEntryPoint(new HttpStatusEntryPoint(HttpStatus.UNAUTHORIZED))
  43. .and()
  44. .logout();
  45. return httpSecurity.build();
  46. }
  47. }

以下是会话的配置:

  1. @Configuration()
  2. @EnableSpringHttpSession
  3. public class SpringHttpSessionConfig {
  4. @Bean
  5. public MapSessionRepository sessionRepository() {
  6. return new MapSessionRepository(new ConcurrentHashMap<>());
  7. }
  8. @Bean
  9. public HttpSessionIdResolver httpSessionIdResolver() {
  10. return HeaderHttpSessionIdResolver.xAuthToken();
  11. }
  12. }

有人能指出用X-Auth令牌交换JWT令牌的正确方向吗?

bejyjqdl

bejyjqdl1#

您可以为JWT令牌设置一个自定义身份验证过滤器,该过滤器将使用JWT令牌对用户进行身份验证,然后为经过身份验证的用户创建一个X-Auth令牌。
1.自定义JWT身份验证过滤器:

  1. import org.springframework.security.web.authentication.AbstractAuthenticationProcessingFilter;
  2. import org.springframework.security.core.Authentication;
  3. import org.springframework.security.core.AuthenticationException;
  4. import javax.servlet.http.HttpServletRequest;
  5. import javax.servlet.http.HttpServletResponse;
  6. import javax.servlet.FilterChain;
  7. import javax.servlet.ServletException;
  8. import java.io.IOException;
  9. public class JwtAuthenticationFilter extends AbstractAuthenticationProcessingFilter {
  10. public JwtAuthenticationFilter() {
  11. super("/authJwt");
  12. }
  13. @Override
  14. public Authentication attemptAuthentication(HttpServletRequest request, HttpServletResponse response)
  15. throws AuthenticationException, IOException, ServletException {
  16. String token = request.getHeader("Authorization");
  17. // JWT authentication logic
  18. return null; // return the authenticated user
  19. }
  20. @Override
  21. protected void successfulAuthentication(HttpServletRequest request, HttpServletResponse response, FilterChain chain,
  22. Authentication authResult) throws IOException, ServletException {
  23. // Generate X-Auth token for the authenticated user
  24. String xAuthToken = "GENERATED_X_AUTH_TOKEN";
  25. response.setHeader("X-Auth-Token", xAuthToken);
  26. // Continue processing the request
  27. chain.doFilter(request, response);
  28. }
  29. }

1.在WebSecurityConfiguration类中注册自定义过滤器:

  1. @Configuration
  2. @EnableWebSecurity()
  3. public class WebSecurityConfiguration {
  4. @Bean
  5. public JwtAuthenticationFilter jwtAuthenticationFilter() throws Exception {
  6. return new JwtAuthenticationFilter();
  7. }
  8. @Bean
  9. public SecurityFilterChain oAuth2ResourceFilterChain(HttpSecurity httpSecurity) throws Exception {
  10. httpSecurity
  11. .securityMatcher("/authJwt")
  12. .cors().and().csrf().disable()
  13. .requestCache().disable().exceptionHandling().and()
  14. .sessionManagement().sessionCreationPolicy(SessionCreationPolicy.ALWAYS)
  15. .and()
  16. .authorizeHttpRequests().anyRequest().authenticated()
  17. .and()
  18. .oauth2ResourceServer()
  19. .jwt()
  20. .and()
  21. .addFilterBefore(jwtAuthenticationFilter(), UsernamePasswordAuthenticationFilter.class);
  22. return httpSecurity.build();
  23. }
  24. }

现在,当用户向/authJwt端点发送带有有效JWT令牌的请求时,过滤器使用JWT令牌对用户进行身份验证,生成X-Auth令牌并在X-Auth-Token标头中返回它。

展开查看全部

相关问题