본문 바로가기
Spring

[Spring] @ModelAttribute 사용법

by 당코 2023. 1. 13.

다음과 같은 객체가 있다고 해보자.

@Data
public class HelloData {
 	private String username;
 	private int age;
}

HTTP 요청 파라미터를 받아서 그 값을 객체에 저장하기 위해서는

@RequestParam을 통해 값을 받고 객체에 전달하는 방식으로 할 수 있을 것이다.

@RequestParam String username;
@RequestParam int age;

HelloData data = new HelloData();
data.setUsername(username);
data.setAge(age)

하지만 이렇게 직접 하는 방식은 번거롭다.

스프링은 @ModelAttribute를 통해 이 과정을 완전히 자동화해 준다.

 

@ModelAttribute

기본적인 사용방법은 다음과 같다.

@ResponseBody
@RequestMapping("/model-attribute")
public String modelAttributeV1(@ModelAttribute HelloData helloData) {
 	log.info("username={}, age={}", helloData.getUsername(), helloData.getAge());
 	return "ok";
}
  1. @ModelAttribute가 있으면 스프링이 자동으로 HelloData 객체를 생성한다.
  2. 요청 파라미터의 이름으로 HelloData 객체의 프로퍼티를 찾는다. 그리고 해당 프로퍼티의 setter를 호출해서 파라미터의 값을 입력(바인딩) 한다

 

@ModelAttribute 생략

@ResponseBody
@RequestMapping("/model-attribute")
public String modelAttributeV1(HelloData helloData) {
 	log.info("username={}, age={}", helloData.getUsername(), helloData.getAge());
 	return "ok";
}

@ModelAttribute와 @RequestParam은 둘 다 생략가능하다.

그래서 스프링은 해당 생략 시 다음과 같은 규칙을 적용한다.

  • String , int , Integer 같은 단순 타입 = @RequestParam
  • 나머지 = @ModelAttribute

HelloData는 객체이기 때문에 @ModelAttribute가 적용이 된다.

 

출처 : https://www.inflearn.com/course/%EC%8A%A4%ED%94%84%EB%A7%81-mvc-2/dashboard

'Spring' 카테고리의 다른 글

[Spring] 검증(Bean Validation)  (0) 2023.01.20
[Spring] 메시지와 국제화  (0) 2023.01.16
[Spring] @RequestParam 사용법  (0) 2023.01.10
[Spring] @PathVariable 사용법  (0) 2023.01.10
[Spring] 스프링 MVC의 구조  (0) 2023.01.09