1. What is a Data Transfer Object (DTO)?

A Data Transfer Object (DTO) is a design pattern used to encapsulate and transfer data between different layers of an application. DTOs are lightweight objects that typically contain only the necessary fields and do not include any business logic. They serve as a data structure to transport data between different parts of the application, such as between the frontend and backend or between different microservices in a distributed system.

DTOs are especially useful in Spring Boot applications, where data needs to be transferred between the controller layer, service layer, and persistence layer. By using DTOs, you can decouple the internal data model from the external representation, providing better control over data transmission.

2. Benefits of Using DTOs in Spring Boot

Using DTOs in Spring Boot applications offers several advantages:

  1. Data Isolation: DTOs allow you to isolate the data that is exposed to the external world from your internal domain model. This prevents exposing sensitive or unnecessary data and provides a clear contract for data exchange.
  2. Reduced Overhead: DTOs can contain only the fields required for a specific use case, reducing the amount of data transferred over the network. This minimizes the overhead associated with transmitting large objects.
  3. Versioning and Compatibility: DTOs make it easier to manage versioning and ensure backward compatibility. You can evolve your DTOs separately from your domain model, making it simpler to handle changes in your API.
  4. Improved Security: By controlling what data is exposed through DTOs, you can enhance security by avoiding data leaks and limiting access to sensitive information.
  5. Enhanced Testing: DTOs simplify unit testing as you can create and manipulate them easily in test scenarios without relying on complex domain objects.

3. Different Ways to Use DTOs in Spring Boot

3.1. Manual DTO Creation

In this approach, you manually create DTO classes that mirror the structure of your domain entities. You then write code to map data between your domain objects and DTOs.

public class UserDTO {
    private Long id;
    private String username;
    private String email;

    // Constructors, getters, and setters
}

Now, let's create a controller method to demonstrate manual mapping:

@RestController
@RequestMapping("/api/users")
public class UserController {
    @Autowired
    private UserService userService;
    
    @GetMapping("/{id}")
    public ResponseEntity<UserDTO> getUserById(@PathVariable Long id) {
        User user = userService.getUserById(id);
        
        UserDTO userDTO = new UserDTO();
        userDTO.setId(user.getId());
        userDTO.setUsername(user.getUsername());
        userDTO.setEmail(user.getEmail());
        
        return ResponseEntity.ok(userDTO);
    }
}

<b>Output: </b>

When you send a GET request to /api/users/1, you will receive a JSON response containing the user data.  

{
    "id": 1,
    "username": "john_doe",
    "email": "john.doe@example.com"
}

3.2. Using ModelMapper

ModelMapper is a popular library for automating the mapping of domain objects to DTOs and vice versa. To use ModelMapper in your Spring Boot project, you need to add the following dependency to your pom.xml:  

<dependency>
    <groupId>org.modelmapper</groupId>
    <artifactId>modelmapper</artifactId>
    <version>2.4.3</version>
</dependency>

To use ModelMapper as a Spring bean, you can create a bean definition in your Spring Boot configuration class or main application class. This allows you to centralize the configuration and usage of ModelMapper throughout your application.

Here's how you can create a ModelMapper bean in a Spring Boot application:

import org.modelmapper.ModelMapper;
import org.springframework.context.annotation.Bean;
import org.springframework.context.annotation.Configuration;

@Configuration
public class MyApplicationConfig {
    
    @Bean
    public ModelMapper modelMapper() {
        return new ModelMapper();
    }
}

Here's how you can use ModelMapper to map a domain object to a DTO:

@RestController
@RequestMapping("/api/users")
public class UserController {
    @Autowired
    private UserService userService;
    
    @Autowired
    private ModelMapper modelMapper; // Autowire the ModelMapper bean
    
    @GetMapping("/{id}")
    public ResponseEntity<UserDTO> getUserById(@PathVariable Long id) {
        User user = userService.getUserById(id);
        
        UserDTO userDTO = modelMapper.map(user, UserDTO.class); // Use ModelMapper for mapping
        
        return ResponseEntity.ok(userDTO);
    }
}

Output:

The output will be the same as in the manual DTO creation example.

3.3. Using Lombok

Add the Lombok dependency in your pom.xml file.

