본문 바로가기
Spring(JAVA Framework)/Spring MVC

@RequestMapping

by 걸어가는 신사 2021. 9. 15.

1. 기본 요청

package hello.springmvc.basic.requestmapping;

import org.slf4j.Logger;
import org.slf4j.LoggerFactory;
import org.springframework.web.bind.annotation.*;

@RestController
public class MappingController {

    private Logger log = LoggerFactory.getLogger(getClass());

    /**
     * 기본 요청
     * 둘다 허용 /hello-basic, /hello-basic/
     * HTTP 메서드 모두 허용 GET, HEAD, POST, PUT, PATCH, DELETE
     */
    @RequestMapping("/hello-basic")
    public String helloBasic() {
        log.info("helloBasic");
        return "ok";
    }
}

@RequestMapping("/hello-basic")

  • /hello-basic URL 호출이 오면 이 메서드가 실행되도록 매핑한다.
  • 대부분의 속성을 배열로 제공하므로 다중 설정 가능하다. {"/hello-basic", "/hello-go"}
  • @RequestMapping에 method 속성으로 HTTP 메서드를 지칭하지 않으면 HTTP 메서드와 무관하게 호출된다.
    • GET, HEAD, POST, PUT, PATCH, DELETE 모두 허용
@Controller는 반환 값이 String이면 뷰 이름으로 인식된다. 그래서 뷰를 찾고 뷰가 랜더링 된다.
@RestController는 반환 값으로 뷰를 찾는 것이 아니라, HTTP 메시지 바디에 바로 입력한다.
따라서 실행 결과로 ok 메시지를 받을 수 있다. 

 

2. HTTP Method Mapping

(1) @RequestMapping method 속성

/**
* method 특정 HTTP 메서드 요청만 허용
* GET, HEAD, POST, PUT, PATCH, DELETE
*/
@RequestMapping(value = "/mapping-get-v1", method = RequestMethod.GET)
public String mappingGetV1() {
    log.info("mappingGetV1");
    return "ok";
}
  • HTTP GET method 요청만 매핑한다. POST 요청 시 HTTP 405 상태 코드(Method Not Allowed)를 반환한다.

(2) 축약 Annotation

/**
* 편리한 축약 애노테이션
* @GetMapping
* @PostMapping
* @PutMapping
* @DeleteMapping
* @PatchMapping
*/
@GetMapping(value = "/mapping-get-v2")
public String mappingGetV2() {
    log.info("mapping-get-v2");
    return "ok";
}
  • @RequestMapping(value = "", method = "RequestMethod.GET") , @GetMapping(value ="")의 어노테이션은 같은 기능을 한다.
  • 더 선호되는 방법이다.

 

3. PathVariable(경로 변수) 사용 Mapping

/**
* PathVariable 사용
* 변수명이 같으면 생략 가능
* @PathVariable("userId") String userId -> @PathVariable userId
*/
@GetMapping("/mapping/{userId}")
public String mappingPath(@PathVariable("userId") String data) {
    log.info("mappingPath userId={}", data);
    return "ok";
}

/**
* PathVariable 사용 다중
*/
@GetMapping("/mapping/users/{userId}/orders/{orderId}")
public String mappingPath(@PathVariable String userId, @PathVariable Long orderId) {
    log.info("mappingPath userId={}, orderId={}", userId, orderId);
    return "ok";
}
  • 실행 URL : http://localhost:8080/mapping/userA
  • @RequestMapping은 URL 경로를 템플릿화 할 수 있는데, @PathVariable을 사용하면 매칭 되는 부분을 편리하게 조회할 수 있다.
  • @PathVariable의 이름과 파라미터 이름이 같으면 생략할 수 있다. 
  • 최근 HTTP API는 다음과 같이 리소스 경로에 식별자를 넣는 스타일 선호

 

4. 특정 조건 Mapping

(1) 파라미터 조건

/**
* 파라미터로 추가 매핑
* params="mode",
* params="!mode"
* params="mode=debug"
* params="mode!=debug" (! = )
* params = {"mode=debug","data=good"}
*/
@GetMapping(value = "/mapping-param", params = "mode=debug")
public String mappingParam() {
    log.info("mappingParam");
    return "ok";
}
  • 실행 URL : http://localhost:8080/mapping-param?mode=debug
  • 특정 파라미터가 있거나 없는 조건을 추가할 수 있다. 그러나 잘 사용하지 않는다.

(2) 헤더 조건

/**
* 특정 헤더로 추가 매핑
* headers="mode",
* headers="!mode"
* headers="mode=debug"
* headers="mode!=debug" (! = )
*/
@GetMapping(value = "/mapping-header", headers = "mode=debug")
public String mappingHeader() {
    log.info("mappingHeader");
    return "ok";
}
  • HTTP 헤더를 사용한다.

(3) 미디어 타입 조건 - HTTP 요청 Content-Type, consume

/**
* Content-Type 헤더 기반 추가 매핑 Media Type
* consumes="application/json"
* consumes="!application/json"
* consumes="application/*"
* consumes="*\/*"
* MediaType.APPLICATION_JSON_VALUE
*/
@PostMapping(value = "/mapping-consume", consumes = "application/json")
public String mappingConsumes() {
    log.info("mappingConsumes");
    return "ok";
}
  • HTTP 요청의 Content-Type 헤더를 기반으로 미디어 타입으로 매핑한다.

(4) 미디어 타입 조건 - HTTP 요청 Accept, produce

/**
* Accept 헤더 기반 Media Type
* produces = "text/html"
* produces = "!text/html"
* produces = "text/*"
* produces = "*\/*"
*/
@PostMapping(value = "/mapping-produce", produces = "text/html")
public String mappingProduces() {
    log.info("mappingProduces");
    return "ok";
}
  • HTTP 요청의 Accept 헤더를 기반으로 미디어 타입으로 매핑한다.
반응형

'Spring(JAVA Framework) > Spring MVC' 카테고리의 다른 글

HTTP Request - (2) (feat. Request Message Body)  (0) 2021.09.17
HTTP Request - (1) (feat. Request Parameter)  (0) 2021.09.16
SpringMVC 구조  (0) 2021.09.15
HTTP Response 데이터  (0) 2021.08.29
HTTP Request 데이터  (0) 2021.08.29

댓글