우리가 타입미스매치의 오류 같은 경우는 컨트롤러에서 인자로 들어오는 단계에서 발생한다.
@PostMapping("/add")
public String addItemV4(@ModelAttribute Item item, BindingResult bindingResult, RedirectAttributes redirectAttributes, Model model) {
//검증 오류 보관
//검증 로직
if(!StringUtils.hasText(item.getItemName())){
bindingResult.rejectValue("itemName", "required");
}
if(item.getPrice() == null || item.getPrice() < 1000 || item.getPrice() > 1000000){
bindingResult.rejectValue("price","range", new Object[]{1000,100000000}, null);
}
if(item.getQuantity() == null || item.getQuantity() > 9999){
bindingResult.rejectValue("quantity","max", new Object[]{9999}, null);
}
.......
왜냐하면 인자계산이 보통 먼저니까.
여튼 그 때 타입오류는 BindingResult가 감지해서 처리해준다. (보통 아예 에러코드 뿜어내고 끝인데, 얘가 catch 그게 있나 봄.)
여튼, 이 때 BindingResult의 기본 메시지가 들어가는데,
프로그래밍 모르거나 영어 모르면 사실 쫌 까다롭다.
우리가 해야 할 건 고객에게 좋은 UX를 전달하는 거다.
여튼 이거 근데 콘솔에 나오는 거 보면,
errors = org.springframework.validation.BeanPropertyBindingResult: 4 errors
Field error in object 'item' on field 'price': rejected value [ㅁㄴㅇㄹ]; codes [typeMismatch.item.price,typeMismatch.price,typeMismatch.java.lang.Integer,typeMismatch]; arguments [org.springframework.context.support.DefaultMessageSourceResolvable: codes [item.price,price]; arguments []; default message [price]]; default message [Failed to convert property value of type 'java.lang.String' to required type 'java.lang.Integer' for property 'price'; nested exception is java.lang.NumberFormatException: For input string: "ㅁㄴㅇㄹ"]
이렇게 나온다. Bean 저 부분은 잠깐 넘어가고,
일단 읽어보면 오브젝트 item의 필드 price가 값이 거절되었다 [ㅁㄴㅇㄹ]
typeMismatch.item.price,
typeMismatch.item.java.lang.Integer,
typeMismatch
어디서 많이 보던 패턴이다.
그렇다. 거기다 이거는 default message로 들어가는 거기 때문에,
우리가 errors.properties에다가 정의 하면 우리가 정의한 걸로 출력이 된다.
#추가
typeMismatch.item.price=가격은 숫자만 입력해야 합니다.
typeMismatch.item.java.lang.Integer=숫자만 입력해야 합니다.
typeMismatch = 타입오류입니다.
추가했다.
사실 굳이 price 필드명까지 하는 것 보다는,
어차피 typeMismatch.item.java.lang.Integer= 숫자만 입력해야 합니다.
이것만 해도 다 알아 들을 것 같다.
선생님도 price 저 부분은 뺐다.
그리고 위 처럼 가격은 숫자만, 가격은 범위까지 둘 다 나오는데,
@PostMapping("/add")
public String addItemV4(@ModelAttribute Item item, BindingResult bindingResult, RedirectAttributes redirectAttributes, Model model) {
//검증 오류 보관
if(bindingResult.hasErrors()){
log.info("errors = {}", bindingResult);
return "/validation/v2/addForm";
}
//검증 로직
if(!StringUtils.hasText(item.getItemName())){
bindingResult.rejectValue("itemName", "required");
}
if(item.getPrice() == null || item.getPrice() < 1000 || item.getPrice() > 1000000){
bindingResult.rejectValue("price","range", new Object[]{1000,100000000}, null);
}
if(item.getQuantity() == null || item.getQuantity() > 9999){
bindingResult.rejectValue("quantity","max", new Object[]{9999}, null);
}
// 복합에러
if(item.getPrice() != null && item.getQuantity() != null){
int result = item.getQuantity() * item.getPrice();
if(result < 10000){
bindingResult.reject("totalPriceMin", new Object[]{10000, result}, null);
}
}
if(bindingResult.hasErrors()){
log.info("errors = {}", bindingResult);
return "/validation/v2/addForm";
}
Item savedItem = itemRepository.save(item);
redirectAttributes.addAttribute("itemId", savedItem.getId());
redirectAttributes.addAttribute("status", true);
return "redirect:/validation/v2/items/{itemId}";
}
if(bindingResult.hasErrors()){
log.info("errors = {}", bindingResult);
return "/validation/v2/addForm";
}
이거를 이렇게 위 아래 두번 둬서 하면
맨 위의 저거는 타입에러가 있는지(알아서 있으면 bindingResult에 들어가기 때문) 검사해서 바로 return하도록.
'스프링 > 4. 스프링 MVC-2' 카테고리의 다른 글
36. 검증로직 분리 2 (0) | 2023.09.02 |
---|---|
35. 검증로직 분리 (0) | 2023.09.02 |
33. 오류메시지 3 (0) | 2023.09.02 |
32. 오류 메시지 2 (0) | 2023.09.02 |
31. 오류 메시지 처리 (0) | 2023.09.02 |