스프링/4. 스프링 MVC-2

32. 오류 메시지 2

sdafdq 2023. 9. 2. 14:02
bindingResult.rejectValue("itemName", "required");

rejectValue를 쓰면 훨씬 간단해진다.

필드, 오류메시지코드

 

사실 이미 bindingResult는 내가 어떤 객체를 참조하는지 알고 있다.

왜냐하면 컨트롤러의 인자로 bindingResult를 받을 때 우리가 에러관리를 하고자 하는 객체의 바로 다음 순서에 인자로 넣었기 때문.

 

그래서 

bindingResult.getObjectName()
bindingResult.getTarget()

이렇게 해 보면 item이라는 이름과,
 item의 toString이 나온다.

 

그러므로 우리가 기존 쓰던 대상 오브젝트이름, 등을 생략할 수 있다.

errors에서 오류 메시지를 찾는것도 꽤나 단순해졌는데,

 

required.item.itemName=상품 이름은 필수입니다.
range.item.price=가격은 {0} ~ {1} 까지 허용합니다.
max.item.quantity=수량은 최대 {0} 까지 허용합니다.
totalPriceMin=가격 * 수량의 합은 {0}원 이상이어야 합니다. 현재 값 = {1}

보면 규칙이 있다.

오류종류(우리가지은이름).객체.필드 이다.

이런 규칙으로 bindingResult가 해석이 가능해서,

우리는 저 오류종류만 이름짓고 나머지는 형식대로 하면 된다.

 

bindingResult.rejectValue("price","range", new Object[]{1000,100000000}, null)

오류메시지에 인자를 넘기는 경우

이럴 땐 기본 메시지도 같이 써줘야 한다. 마지막 인자가 기본 메시지이다.

 

필드, 오류메시지코드, 오류메시지인자, 기본메시지

 

 

@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);
    }


//        복합에러
    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}";
}

bindingResult.reject("totalPriceMin", new Object[]{10000, result}, null);

 

오류 전체의 에러이다(특정 필드가 아닌 복합에러)

 

보면 이미 객체의 이름은 알고 있기 때문에, 그냥 오류코드와 인자만 넣는다.

'스프링 > 4. 스프링 MVC-2' 카테고리의 다른 글

34. 오류메시지 4  (0) 2023.09.02
33. 오류메시지 3  (0) 2023.09.02
31. 오류 메시지 처리  (0) 2023.09.02
30. FieldError, ObjectError  (0) 2023.08.29
29. BindingResult2  (0) 2023.08.29