首页 文章

Spring Boot - Test - Validator:Validator的目标无效

提问于
浏览
4

当我尝试运行测试时,我收到以下错误:

org.springframework.web.util.NestedServletException: Request processing failed; nested exception is java.lang.IllegalStateException: Invalid target for Validator [userCreateFormValidator bean]: com.ar.empresa.forms.UserCreateForm@15c3585

Caused by: java.lang.IllegalStateException: Invalid target for Validator [userCreateFormValidator bean]: com.ar.empresa.forms.UserCreateForm@15c3585 at org.springframework.validation.DataBinder.assertValidators(DataBinder.java:567) at org.springframework.validation.DataBinder.addValidators(DataBinder.java:578) at com.ar.empresa.controllers.UserController.initBinder(UserController.java:36) at sun.reflect.NativeMethodAccessorImpl.invoke0(Native Method) at sun.reflect.NativeMethodAccessorImpl.invoke(NativeMethodAccessorImpl.java:62) at sun.reflect.DelegatingMethodAccessorImpl.invoke(DelegatingMethodAccessorImpl.java:43) at java.lang.reflect.Method.invoke(Method.java:498)

代码是:

控制器:

@Controller
public class UserController {
private UserService userService;
private UserCreateFormValidator userCreateFormValidator;

@Autowired
public UserController(UserService userService, UserCreateFormValidator userCreateFormValidator) {
    this.userService = userService;
    this.userCreateFormValidator = userCreateFormValidator;
}

@InitBinder("form")
public void initBinder(WebDataBinder binder) {
    binder.addValidators(userCreateFormValidator);
}

@PreAuthorize("hasAuthority('ADMIN')")
@RequestMapping(value = "/user/create", method = RequestMethod.GET)
public ModelAndView getUserCreatePage() {
    return new ModelAndView("user_create", "form", new UserCreateForm());
}

@PreAuthorize("hasAuthority('ADMIN')")
@RequestMapping(value = "/user/create", method = RequestMethod.POST)
public String handleUserCreateForm(@Valid @ModelAttribute("form") UserCreateForm form, BindingResult bindingResult) {
    if (bindingResult.hasErrors()) {
        return "user_create";
    }
    try {
        userService.create(form);
    } catch (DataIntegrityViolationException e) {
        bindingResult.reject("email.exists", "Email already exists");
        return "user_create";
    }
    return "redirect:/users";
}
}

验证器:

@Component
public class UserCreateFormValidator implements Validator {

private final UserService userService;

@Autowired
public UserCreateFormValidator(UserService userService) {
    this.userService = userService;
}

@Override
public boolean supports(Class<?> clazz) {
    return clazz.equals(UserCreateForm.class);
}

@Override
public void validate(Object target, Errors errors) {
    UserCreateForm form = (UserCreateForm) target;
    validatePasswords(errors, form);
    validateEmail(errors, form);
}

private void validatePasswords(Errors errors, UserCreateForm form) {
    if (!form.getPassword().equals(form.getPasswordRepeated())) {
        errors.reject("password.no_match", "Passwords do not match");
    }
}

private void validateEmail(Errors errors, UserCreateForm form) {
    if (userService.getUserByEmail(form.getEmail()).isPresent()) {
        errors.reject("email.exists", "User with this email already exists");
    }
}
}

UserCreateForm:

public class UserCreateForm {

@NotEmpty
private String email = "";

@NotEmpty
private String password = "";

@NotEmpty
private String passwordRepeated = "";

@NotNull
private Role role = Role.USER;

public String getEmail() {
    return email;
}

public String getPassword() {
    return password;
}

public String getPasswordRepeated() {
    return passwordRepeated;
}

public Role getRole() {
    return role;
}

public void setEmail(String email) {
    this.email = email;
}

public void setPassword(String password) {
    this.password = password;
}

public void setPasswordRepeated(String passwordRepeated) {
    this.passwordRepeated = passwordRepeated;
}

public void setRole(Role role) {
    this.role = role;
}
}

测试:

@RunWith(SpringRunner.class)
@SpringBootTest
public class UserControllerTest {

private MockMvc mockMvc;

private MediaType contentType = new MediaType(APPLICATION_JSON.getType(),
        APPLICATION_JSON.getSubtype(),
        Charset.forName("utf8"));

@MockBean
private UserService userService;

@MockBean
private UserCreateFormValidator userCreateFormValidator;

@Autowired
FilterChainProxy springSecurityFilterChain;

@Before
public void setup() {
    this.mockMvc = MockMvcBuilders.standaloneSetup(new UserController(userService,userCreateFormValidator)).apply(SecurityMockMvcConfigurers.springSecurity(springSecurityFilterChain)).build();
}

@Test
@WithMockUser(username="user",
        password="password",
        roles="ADMIN")
public void homePage_authenticatedUser() throws Exception {
    mockMvc.perform(get("/user/create"))
            .andExpect(status().isOk())
            .andExpect(view().name("user_create"));
}
}

我不知道为什么,因为它是一个GET方法,所以它不必验证它 . 谢谢! :)

1 回答

  • 6

    你有这个例外,因为你没有在 userCreateFormValidator @Mockbean 上模拟 public boolean supports(Class<?> clazz) 方法的行为 . 如果您从发布的日志中查看 org.springframework.validation.DataBinder.assertValidators(DataBinder.java) 的代码,您可以在那里找到如何处理验证器以及如何抛出 java.lang.IllegalStateException . 在 Spring 4.3.8 中,它看起来像这样

    if(validator != null && this.getTarget() != null && !validator.supports(this.getTarget().getClass())) {
        throw new IllegalStateException("Invalid target for Validator [" + validator + "]: " + this.getTarget());
    }
    

    您没有模拟验证器的 supports 方法并且默认返回 false ,导致上面的Spring代码抛出 IllegalStateException .

    TLDR, just give me solution:

    你必须在验证器上模拟 supports 方法 . 将以下内容添加到 @Before@BeforeClass 方法 .

    when(requestValidatorMock.supports(any())).thenReturn(true);
    

相关问题