REST API Spring Security JWT возвращает 401 - PullRequest
0 голосов
/ 27 мая 2018

У меня относительно простая установка с использованием Spring Boot 2, Spring Security, и я использую JWT, чтобы по сути поддерживать пользователей в системе.

Полный проект находится здесь: http://github.com/mikeycoxon/spring-boot-2-security-jwt

У меня есть два фильтра: один выполняет проверку подлинности, другой - авторизацию.

У меня есть AuthNFilter:

public class AuthNFilter extends UsernamePasswordAuthenticationFilter {
    private AuthenticationManager authenticationManager;

    public AuthNFilter(AuthenticationManager authenticationManager) {
        this.authenticationManager = authenticationManager;
    }

    @Override
    public Authentication attemptAuthentication(HttpServletRequest req,
                                                HttpServletResponse res) throws AuthenticationException {
        try {
            User creds = new ObjectMapper()
                    .readValue(req.getInputStream(), User.class);

            return authenticationManager.authenticate(
                    new UsernamePasswordAuthenticationToken(
                            creds.getUsername(),
                            creds.getPassword(),
                            creds.getRoles())
            );
        } catch (IOException e) {
            throw new RuntimeException(e);
        }
    }

    @Override
    protected void successfulAuthentication(HttpServletRequest req,
                                            HttpServletResponse res,
                                            FilterChain chain,
                                            Authentication auth) throws IOException, ServletException {

        String token = Jwts.builder()
                .setSubject(((User) auth.getPrincipal()).getUsername())
                .setExpiration(new Date(System.currentTimeMillis() + EXPIRATION_TIME))
                .signWith(SignatureAlgorithm.HS512, SECRET.getBytes())
                .compact();
        res.addHeader(HEADER_STRING, TOKEN_PREFIX + token);
    }
}

Это проверяет пользователя по хранилищу данных и добавляет пользовательскийзаголовок ответа с токеном.

и AuthZFilter:

public class AuthZFilter  extends BasicAuthenticationFilter {

    public AuthZFilter(AuthenticationManager authManager) {
        super(authManager);
    }

    @Override
    protected void doFilterInternal(HttpServletRequest req,
                                    HttpServletResponse res,
                                    FilterChain chain) throws IOException, ServletException {
        String header = req.getHeader(HEADER_STRING);

        if (header == null || !header.startsWith(TOKEN_PREFIX)) {
            chain.doFilter(req, res);
            return;
        }

        UsernamePasswordAuthenticationToken authentication = getAuthentication(req);

        SecurityContextHolder.getContext().setAuthentication(authentication);
        chain.doFilter(req, res);
    }

    private UsernamePasswordAuthenticationToken getAuthentication(HttpServletRequest request) {
        String token = request.getHeader(HEADER_STRING);
        if (token != null) {
            // parse the token.
            String user = Jwts.parser()
                    .setSigningKey(SECRET.getBytes())
                    .parseClaimsJws(token.replace(TOKEN_PREFIX, ""))
                    .getBody()
                    .getSubject();

            if (user != null) {
                return new UsernamePasswordAuthenticationToken(user, null, new ArrayList<>());
            }
            return null;
        }
        return null;
    }
}

, который заменяет BasicAuthenticationFilter, так что мы можем прочитать JWT и настроить пользователя в SecurityContext.

Чтобы применить это, я настроил WebSecurityConfigurerAdapter, чтобы мы могли переопределить значения по умолчанию для безопасности пружины:

@EnableWebSecurity
public class WebSecurity extends WebSecurityConfigurerAdapter {
    private UserDetailsServiceImpl userDetailsService;
    private BCryptPasswordEncoder bCryptPasswordEncoder;

    public WebSecurity(UserDetailsServiceImpl userDetailsServiceImpl, BCryptPasswordEncoder bCryptPasswordEncoder) {
        this.userDetailsService = userDetailsServiceImpl;
        this.bCryptPasswordEncoder = bCryptPasswordEncoder;
    }

    @Override
    protected void configure(HttpSecurity http) throws Exception {
        http.cors().and().csrf().disable().authorizeRequests()
                .antMatchers(SIGN_UP_URL).permitAll()
                .antMatchers(LOGIN_URL).permitAll()
                .anyRequest().authenticated()
                .and()
                .addFilter(new AuthNFilter(authenticationManager()))
                .addFilter(new AuthZFilter(authenticationManager()))
                // this disables session creation on Spring Security
                .sessionManagement().sessionCreationPolicy(SessionCreationPolicy.STATELESS);
    }

    @Override
    public void configure(AuthenticationManagerBuilder auth) throws Exception {
        auth.userDetailsService(userDetailsService).passwordEncoder(bCryptPasswordEncoder);
    }

    @Bean
    CorsConfigurationSource corsConfigurationSource() {
        final UrlBasedCorsConfigurationSource source = new UrlBasedCorsConfigurationSource();
        source.registerCorsConfiguration("/**", new CorsConfiguration().applyPermitDefaultValues());
        return source;
    }
}

SIGNUP_URL = / api / user и является POST LOGIN_URL = собственной пружиной /конечная точка входа в систему

В основном проблема возникает в тесте:

@RunWith(SpringRunner.class)
@SpringBootTest(webEnvironment = SpringBootTest.WebEnvironment.RANDOM_PORT)
@ActiveProfiles("embedded")
@AutoConfigureMockMvc
public class AccessControllerFunctionalTest {

    @Autowired
    private WebApplicationContext context;

    @Autowired
    private MockMvc mvc;

