📝 HTTP 요청 - 기본, 헤더 조회
- 매핑 방법을 이해했으니, 이제부터 HTTP 요청이 보내는 데이터들을 스프링 MVC로 어떻게 조회하는지 알아보자.
- 애노테이션 기반의 스프링 컨트롤러는 다양한 파라미터를 지원한다.
- 먼저 HTTP 헤더 정보를 조회하는 방법을 알아보자.
@Slf4j
@RestController
public class RequestHeaderController {
@RequestMapping("/headers")
public String headers(
HttpServletRequest request,
HttpServletResponse response,
HttpMethod httpMethod,
Locale locale,
@RequestHeader MultiValueMap<String, String> headerMap,
@RequestHeader("host") String host,
@CookieValue(value = "myCookie", required = false) String cookie) {
log.info("request={}", request);
log.info("response={}", response);
log.info("httpMethod={}", httpMethod);
log.info("locale={}", locale);
log.info("headerMap={}", headerMap);
log.info("header host={}", host);
log.info("myCookie={}", cookie);
return "ok";
}
}
HttpMethod
: HTTP 메서드를 조회한다.org.springframework.http.HttpMethod
Locale
: Locale 정보를 조회한다.- Locale은 사용자 인터페이스에서 사용되는 언어, 지역 설정, 출력 형식 등을 정의하는 문자열이다.
@RequestHeader MultiValueMap<String, String> headerMap
: 모든 HTTP 헤더를MultiValueMap
형식으로 조회한다.MultiValueMap
Map
과 유사한데, 하나의 키에 여러 값을 받을 수 있다.- HTTP header, HTTP 쿼리 파라미터와 같이 하나의 키에 여러 값을 받을 때 사용한다. (
keyA=value1&keyA=value2
)
@RequestHeader("host") String host
: 특정 HTTP 헤더를 조회한다.- 속성
- 필수 값 여부:
required
- 기본 값 속성:
defaultValue
- 필수 값 여부:
- 속성
@CookieValue(value = "myCookie", required = false) String cookie
: 특정 쿠키를 조회한다.- 속성
- 필수 값 여부:
required
- 기본 값:
defaultValue
- 필수 값 여부:
- 속성
📝 HTTP 요청 파라미터
📜 HTTP 요청 데이터 조회
- 서블릿에서 학습했던 HTTP 요청 데이터를 조회 하는 방법을 다시 떠올려보자. 그리고 서블릿으로 학습했던 내용을 스프링이 얼마나 깔끔하고 효율적으로 바꾸어주는지 알아보자.
- 먼저 HTTP 요청 메시지를 통해 클라이언트에서 서버로 데이터를 전달하는 방법을 알아보자.
- 클라이언트에서 서버로 요청 데이터를 전달할 때는 주로 다음 3가지 방법을 사용한다.
- GET - 쿼리 파라미터
/url?username=hello&age=20
- 메시지 바디 없이, URL의 쿼리 파라미터에 데이터를 포함해서 전달
- 예) 검색, 필터, 페이징등에서 많이 사용하는 방식
- POST - HTML Form
content-type: application/x-www-form-urlencoded
- 메시지 바디에 쿼리 파리미터 형식으로 전달
username=hello&age=20
- 예) 회원 가입, 상품 주문, HTML Form 사용
- HTTP message body에 데이터를 직접 담아서 요청
- HTTP API에서 주로 사용, JSON, XML, TEXT
- 데이터 형식은 주로 JSON 사용
- POST, PUT, PATCH
- GET - 쿼리 파라미터
- 지금부터 하나씩 알아보자.
📜 요청 파리미터(쿼리 파라미터, HTML Form)
@Slf4j
@Controller
public class RequestParamController {
/**
* 반환 타입이 없으면서 이렇게 응답에 값을 직접 집어넣으면, view 조회X
*/
@RequestMapping("/request-param-v1")
public void requestParamV1(HttpServletRequest request, HttpServletResponse response) throws IOException {
String username = request.getParameter("username");
int age = Integer.parseInt(request.getParameter("age"));
log.info("username={}, age={}", username, age);
response.getWriter().write("ok");
}
}
HttpServletRequest
의request.getParameter()
를 사용하면 다음 두가지 요청 파라미터를 조회할 수 있다.
GET - 쿼리 파라미터 전송
http://localhost:8080/request-param?username=hello&age=2
POST - HTML Form 전송
POST /request-param ...
content-type: application/x-www-form-urlencoded
username=hello&age=20
- GET 쿼리 파리미터 전송 방식이든, POST HTML Form 전송 방식이든 둘다 형식이 같으므로 구분없이 조회할 수 있다.
- 이것을 간단히 요청 파라미터(request parameter) 조회라 한다.
📝 HTTP 요청 파라미터 - @RequestParam
- 스프링이 제공하는
@RequestParam
을 사용하면 요청 파라미터를 매우 편리하게 사용할 수 있다.
GET - 쿼리 파라미터 전송
http://localhost:8080/request-param?username=hello&age=2
POST - HTML Form 전송
POST /request-param ...
content-type: application/x-www-form-urlencoded
username=hello&age=20
/**
* @RequestParam 사용
* - 파라미터 이름으로 바인딩
* @ResponseBody 추가
* - View 조회를 무시하고, HTTP message body에 직접 해당 내용 입력
*/
@ResponseBody
@RequestMapping("/request-param-v2")
public String requestParamV2(
@RequestParam("username") String memberName,
@RequestParam("age") int memberAge) {
log.info("username={}, age={}", memberName, memberAge);
return "ok";
}
@RequestParam
: 파라미터 이름으로 바인딩@ResponseBody
: View 조회를 무시하고, HTTP message body에 직접 해당 내용 입력 (@RestController
와 동일한 기능)
/**
* @RequestParam 사용
* HTTP 파라미터 이름이 변수 이름과 같으면 @RequestParam(name="xx") 생략 가능
*/
@ResponseBody
@RequestMapping("/request-param-v3")
public String requestParamV3(
@RequestParam String username,
@RequestParam int age) {
log.info("username={}, age={}", username, age);
return "ok";
}
- HTTP 파라미터 이름이 변수 이름과 같으면
@RequestParam(name="xx")
생략 가능
/**
* @RequestParam 사용
* String, int 등의 단순 타입이면 @RequestParam 도 생략 가능
*/
@ResponseBody
@RequestMapping("/request-param-v4")
public String requestParamV4(String username, int age) {
log.info("username={}, age={}", username, age);
return "ok";
}
String
,int
,Integer
등의 단순 타입이면@RequestParam
도 생략 가능
@RequestParam 애노테이션을 생략하면 스프링 MVC는 내부에서 required=false를 적용한다. required 옵션은 바로 다음에 설명한다.
이렇게 애노테이션을 완전히 생략해도 되는데, 너무 없는 것도 약간 과하다는 주관적 생각이 있다. @RequestParam이 있으면 명확하게 요청 파리미터에서 데이터를 읽는 다는 것을 알 수 있다.
📜 파라미터 필수 여부
/**
* @RequestParam.required
* /request-param-required -> username이 없으므로 예외
*
* 주의!
* /request-param-required?username= -> 빈문자로 통과
*
* 주의!
* /request-param-required
* int age -> null을 int에 입력하는 것은 불가능, 따라서 Integer 변경해야 함(또는 다음에 나오는 defaultValue 사용)
*/
@ResponseBody
@RequestMapping("/request-param-required")
public String requestParamRequired(
@RequestParam(required = true) String username,
@RequestParam(required = false) Integer age) {
log.info("username={}, age={}", username, age);
return "ok";
}
@RequestParam.required
- 파라미터 필수 여부
- 기본값은
true
(파라미터 필수)이다.
/request-param?username= 파라미터 이름만 있고 값이 없는 경우는 빈문자로 인식하고 통과하게 된다.
@RequestParam(required = false) int age null을 int에 입력하는 것은 불가능(500 예외 발생)하다. 따라서 null을 받을 수 있는 Integer로 변경하거나, 또는 다음에 나오는 defaultValue를 사용한다.
📜 기본 값 적용
/**
* @RequestParam
* - defaultValue 사용
*
* 참고: defaultValue는 빈 문자의 경우에도 적용
* /request-param-default?username=
*/
@ResponseBody
@RequestMapping("/request-param-default")
public String requestParamDefault(
@RequestParam(required = true, defaultValue = "guest") String username,
@RequestParam(required = false, defaultValue = "-1") int age) {
log.info("username={}, age={}", username, age);
return "ok";
}
- 파라미터에 값이 없는 경우
defaultValue
를 사용하면 기본 값을 적용할 수 있다. - 이미 기본 값이 있기 때문에
required
는 의미가 없다. defaultValue
는 빈 문자의 경우에도 설정한 기본 값이 적용된다.
📜 파라미터를 Map으로 조회하기
/**
* @RequestParam Map, MultiValueMap
* Map(key=value)
* MultiValueMap(key=[value1, value2, ...]) ex) (key=userIds, value=[id1, id2])
*/
@ResponseBody
@RequestMapping("/request-param-map")
public String requestParamMap(@RequestParam Map<String, Object> paramMap) {
log.info("username={}, age={}", paramMap.get("username"),
paramMap.get("age"));
return "ok";
}
- 파라미터를
Map
또는MultiValueMap
으로 조회할 수 있다. - 파라미터의 값이 1개가 확실하다면
Map
을 사용해도 되지만, 그렇지 않다면MultiValueMap
을 사용하자.
📝 HTTP 요청 파라미터 - @ModelAttribute
- 실제 개발을 하면 요청 파라미터를 받아서 필요한 객체를 만들고 그 객체에 값을 넣어주어야 한다. 보통 다음과 같이 코드를 작성할 것이다.
@RequestParam String username;
@RequestParam int age;
HelloData data = new HelloData();
data.setUsername(username);
data.setAge(age);
- 스프링은 이 과정을 완전히 자동화해주는
@ModelAttribute
기능을 제공한다. - 먼저 요청 파라미터를 바인딩 받을 객체를 만들자.
@Data
public class HelloData {
private String username;
private int age;
}
- 이제
@ModelAttribute
를 적용하여 위 과정을 자동화해보자.
/**
* @ModelAttribute 사용
* 참고: model.addAttribute(helloData) 코드도 함께 자동 적용됨, 뒤에 model을 설명할 때
자세히 설명
*/
@ResponseBody
@RequestMapping("/model-attribute-v1")
public String modelAttributeV1(@ModelAttribute HelloData helloData) {
log.info("username={}, age={}", helloData.getUsername(), helloData.getAge());
return "ok";
}
- 마치 마법처럼
HelloData
객체가 생성되고, 요청 파라미터의 값도 모두 들어가 있다. - 스프링 MVC는
@ModelAttribute
가 있으면 다음을 실행한다.HelloData
객체를 생성한다.- 요청 파라미터의 이름으로
HelloData
객체의 프로퍼티를 찾는다. 그리고 해당 프로퍼티의 setter를 호출해서 파라미터의 값을 입력(바인딩)한다.- 예) 파라미터 이름이
username
이면setUsername()
메서드를 찾아서 호출하면서 값을 입력한다.
- 예) 파라미터 이름이
📜 프로퍼티
- 객체에
getUsername()
,setUsername()
메서드가 있으면, 이 객체는username
이라는 프로퍼티를 가지고 있다. username
프로퍼티의 값을 변경하면setUsername()
이 호출되고, 조회하면getUsername()
이 호출된다.
📜 바인딩 오류
age=abc
처럼 숫자가 들어가야 할 곳에 문자를 넣으면BindException
이 발생한다. 이런 바인딩 오류를 처리하는 방법은 검증 부분에서 다룬다.
📜 @ModelAttribute 생략
/**
* @ModelAttribute 생략 가능
* String, int 같은 단순 타입 = @RequestParam
* argument resolver 로 지정해둔 타입 외 = @ModelAttribute
*/
@ResponseBody
@RequestMapping("/model-attribute-v2")
public String modelAttributeV2(HelloData helloData) {
log.info("username={}, age={}", helloData.getUsername(), helloData.getAge());
return "ok";
}
@ModelAttribute
는 생략할 수 있다.- 그런데
@RequestParam
도 생략할 수 있으니 혼란이 발생할 수 있다. - 스프링은 이때 다음과 같은 규칙을 적용한다.
String
,int
,Integer
같은 단순 타입은@RequestParam
으로 처리- 이 외에는
@ModelAttribute
로 처리 (argument resolver로 지정해둔 타입 외)
argument resolver는 뒤에서 학습한다.
📝 HTTP 요청 메시지 - 단순 텍스트
- HTTP message body에 데이터를 직접 담아서 요청
- HTTP API에서 주로 사용, JSON, XML, TEXT
- 데이터 형식은 주로 JSON 사용
- POST, PUT, PATCH
- 요청 파라미터와 다르게, HTTP 메시지 바디를 통해 데이터가 직접 넘어오는 경우는
@RequestParam
,@ModelAttribute
를 사용할 수 없다. (물론 HTML Form 형식으로 전달되는 경우는 요청 파라미터로 인정된다.) - 먼저 가장 단순한 텍스트 메시지를 HTTP 메시지 바디에 담아서 전송하고, 읽어보자.
- HTTP 메시지 바디의 데이터를
InputStream
을 사용해서 직접 읽을 수 있다.
@Slf4j
@Controller
public class RequestBodyStringController {
@PostMapping("/request-body-string-v1")
public void requestBodyString(HttpServletRequest request, HttpServletResponse response) throws IOException {
ServletInputStream inputStream = request.getInputStream();
String messageBody = StreamUtils.copyToString(inputStream, StandardCharsets.UTF_8);
log.info("messageBody={}", messageBody);
response.getWriter().write("ok");
}
}
📜 Input, Output 스트림, Reader
/**
* InputStream(Reader): HTTP 요청 메시지 바디의 내용을 직접 조회
* OutputStream(Writer): HTTP 응답 메시지의 바디에 직접 결과 출력
*/
@PostMapping("/request-body-string-v2")
public void requestBodyStringV2(InputStream inputStream, Writer responseWriter) throws IOException {
String messageBody = StreamUtils.copyToString(inputStream, StandardCharsets.UTF_8);
log.info("messageBody={}", messageBody);
responseWriter.write("ok");
}
- 스프링 MVC는 다음 파라미터를 지원한다.
- InputStream(Reader): HTTP 요청 메시지 바디의 내용을 직접 조회
- OutputStream(Writer): HTTP 응답 메시지의 바디에 직접 결과 출력
📜 HttpEntity
/**
* HttpEntity: HTTP header, body 정보를 편리하게 조회
* - 메시지 바디 정보를 직접 조회(@RequestParam X, @ModelAttribute X)
* - HttpMessageConverter 사용 -> StringHttpMessageConverter 적용
*
* 응답에서도 HttpEntity 사용 가능
* - 메시지 바디 정보 직접 반환(view 조회X)
* - HttpMessageConverter 사용 -> StringHttpMessageConverter 적용
*/
@PostMapping("/request-body-string-v3")
public HttpEntity<String> requestBodyStringV3(HttpEntity<String> httpEntity) {
String messageBody = httpEntity.getBody();
log.info("messageBody={}", messageBody);
return new HttpEntity<>("ok");
}
- 스프링 MVC는 다음 파라미터를 지원한다.
HttpEntity
: HTTP header, body 정보를 편리하게 조회- 메시지 바디 정보를 직접 조회
HttpEntity
는 응답에도 사용 가능- 메시지 바디 정보 직접 반환
- 헤더 정보 포함 가능
- view 조회 X
HttpEntity
를 상속받은 다음 객체들도 같은 기능을 제공한다.RequestEntity
- HttpMethod, url 정보가 추가, 요청에서 사용
ResponseEntity
- HTTP 상태 코드 설정 가능, 응답에서 사용
return new ResponseEntity<String>("Hello World", responseHeaders, HttpStatus.CREATED)
스프링MVC 내부에서 HTTP 메시지 바디를 읽어서 문자나 객체로 변환해서 전달해주는데, 이때 HTTP 메시지 컨버터( HttpMessageConverter )라는 기능을 사용한다. 이것은 조금 뒤에 HTTP 메시지 컨버터에서 자세히 설명한다.
📜 @RequestBody, @ResponseBody
/**
* @RequestBody
* - 메시지 바디 정보를 직접 조회(@RequestParam X, @ModelAttribute X)
* - HttpMessageConverter 사용 -> StringHttpMessageConverter 적용
*
* @ResponseBody
* - 메시지 바디 정보 직접 반환(view 조회X)
* - HttpMessageConverter 사용 -> StringHttpMessageConverter 적용
*/
@ResponseBody
@PostMapping("/request-body-string-v4")
public String requestBodyStringV4(@RequestBody String messageBody) {
log.info("messageBody={}", messageBody);
return "ok";
}
@RequestBody
를 사용하면 HTTP 메시지 바디 정보를 편리하게 조회할 수 있다. 참고로 헤더 정보가 필요하다면HttpEntity
를 사용하거나@RequestHeader
를 사용하면 된다.@ResponseBody
를 사용하면 응답 결과를 HTTP 메시지 바디에 직접 담아서 전달할 수 있다. 물론 이 경우에도 view를 사용하지 않는다
📜 요청 파라미터 vs HTTP 메시지 바디(❗)
- 이렇게 메시지 바디를 직접 조회하는 기능은 요청 파라미터를 조회하는
@RequestParam
,@ModelAttribute
와는 전혀 관계가 없다. - 요청 파라미터를 조회하는 기능:
@RequestParam
,@ModelAttribute
- HTTP 메시지 바디를 직접 조회하는 기능:
@RequestBody
📝 HTTP 요청 메시지 - JSON
- 이번에는 HTTP API에서 주로 사용하는 JSON 데이터 형식을 조회해보자.
- 기존 서블릿에서 사용했던 방식과 비슷하게 시작해보자.
/**
* {"username":"hello", "age":20}
* content-type: application/json
*/
@Slf4j
@Controller
public class RequestBodyJsonController {
private ObjectMapper objectMapper = new ObjectMapper();
@PostMapping("/request-body-json-v1")
public void requestBodyJsonV1(HttpServletRequest request, HttpServletResponse response) throws IOException {
ServletInputStream inputStream = request.getInputStream();
String messageBody = StreamUtils.copyToString(inputStream, StandardCharsets.UTF_8);
log.info("messageBody={}", messageBody);
HelloData data = objectMapper.readValue(messageBody, HelloData.class);
log.info("username={}, age={}", data.getUsername(), data.getAge());
response.getWriter().write("ok");
}
}
HttpServletRequest
를 사용해서 직접 HTTP 메시지 바디에서 데이터를 읽어와서, 문자로 변환한다.- 문자로 된 JSON 데이터를 Jackson 라이브러리인
objectMapper
를 사용해서 자바 객체로 변환한다.
📜 @RequestBody 문자 변환
/**
* @RequestBody
* HttpMessageConverter 사용 -> StringHttpMessageConverter 적용
*
* @ResponseBody
* - 모든 메서드에 @ResponseBody 적용
* - 메시지 바디 정보 직접 반환(view 조회X)
* - HttpMessageConverter 사용 -> StringHttpMessageConverter 적용
*/
@ResponseBody
@PostMapping("/request-body-json-v2")
public String requestBodyJsonV2(@RequestBody String messageBody) throws IOException {
HelloData data = objectMapper.readValue(messageBody, HelloData.class);
log.info("username={}, age={}", data.getUsername(), data.getAge());
return "ok";
}
- 이전에 학습했던
@RequestBody
를 사용해서 HTTP 메시지에서 데이터를 꺼내고messageBody
에 저장한다. - 문자로 된 JSON 데이터인
messageBody
를objectMapper
를 통해서 자바 객체로 변환한다. - 그런데 문자로 변환하고 다시 json으로 변환하는 과정이 불편하다.
@ModelAttribute
처럼 한번에 객체로 변환할 수는 없을까?
📜 @RequestBody 객체 변환
/**
* @RequestBody 생략 불가능(@ModelAttribute 가 적용되어 버림)
* HttpMessageConverter 사용 -> MappingJackson2HttpMessageConverter (contenttype: application/json)
*
*/
@ResponseBody
@PostMapping("/request-body-json-v3")
public String requestBodyJsonV3(@RequestBody HelloData data) {
log.info("username={}, age={}", data.getUsername(), data.getAge());
return "ok";
}
@RequestBody
에 직접 만든 객체를 지정할 수 있다.HttpEntity
,@RequestBody
를 사용하면 HTTP 메시지 컨버터가 HTTP 메시지 바디의 내용을 우리가 원하는 문자나 객체 등으로 변환해준다.- HTTP 메시지 컨버터는 문자 뿐만 아니라 JSON도 객체로 변환해주는데, 우리가 방금 V2에서 했던 작업을 대신 처리해준다.
- 자세한 내용은 뒤에 HTTP 메시지 컨버터에서 다룬다.
📜 @RequestBody는 생략 불가능(❗)
@ModelAttribute
에서 학습한 내용을 떠올려보자.- 스프링은
@ModelAttribute
,@RequestParam
과 같은 해당 애노테이션을 생략시 다음과 같은 규칙을 적용한다고 했다.String
,int
,Integer
같은 단순 타입은@RequestParam
으로 처리- 이 외에는
@ModelAttribute
로 처리 (argument resolver로 지정해둔 타입 외)
- 따라서 이 경우
HelloData
에@RequestBody
를 생략하면@ModelAttribute
가 적용되어버린다. - 따라서 생략하면 HTTP 메시지 바디가 아니라 요청 파라미터를 처리하게 된다.
HTTP 요청시에 content-type이 application/json인지 꼭! 확인해야 한다. 그래야 JSON을 처리할 수 있는 HTTP 메시지 컨버터가 실행된다.
📜 HttpEntity, @ResponseBody
- 물론 앞서 배운 것과 같이
HttpEntity
나@ResponseBody
를 사용할 수도 있다.
@ResponseBody
@PostMapping("/request-body-json-v4")
public String requestBodyJsonV4(HttpEntity<HelloData> httpEntity) {
HelloData data = httpEntity.getBody();
log.info("username={}, age={}", data.getUsername(), data.getAge());
return "ok";
}
/**
* @RequestBody 생략 불가능(@ModelAttribute 가 적용되어 버림)
* HttpMessageConverter 사용 -> MappingJackson2HttpMessageConverter (contenttype: application/json)
*
* @ResponseBody 적용
* - 메시지 바디 정보 직접 반환(view 조회X)
* - HttpMessageConverter 사용 -> MappingJackson2HttpMessageConverter 적용
(Accept: application/json)
*/
@ResponseBody
@PostMapping("/request-body-json-v5")
public HelloData requestBodyJsonV5(@RequestBody HelloData data) {
log.info("username={}, age={}", data.getUsername(), data.getAge());
return data;
}
@RequestBody
요청: JSON 요청 → HTTP 메시지 컨버터 → 객체@ResponseBody
응답: 객체 → HTTP 메시지 컨버터 → JSON 응답
📌 Reference
'🍃 Spring, Spring Boot > 스프링 MVC' 카테고리의 다른 글
[Spring MVC] 7. 스프링 MVC - 기본 기능(3) (0) | 2023.06.22 |
---|---|
[Spring MVC] 5. 스프링 MVC - 기본 기능(1) (0) | 2023.06.22 |
[Spring MVC] 4. 스프링 MVC 구조 이해하기 (0) | 2023.06.19 |
[Spring MVC] 3. MVC 프레임워크 만들기 (0) | 2023.06.18 |
[Spring MVC] 2. MVC 패턴 (0) | 2023.06.16 |