728x90
반응형
- HTTP 응답 메시지는 주로 다음 내용을 담아서 전달한다. (3가지)
- 단순 텍스트 응답
- writer.println("ok");
- HTML 응답
- HTTP API - MessageBody JSON 응답
- 단순 텍스트 응답
- HttpServletResponse - HTML 응답
- HTTP 응답으로 HTML을 반환할 때는 content-type을 text/html 로 지정해야 한다.
@WebServlet(name="responseHtmlServlet", urlPatterns = "/response-html")
public class ResponseHtmlServlet extends HttpServlet {
@Override
protected void service(HttpServletRequest req, HttpServletResponse resp) throws ServletException, IOException {
//Content-Type: text/html;charset=utf-8
//HTTP 응답으로 HTML을 반환할 땐, content-type을 text/html로 지정
resp.setContentType("text/html");
resp.setCharacterEncoding("utf-8");
PrintWriter writer = resp.getWriter();
writer.println("<html>");
writer.println("<body>");
writer.println(" <div>안녕~?</div>");
writer.println("</body>");
writer.println("</html>");
}
}
- 소스보기로 결과 HTML을 확인
- API JSON 응답
- HTTP 응답으로 JSON을 반환할 때는 content-type을 application/json 로 지정해야 한다.
- Jackson 라이브러리가 제공하는 objectMapper.writeValueAsString() 를 사용하면 객체를 JSON 문자로 변경할 수 있다.
@WebServlet(name="responseJsonServlet", urlPatterns = "/response-json")
public class ResponseJsonServlet extends HttpServlet {
private ObjectMapper objectMapper = new ObjectMapper();
@Override
protected void service(HttpServletRequest req, HttpServletResponse resp) throws ServletException, IOException {
//Content-Type: application/json
//HTTP 응답으로 JSON을 반환할 때는 content-type을 application/json로 지정
resp.setContentType("application/json");
resp.setCharacterEncoding("utf-8");
HelloData data = new HelloData();
data.setUsername("kim");
data.setAge(20);
//를 {"username":"kim","age":20} 이렇게 JSON으로 변경
String result = objectMapper.writeValueAsString(data); //객체를 JSON문자로 변경
resp.getWriter().write(result);
}
}
- application/json은 스펙상 utf-8 형식을 사용하도록 정의되어 있다. 그래서 스펙에서 charset=utf-8 과 같은 추가 파라미터를 지원하지 않는다. 따라서 application/json 이라고만 사용해야지, application/json;charset=utf-8 이라고 전달하는 것은 의미 없는 파라미터를 추가한 것이 된다. response.getWriter()를 사용하면 추가 파라미터를 자동으로 추가해버린다. 이때는 response.getOutputStream()으로 출력하면 그런 문제가 없다.
[스프링 MVC 14] 서블릿: HttpServletResponse (tistory.com)
728x90
반응형
'Spring Tutorial' 카테고리의 다른 글
[스프링MVC 16] 회원 관리 웹 애플리케이션 (0) | 2023.07.24 |
---|---|
[스프링 MVC 4] 웹 애플리케이션 이해: HTML, HTTP API, CSR, SSR (0) | 2023.07.22 |
[스프링 MVC 14] 서블릿: HttpServletResponse (0) | 2023.07.21 |
[스프링 MVC 13] 서블릿: HTTP 요청 데이터 - API 메시지 바디 (0) | 2023.07.20 |
[스프링 MVC 12] 서블릿: HTTP 요청 데이터 - POST HTML Form (0) | 2023.07.20 |