<dependency>
    <groupId>org.projectlombok</groupId>
    <artifactId>lombok</artifactId>
    <version>1.18.22</version> <!-- Use the latest version available -->
    <scope>provided</scope>
</dependency>

Now, let's demonstrate using Lombok to create a DTO for our User entity.  

import lombok.Data;

@Data
public class UserDTO {
    private Long id;
    private String username;
    private String email;
}

Here's how you can use Lombok to map a domain object to a DTO:

@RestController
@RequestMapping("/api/users")
public class UserController {
    @Autowired
    private UserService userService;
    
    @GetMapping("/{id}")
    public ResponseEntity<UserDTO> getUserById(@PathVariable Long id) {
        User user = userService.getUserById(id);
        
        UserDTO userDTO = UserDTO.builder()
                .id(user.getId())
                .username(user.getUsername())
                .email(user.getEmail())
                .build();
        
        return ResponseEntity.ok(userDTO);
    }
}

Output:

The output will be the same as in the manual DTO creation example.

4. Formatting Different Types of Values in DTOs

Formatting different types of values in DTOs is a common requirement to ensure that data is presented in a specific format when it's serialized or displayed. Depending on the type of value you want to format, you can use various approaches, including annotations, custom methods, or external libraries. Below, I'll explain how to format different types of values in DTOs:

4.1. Formatting Dates and Times

4.1.1. Using @JsonFormat Annotation (Jackson)

To format date and time values in your DTO, you can use the @JsonFormat annotation provided by the Jackson library, which is commonly used for JSON serialization.  

import com.fasterxml.jackson.annotation.JsonFormat;

public class UserDTO {
    private Long id;
    
    @JsonFormat(pattern = "yyyy-MM-dd HH:mm:ss", timezone = "UTC")
    private Date registrationDate;
    
    // Other fields, getters, and setters
}

In this example, the registrationDate field is annotated with @JsonFormat to specify the desired date and time format.  

4.1.2. Using SimpleDateFormat (Custom Method)

You can also format dates and times by providing a custom getter method in your DTO class that returns the formatted date as a string.

import java.text.SimpleDateFormat;

public class UserDTO {
    private Long id;
    private Date registrationDate;
    
    public String getFormattedRegistrationDate() {
        SimpleDateFormat sdf = new SimpleDateFormat("yyyy-MM-dd HH:mm:ss");
        return sdf.format(registrationDate);
    }
    
    // Other fields, getters, and setters
}

4.2. Formatting Numbers

4.2.1. Using @NumberFormat Annotation (Spring)

To format numeric values, such as numbers or currencies, you can use the @NumberFormat annotation provided by Spring. This annotation allows you to specify number formatting patterns.

import org.springframework.format.annotation.NumberFormat;

public class ProductDTO {
    private Long id;
    
    @NumberFormat(pattern = "#,###.00")
    private BigDecimal price;
    
    // Other fields, getters, and setters
}

In this example, the price field is annotated with @NumberFormat to specify the number formatting pattern.  

4.2.2. Using DecimalFormat (Custom Method)

You can also format numbers by providing a custom getter method in your DTO class that returns the formatted number as a string using DecimalFormat.

import java.text.DecimalFormat;

public class ProductDTO {
    private Long id;
    private BigDecimal price;
    
    public String getFormattedPrice() {
        DecimalFormat df = new DecimalFormat("#,###.00");
        return df.format(price);
    }
    
    // Other fields, getters, and setters
}

4.3. Formatting Strings

4.3.1. Using Custom Methods

For formatting string values, you can create custom getter methods in your DTO class to manipulate the strings as needed. For example, you can trim whitespace, capitalize words, or apply any other string manipulation logic.

public class ArticleDTO {
    private Long id;
    private String title;
    
    public String getFormattedTitle() {
        // Custom formatting logic here
        return title.trim(); // Example: Trim whitespace
    }
    
    // Other fields, getters, and setters
}

4.4. Formatting Enums

4.4.1. Using Custom Methods

When dealing with enums in DTOs, you can create custom getter methods to return formatted representations of enum values. For example, you can convert enum values to uppercase or use a different representation.

public class OrderDTO {
    private Long id;
    private OrderStatus status;
    
    public String getFormattedStatus() {
        return status.toString().toUpperCase(); // Example: Convert to uppercase
    }
    