    @MockBean
    private UserRepository userRepository;

    @Autowired
    private PasswordEncoder passwordEncoder;

    @Before
    public void setup() {
        mvc = MockMvcBuilders
                .webAppContextSetup(context)
                .apply(springSecurity())
                .build();
    }

    @Test
    public void doSignup() throws Exception {
        String requestString = "{\"username\": \"mike@gmail.com\",\"password\": \"password\"}";
        mvc.perform(post("/api/user").contentType(APPLICATION_JSON)
                .content(requestString))
                .andDo(print()).andExpect(status().isOk());
    }

    @Test
    public void doLoginFailsWithUserNotExists() throws Exception {
        String requestString = "{\"username\": \"mike@gmail.com\",\"password\": \"password\"}";
        mvc.perform(post("/login").contentType(APPLICATION_JSON)
                .content(requestString))
                .andDo(print())
                .andExpect(status().isUnauthorized());
    }

    @Test
    public void doLoginSuccessWithUserExists() throws Exception {
        String requestString = "{\"username\": \"rmjcoxon@gmail.com\",\"password\": \"password\"}";
        mvc.perform(post("/login").contentType(APPLICATION_JSON)
                .content(requestString))
                .andDo(print())
                .andExpect(status().isOk())
                .andExpect(header().exists(HEADER_STRING));
    }

}

Первые два теста пройдены, третий не пройден, что является неожиданным.Он всегда возвращается с:

MockHttpServletRequest:
      HTTP Method = POST
      Request URI = /login
       Parameters = {}
          Headers = {Content-Type=[application/json]}
             Body = <no character encoding set>
    Session Attrs = {}

Handler:
             Type = null

Async:
    Async started = false
     Async result = null

Resolved Exception:
             Type = null

ModelAndView:
        View name = null
             View = null
            Model = null

FlashMap:
       Attributes = null

MockHttpServletResponse:
           Status = 401
    Error message = Unauthorized
          Headers = {X-Content-Type-Options=[nosniff], X-XSS-Protection=[1; mode=block], Cache-Control=[no-cache, no-store, max-age=0, must-revalidate], Pragma=[no-cache], Expires=[0], X-Frame-Options=[DENY]}
     Content type = null
             Body = 
    Forwarded URL = null
   Redirected URL = null
          Cookies = []
2018-05-27 19:56:24.868  INFO 8949 --- [    Test worker] o.a.c.c.C.[Tomcat].[localhost].[/]       : Initializing Spring FrameworkServlet ''
2018-05-27 19:56:24.868  INFO 8949 --- [    Test worker] o.s.t.web.servlet.TestDispatcherServlet  : FrameworkServlet '': initialization started
2018-05-27 19:56:24.872  INFO 8949 --- [    Test worker] o.s.t.web.servlet.TestDispatcherServlet  : FrameworkServlet '': initialization completed in 4 ms

MockHttpServletRequest:
      HTTP Method = POST
      Request URI = /login
       Parameters = {}
          Headers = {Content-Type=[application/json]}
             Body = <no character encoding set>
    Session Attrs = {}

Handler:
             Type = null

Async:
    Async started = false
     Async result = null

Resolved Exception:
             Type = null

ModelAndView:
        View name = null
             View = null
            Model = null

FlashMap:
       Attributes = null

MockHttpServletResponse:
           Status = 401
    Error message = Unauthorized
          Headers = {X-Content-Type-Options=[nosniff], X-XSS-Protection=[1; mode=block], Cache-Control=[no-cache, no-store, max-age=0, must-revalidate], Pragma=[no-cache], Expires=[0], X-Frame-Options=[DENY]}
     Content type = null
             Body = 
    Forwarded URL = null
   Redirected URL = null
          Cookies = []

Status expected:<200> but was:<401>
Expected :200
Actual   :401

Я не уверен, откуда берется конечная точка / login, но я уверен, что она не должна проходить аутентификацию, как это есть, иначе как кто-то войдет в систему?

Я предполагаю, что мое непонимание Spring Security виновато в ней, кто-нибудь может увидеть, что я сделал неправильно?

Я задавал подобный вопрос раньше на другой установке - тамбыло немного в пути ответов, поэтому я пытаюсь снова.

1 Ответ

0 голосов
/ 29 мая 2018

По умолчанию пружина генерирует базовую форму входа в систему.Вам необходимо отключить его в Websecurity, например, так:

@Override
protected void configure(HttpSecurity http) throws Exception {
    http.cors().and().csrf().disable().authorizeRequests()
            .antMatchers(SIGN_UP_URL).permitAll()
            .antMatchers(LOGIN_URL).permitAll()
            .anyRequest().authenticated()
            .and()
            .addFilter(new AuthNFilter(authenticationManager()))
            .addFilter(new AuthZFilter(authenticationManager()))
            // this disables session creation on Spring Security
            .sessionManagement().sessionCreationPolicy(SessionCreationPolicy.STATELESS)
            .and().formLogin().disable();
}

РЕДАКТИРОВАТЬ: после некоторой отладки я обнаружил ошибки.

  1. Вы высмеяли UserRepository, ноне метод, поэтому findByUsername всегда будет возвращать ноль.Я удалил его, чтобы использовать реальный репозиторий для hsql.

  2. Пользователь всегда заблокирован.

    @Override
    public boolean isAccountNonLocked() {
        return false; //changed it to true
    } 
    
  3. Кодировщик паролей поддерживает только версию $ 2$ от bcyrpt, а не $ 2y $.

После изменения этих параметров тест выполняется без ошибок.

...