application.yml
,application.yaml
, application.properties
), making it convenient to modify configurations without changing the code.Spring Initializr
; this tool will help us quickly bootstrap Spring Boot projects. Below are the steps to take to generate one quickly:Gradle Project
Java
3.1.0
com.codaholic
(replace with your desired package name)blog
(replace with your desired project name)20
Generate
to download the project as a ZIP file.build.gradle
and ensure that sourceCompatibility
and targetCompatibility
are 20
domain
src/main/java/com/codaholic/todo/domain
common
src/main/java/com/codaholic/todo/domain/common
common
package and name it BaseEntity.java
, and add the following piece of code@Data
: This annotation is from Lombok, and automatically generates getter and setter methods for the fields, as well as a toString() method and equals() and hashCode() methods.@MappedSuperclass
: This annotation marks the class as a mapped superclass, which means it provides common properties to other entity classes but will not be mapped to a database table itself.@Serial
: This annotation declares the field “serialVersionUID” as the version identifier for serializing and deserializing objects.private UUID id;
: This field represents the unique identifier (ID) of the entity. The “@Id” annotation marks this field as the primary key for the entity.@JsonIgnore
: This annotation indicates that the “createdDate” field should be ignored during JSON serialization and deserialization.@CreatedDate
: This annotation automatically sets the “createdDate” field with the current date and time when the entity is persisted.@Column(name = "created_dt")
: This annotation specifies the name of the database column where the “createdDate” field will be stored.@Temporal(TemporalType.TIMESTAMP)
: This annotation specifies the type of the “createdDate” field, which is TIMESTAMP.private LocalDateTime updatedDate;
: This field represents the last modified date of the entity. The “@LastModifiedDate” annotation automatically updates this field with the current date and time when the entity is updated.@Column(name = "updated_dt")
: This annotation specifies the name of the database column where the “updatedDate” field will be stored.@Version
: This annotation marks the field as a version field for optimistic locking. It is used to handle concurrent updates to the same entity.entities
src/main/java/com/codaholic/todo/domain/entities
entities
package and name it Todo.java
, and add the following piece of code@Data
, @Entity
, @Builder
, @NoArgsConstructor
, @AllArgsConstructor
, @Table(name = "todo")
, @EqualsAndHashCode(callSuper = false)
These are annotations that provide additional information and behavior to the class.private String Name;
This line declares a private field named “Name” of type “String”. It represents the name of a task in a to-do list.private LocalDateTime StartTime;
This line declares a private field named “StartTime” of type “LocalDateTime”. It represents the date and time when the task should start.private LocalDateTime EndTime;
This line declares a private field named “EndTime” of type “LocalDateTime”. It represents the date and time when the task should end. private Status TaskStatus = Status.PENDING;
This line declares a private field named “TaskStatus” of type “Status” (which is an enumerated type). It represents the task’s status, and its default value is set to PENDING
.@NotEmpty(message = "Name cannot be blank")
, @NotNull(message = "Start Time cannot be blank")
, @NotNull(message = "End Time cannot be blank")
These are validation annotations that specify constraints on the fields. For example, the “Name” field must not be empty, and the “StartTime” and “EndTime” fields must not be null.enums
src/main/java/com/codaholic/todo/domain/enums
Status.java
, and add the following piece of codeinfrastructure
src/main/java/com/codaholic/todo/infrastructure
repository
src/main/java/com/codaholic/todo/infrastructure/repository
repository
package and name it TodoRepository.java
, and add the following piece of codepackage com.codaholic.todo.infrastructure.repository;
This line specifies the package to which the interface belongs. Packages are used to organize related classes and help avoid naming conflicts.import com.codaholic.todo.domain.entities.Todo;
This line imports the Todo
class from the “com.codaholic.todo.domain.entities” package. The “Todo” class represents a task in a to-do list.import org.springframework.data.jpa.repository.JpaRepository;
This line imports the JpaRepository
interface provided by Spring Data JPA. JpaRepository is a built-in Spring interface that provides basic CRUD (Create, Read, Update, Delete) operations for a JPA entity.import java.util.UUID;
This line imports the UUID
class from the Java standard library. UUID
is used to represent universally unique identifiers.public interface TodoRepository extends JpaRepository<Todo, UUID>
This line declares the TodoRepository
interface, which extends the JpaRepository
interface. It specifies that this repository will be used to manage instances of the Todo
class, and the primary key of the Todo
class is of type UUID
.services
src/main/java/com/codaholic/todo/infrastructure/services
services
package and name it TodoService.java
, and add the following piece of code@Service
This annotation marks the “TodoService” class as a Spring service.getAllTodos()
This method retrieves all to-do items from the database using the findAll()
method provided by the TodoRepository
createTodo(Todo todo)
This method saves a new to-do item to the database using the save()
method provided by the TodoRepository
getTodoById(UUID id)
This method retrieves a specific to-do item from the database by its unique identifier (UUID) using the “findById()” method provided by the TodoRepository
. If the to-do item with the specified ID is not found, it throws an exception.updateTodo(UUID id, Todo todoDetail)
This method updates an existing to-do item in the database. It first retrieves the to-do item with the given ID from the database using the findById()
method. If the to-do item is found, it updates its properties with the values from the todoDetail
parameter and saves the changes to the database using the save()
method provided by the TodoRepository
deleteTodo(UUID id)
This method deletes a to-do item from the database using the deleteById()
method provided by the TodoRepository
webapi
package src/main/java/com/codaholic/todo/webapi
controllers
package src/main/java/com/codaholic/todo/webapi/controllers
controllers
package, add TodoController.java
, and add the following piece of code@RestController
: This annotation is used to indicate that this class is a Spring RESTful controller. It combines the functionality of “@Controller” and “@ResponseBody” annotations.@RequestMapping("/api/todo")
: This annotation maps the controller to the “/api/todo” URL path. All endpoints in this controller will be relative to this path.@Autowired
: This annotation marks the constructor as a place where the “TodoService” instance should be automatically injected.@GetMapping
: This annotation is used to handle HTTP GET requests. In this case, it maps the method to the “/api/todo” URL path, so it will handle GET requests to “/api/todo”.@GetMapping("/{id}")
: This annotation is used to handle HTTP GET requests with a dynamic path variable “{id}”. In this case, it maps the method to the “/api/todo/{id}” URL path, so it will handle GET requests to “/api/todo/{id}”.@PostMapping
: This annotation is used to handle HTTP POST requests. In this case, it maps the method to the “/api/todo” URL path, so it will handle POST requests to “/api/todo”.@PutMapping("/{id}")
: This annotation is used to handle HTTP PUT requests with a dynamic path variable “{id}”. In this case, it maps the method to the “/api/todo/{id}” URL path so that it will handle PUT requests to “/api/todo/{id}”.@DeleteMapping("/{id}")
: This annotation is used to handle HTTP DELETE requests with a dynamic path variable “{id}”. In this case, it maps the method to the “/api/todo/{id}” URL path so that it will handle DELETE requests to “/api/todo/{id}”.getAllTodos()
: This method handles the HTTP GET request to “/api/todo”. It calls the getAllTodos()
method from the TodoService
to retrieve a list of all Todo items. The list is then wrapped in a ResponseEntity
and returned with a 200 OK status code.createTodo(@RequestBody Todo todo)
: This method handles the HTTP POST request to “/api/todo”. It expects a JSON representation of a Todo item in the request body. The method calls the createTodo()
method from the TodoService
to create a new Todo item using the provided data. The newly created Todo item is then wrapped in a ResponseEntity
and returned with a 201 CREATED status code.getTodoById(@PathVariable UUID id)
: This method handles the HTTP GET request to “/api/todo/{id}”, where “{id}” is a path variable representing the ID of the Todo item to retrieve. The method calls the getTodoById()
method from the TodoService
to fetch the Todo item with the specified ID. The Todo item is then wrapped in a ResponseEntity
and returned with a 200 OK status code.updateTodo(@PathVariable UUID id, @RequestBody Todo todoDetails)
: This method handles the HTTP PUT request to “/api/todo/{id}”, where “{id}” is a path variable representing the ID of the Todo item to update. The method expects a JSON representation of the updated Todo item in the request body. It calls the updateTodo()
method from the TodoService
to update the Todo item with the provided ID and details. The updated Todo item is then wrapped in a ResponseEntity
and returned with a 200 OK status code.deleteProduct(@PathVariable UUID id)
: This method handles the HTTP DELETE request to “/api/todo/{id}”, where “{id}” is a path variable representing the ID of the Todo item to delete. The method calls the deleteTodo()
method from the TodoService
to delete the Todo item with the specified ID. It returns a ResponseEntity
with a 204 NO CONTENT status code, indicating that the deletion was successful, but there is no response body.src/main/resources/application.properties
to src/main/resources/application.yml
src/main/resources/application.yml
.env.dev
, and add the following environmental variables as shown belowAPP_PORT
and APP_ADDRESS
. Let’s break down each line:export APP_PORT=3000
: This command sets the environment variable APP_PORT
to the value 3000
. APP_PORT
is the port number on which our Spring Boot application will listen for incoming requests.export APP_ADDRESS=127.0.0.1
: This command sets the environment variable APP_ADDRESS
to the value 127.0.0.1
. The IP address 127.0.0.1
is a special loopback address that points to the current machine. In other words, it represents the local host or the “localhost.”POST
request to this endpoint http://localhost:3000/api/todo
in JSON format, as shown in the image below.GET
request to http://localhost:3000/api/todo
, as shown in the image below.GET
request with the specific ID to http://localhost:3000/api/todo/590be75d-13ec-4d3a-9e6d-75ab2fa461b5
, as shown in the image below.PUT
request with the specific ID to http://localhost:3000/api/todo/590be75d-13ec-4d3a-9e6d-75ab2fa461b5
, as shown in the image below.DELETE
request with the specific ID to http://localhost:3000/api/todo/590be75d-13ec-4d3a-9e6d-75ab2fa461b5
as shown in the image belowPosted Mar 19, 2025
Master the art of web development with our comprehensive guide on Spring Boot. Unlock the potential of this powerful framework today! 🌱 #SpringBootGuide
0
0
Jul 28, 2023 - Jul 30, 2023