Annotations used for Spring MVC are used in Spring Boot too. Here are the common annotations:
@RestController - @Controller + @ResponseBody
@ResponseBody - indicates that the result type should be written straight in the response body in whatever format you specify like JSON or XML.
@RequestMapping - This annotation is used at both the class and method level. The @RequestMapping annotation is used to map web requests onto specific handler classes and handler methods.
@PostMapping - shortcut for @RequestMapping(method = RequestMethod.POST). There is also @GetMapping, @PutMapping, @DeleteMapping
@RequestParam - get the parameters in the request URL
@RequestBody - method parameter should be bound to the value of the HTTP request body.
@PathVariable - used to handle dynamic changes in the URI where a certain URI value acts as a parameter.
Sample Application
The sample application demos most of the commonly used annotations in a Spring Boot web application
You can use @RequestMapping to map a GET request. However, it is often more convenient to use @GetMapping, @PostMapping, @PutMapping, @DeleteMapping, or @PatchMapping.
Note that @GetMapping is different from @GetMapping("/"). The latter maps to the root URL(“/“) while the former maps to the current URL. You need to add “/“ to the URL to map to the root URL.
@PathVairiable
Use @PathVariable to bind parameter to path variable.
1 2 3 4 5 6 7 8 9 10
@GetMapping("/byId/{id}") public ResponseEntity<Task> getById(@PathVariable("id") Long id) { Optional<Task> existingtaskOptional = repository.findById(id);
consumes element narrows the primary mapping by media types that can be consumed by the mapped handler. produces element narrows the primary mapping by media types that can be produced by the mapped handler.
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15
@PutMapping( value = "/{id}", consumes = MediaType.APPLICATION_JSON_VALUE, produces = MediaType.APPLICATION_JSON_VALUE) public ResponseEntity<Task> update(@PathVariable("id") Long id, @RequestBody Task task) { Optional<Task> existingtaskOptional = repository.findById(id); if (existingtaskOptional.isPresent()) { Taskexistingtask= existingtaskOptional.get(); existingtask.setDescription(task.getDescription()); existingtask.setDone(task.isDone()); returnnewResponseEntity<>(repository.save(existingtask), HttpStatus.OK); } else { returnnewResponseEntity<>(HttpStatus.NOT_FOUND); } }
Return a ResponseEntity
You can create a ResponseEntity using new and return it.
If you want to only test a controller use @WebMvcTest annotation.
If you are looking to load your full application context and use MockMVC, you should consider @SpringBootTest combined with @AutoConfigureMockMvc rather than this annotation.
Integration Test
You can use @SpringBootTest to start a complete Spring Boot application with full app context.
Use @SpringBootTest for integration test. The initial data can be loaded using src/test/resources/data.sql file.