The Service Layer executes the business logic and interacts with the Repository Layer to perform data operations
The Repository Layer retrieves or modifies data in the database using JPA
The response is sent back to the client
Sequence diagram
On the GUI, you click on the book entitled ‘Java’
The front office asks the back office for informations
sequenceDiagram
participant Client
participant Controller
participant Service
participant Repository
participant Database
Client->>Controller: GET /books?title=Java
Controller->>Service: getBookByTitle("Java")
Service->>Repository: findByTitle("Java")
Repository->>Database: SELECT * FROM books WHERE title="Java"
Database-->>Repository: Returns book data
Repository-->>Service: Returns Book entity
Service-->>Controller: Returns Book DTO
Controller-->>Client: HTTP 200 OK (Book JSON)
HTTP status codes
HTTP Status Code
Description
200 OK
The request was successful.
400 Bad Request
The server could not understand the request due to invalid syntax.
401 Unauthorized
Authentication is required, and the client should authenticate itself.
403 Forbidden
The client does not have access rights to the content.
404 Not Found
The server can not find the requested resource.
500 Internal Server Error
The server encountered an unexpected error.
501 Not Implemented
The server does not support requested functionality.
502 Bad Gateway
The server received an invalid response from the upstream server.
503 Service Unavailable
The server is not ready to handle the request.
Spring Boot
Why use Spring Boot?
Includes all Spring features
Simplify configuration
Allows developers to focus on business logic
Quick development of production-ready applications
Methods included automatically without having to implement them:
save(Entity e)
findById(Long id)
findAll()
count()
delete(Entity e)
Native SQL Query
importorg.springframework.data.jpa.repository.JpaRepository;importorg.springframework.data.jpa.repository.Query;importorg.springframework.data.repository.query.Param;importorg.springframework.stereotype.Repository;importjava.util.List;@Repositorypublicinterface UserRepository extends JpaRepository<User,Long>{@Query(value =""" SELECT * FROM user u WHERE u.last_name = :lastName """, nativeQuery =true)List<User>findByLastNameNative(@Param("lastName")String lastName);}
@RestController@RequestMapping("/api")publicclass ApiRestController {@Autowiredprivate UserService userService;/*** Get all users*/@GetMapping("/users")publicList<User>getAllUsers(){return userService.findAll();}}
@RestController
handles RESTful web requests
methods in this class will return data directly (JSON)
@RequestMapping("/api"): Specifies the base URL
@GetMapping("/users"): Maps getAllUsers() method to endpoint /api/users
Use a PATH Parameter
ApiRestController.java
@GetMapping("/users/{id}")public ResponseEntity<User>getUserById(@PathVariableLong id_user){ User user = userService.findById(id_user);if(user ==null){return ResponseEntity.notFound().build();}return ResponseEntity.ok(user);}
ResponseEntity:
Represents an entire HTTP response
Create, Update, Delete
ApiRestController.java
@PostMappingpublic ResponseEntity<User>createUser(@RequestBody User user){ User createdUser = userService.save(user);return ResponseEntity.status(HttpStatus.CREATED).body(createdUser);}@PutMapping("/{id}")public ResponseEntity<User>updateUser(@PathVariableLong id,@RequestBody User user){ User existingUser = userService.findById(id);if(existingUser ==null){return ResponseEntity.notFound().build();} user.setId(id); User updatedUser = userService.save(user);return ResponseEntity.ok(updatedUser);}@DeleteMapping("/{id}")public ResponseEntity<Void>deleteUser(@PathVariableLong id){ User existingUser = userService.findById(id);if(existingUser ==null){return ResponseEntity.notFound().build();} userService.deleteById(id);return ResponseEntity.noContent().build();}