    // Other fields, getters, and setters
}

4.5. Formatting Booleans

4.5.1. Using Custom Methods

For boolean values, you can create custom getter methods to return formatted representations, such as "Yes" or "No" instead of "true" or "false."

public class UserDTO {
    private Long id;
    private boolean isActive;
    
    public String getFormattedIsActive() {
        return isActive ? "Yes" : "No"; // Example: Convert to "Yes" or "No"
    }
    
    // Other fields, getters, and setters
}

By using these approaches, you can format different types of values in DTOs according to your specific requirements, ensuring that the data is presented in the desired format when the DTOs are serialized or displayed.

5. Additional Considerations and Best Practices

5.1. Validation in DTOs

When dealing with DTOs, it's essential to consider data validation. You should validate the incoming data in your DTOs to ensure that it meets the required constraints and business rules. You can use Spring's validation annotations like @NotNull, @Size, or custom validation annotations to validate DTO fields.

Here's an example of DTO validation using Spring's @NotBlank annotation:  

public class UserDTO {
    @NotNull
    private Long id;
    
    @NotBlank
    @Size(min = 5, max = 50)
    private String username;
    
    @Email
    private String email;
    
    // Constructors, getters, and setters
}

5.2. DTOs for Complex Nested Objects

In real-world applications, DTOs can become more complex when dealing with nested objects or relationships. You may need to create nested DTOs to represent these structures accurately.

For example, if a User has a list of Address objects associated with them, you can create a UserDTO with a nested AddressDTO:  

public class UserDTO {
    private Long id;
    private String username;
    private String email;
    private List<AddressDTO> addresses;
    
    // Constructors, getters, and setters
}

5.3. DTO Versioning

As your application evolves, you might need to introduce changes to your DTOs. To maintain backward compatibility, consider versioning your DTOs. You can achieve this by adding a version identifier to your DTO classes or by creating new DTO versions when necessary.

5.4. DTOs in RESTful APIs

DTOs are commonly used in RESTful APIs to represent the data exchanged between the client and server. When designing RESTful endpoints, you should carefully select and structure your DTOs to match the specific use cases and client requirements. This ensures efficient data transmission and a clear API contract.

6. Using DTOs with Spring Validation

Spring provides a powerful mechanism for validating DTOs using the @Valid annotation in your controller methods. When you annotate a DTO parameter with @Valid, Spring will automatically trigger validation based on the validation constraints defined in the DTO class.

Here's an example of using DTO validation in a controller method:

@RestController
@RequestMapping("/api/users")
public class UserController {
    @Autowired
    private UserService userService;
    
    @PostMapping("/create")
    public ResponseEntity<UserDTO> createUser(@Valid @RequestBody UserDTO userDTO) {
        // Your validation logic is automatically triggered
        
        // Map UserDTO to User entity and save it
        User user = modelMapper.map(userDTO, User.class);
        User savedUser = userService.saveUser(user);
        
        // Return the saved UserDTO
        UserDTO savedUserDTO = modelMapper.map(savedUser, UserDTO.class);
        return ResponseEntity.status(HttpStatus.CREATED).body(savedUserDTO);
    }
}

In this example, the @Valid annotation triggers validation based on the constraints defined in the UserDTO class. If validation fails, Spring will automatically handle validation errors and return a response with appropriate error messages.  

7. DTOs in Microservices Architecture

In a microservices architecture, DTOs play a critical role in defining the boundaries between microservices. Each microservice can have its own set of DTOs tailored to its specific needs. This separation ensures loose coupling between microservices and allows them to evolve independently.

DTOs also help reduce the amount of data transferred between microservices, which is crucial for maintaining the performance and scalability of a microservices-based system.

8. Conclusion

Data Transfer Objects (DTOs) are indispensable in Spring Boot applications, serving as a bridge between different layers of your application and external systems. By carefully designing and using DTOs, you can improve data isolation, reduce overhead, enhance security, and simplify testing. Whether you choose to create DTOs manually, use libraries like ModelMapper, or leverage Lombok for code reduction, the key is to select the approach that best suits your project's requirements and maintainability. With DTOs as an integral part of your architecture, you're better equipped to build robust and efficient Spring Boot applications.

Also read:

Rest API in Spring Boot

Multiple application properties in spring boot