Java Spring Security

Spring Security 测试环境

要想在单元测试中使用Spring Security,需要在Spring Boot项目中集成:

  1. <dependency>
  2. <groupId>org.springframework.security</groupId>
  3. <artifactId>spring-security-test</artifactId>
  4. <scope>test</scope>
  5. </dependency>

这样测试的上下文配置就能和Spring Security结合起来了。

Spring Security 测试

所有的测试都是在Spring Boot Test下进行的,也就是@SpringBootTest注解的支持下。

@WithMockUser

@WithMockUser注解可以在Spring Security安全上下文中模拟一个默认名称为user,默认密码为password,默认角色为USER的用户。当测试方法使用了该注解后,就能通过:

  1. Authentication authentication = SecurityContextHolder.getContext().getAuthentication();

获取该模拟用户的信息,也就“假装”当前登录了用户user。当然也可以根据需要来自定义用户名、密码、角色:

  1. @SneakyThrows
  2. @Test
  3. @WithMockUser(username = "fcant",password = "fcant.cn",roles = {"ADMIN"})
  4. void updatePassword() {
  5. mockMvc.perform(post("/user/update/password")
  6. .contentType(MediaType.APPLICATION_JSON)
  7. .content("{\n" +
  8. " \"newPassword\": \"12345\",\n" +
  9. " \"oldPassword\": \"12345\"\n" +
  10. "}"))
  11. .andExpect(ResultMatcher.matchAll(status().isOk()))
  12. .andDo(print());
  13. }

当然可以将@WithMockUser标记到整个测试类上,这样每个测试都将使用指定该用户。

@WithAnonymousUser

@WithAnonymousUser是用来模拟一种特殊的用户,也被叫做匿名用户。如果有测试匿名用户的需要,可以直接使用该注解。其实等同于@WithMockUser(roles = {"ANONYMOUS"}),也等同于@WithMockUser(authorities = {"ROLE_ANONYMOUS"})

@WithUserDetails

虽然@WithMockUser是一种非常方便的方式,但可能并非在所有情况下都凑效。有时候魔改了一些东西使得安全上下文的验证机制发生了改变,比如定制了UserDetails,这一类注解就不好用了。但是通过UserDetailsService加载的用户往往还是可靠的。于是@WithUserDetails就派上了用场。

  1. @SneakyThrows
  2. @Test
  3. @WithUserDetails("fcant")
  4. void updatePassword() {
  5. mockMvc.perform(post("/user/update/password")
  6. .contentType(MediaType.APPLICATION_JSON)
  7. .content("{\n" +
  8. " \"newPassword\": \"12345\",\n" +
  9. " \"oldPassword\": \"12345\"\n" +
  10. "}"))
  11. .andExpect(ResultMatcher.matchAll(status().isOk()))
  12. .andDo(print());
  13. }

当执行单元测试时,将通过UserDetailsServiceloadUserByUsername方法查找用户名为fcant的用户并加载到安全上下文中。

自定义注解

其实还可以模拟@WithMockUser

  1. @Target({ ElementType.METHOD, ElementType.TYPE })
  2. @Retention(RetentionPolicy.RUNTIME)
  3. @Inherited
  4. @Documented
  5. @WithSecurityContext(factory = WithMockUserSecurityContextFactory.class)
  6. public @interface WithMockUser {
  7. String value() default "user";
  8. String username() default "";
  9. String[] roles() default { "USER" };
  10. String[] authorities() default {};
  11. String password() default "password";
  12. @AliasFor(annotation = WithSecurityContext.class)
  13. TestExecutionEvent setupBefore() default TestExecutionEvent.TEST_METHOD;
  14. }

关键就在于@WithSecurityContext注解,只需要实现factory就行了,也就是:

  1. public interface WithSecurityContextFactory<A extends Annotation> {
  2. SecurityContext createSecurityContext(A annotation);
  3. }

这里如法炮制就行。

总结

当项目中集成了Spring Security时如何单元测试,可以使用提供的模拟用户的注解,也可以模拟加载用户,甚至可以根据自己的需要来定制化。其实如果使用了JWT的话,可以在Spring MVC Mock测试中加入对应的请求头或者参数,也能顺利进行。