Tackling records in JPA – Record and record pattern

0 Comments 6:15 AM

99. Tackling records in JPA

If you are a fan of JPA (I cannot see why, but who am I to judge) then you’ll be more than happy to find out that Java records can be helpful in JPA. Typically, Java records can be used as DTOs. Next, let’s see several scenarios when records and JPA make a delightful combo.

DTO via record constructor

Let’s assume that we have a JPA typical Author entity that maps an author data such as id, name, age, and genre.Next, we want to write a query that fetches the authors of a certain genre. But, we don’t need to fetch authors as entities because we don’t plan to modify this data. This is a read-only query returning only the name and age of each author of the given genre. So, we need a DTO that can be expressed via records as follows:

public record AuthorDto(String name, int age) {}

Next, a typical Spring Data JPA, AuthorRepository powered by the Spring Data Query Builder mechanism can take advantage of this record as follows:

@Repository
public interface AuthorRepository
   extends JpaRepository<Author, Long> {
  @Transactional(readOnly = true)  
  List<AuthorDto> findByGenre(String genre);
}

Now, the generated query fetches the data and Spring Boot will map it accordingly to be carried around by the AuthorDto.

DTO via record and JPA constructor expression

Another flavor of the previous scenario can rely on a JPA query that uses a constructor expression as follows:

@Repository
public interface AuthorRepository
     extends JpaRepository<Author, Long> {
  @Transactional(readOnly = true)
  @Query(value = “SELECT
         new com.bookstore.dto.AuthorDto(a.name, a.age)
         FROM Author a”)
  List<AuthorDto> fetchAuthors();
}

The AuthorDto is the same record listed in the previous example.

DTO via record and result transformer

If working with Hibernate 6.0+ result transformers is not on your “to-do” list then you can simply jump to the next topic.Let’s consider the following two records:

public record BookDto(Long id, String title) {}
public record AuthorDto(Long id, String name,
       int age, List<BookDto> books) {
  public void addBook(BookDto book) {
    books().add(book);
  }
}

This time, we have to fetch a hierarchical DTO represented by AuthorDto and BookDto. Since an author can have several books written, we have to provide in AuthorDto a component of type List<BookDto> and a helper method for collecting the books of the current author.In order to populate this hierarchical DTO we can rely on an implementation of TupleTransformer, ResultListTransformer as follows:

public class AuthorBookTransformer implements
       TupleTransformer, ResultListTransformer {
  private final Map<Long, AuthorDto>
    authorsDtoMap = new HashMap<>();
  @Override
  public Object transformTuple(Object[] os, String[] strings){
    Long authorId = ((Number) os[0]).longValue();
      
    AuthorDto authorDto = authorsDtoMap.get(authorId);
    if (authorDto == null) {
      authorDto = new AuthorDto(((Number) os[0]).longValue(),
             (String) os[1], (int) os[2], new ArrayList<>());          
    }
    BookDto bookDto = new BookDto(
      ((Number) os[3]).longValue(), (String) os[4]);
    authorDto.addBook(bookDto);
    authorsDtoMap.putIfAbsent(authorDto.id(), authorDto);
    return authorDto;
  }
  @Override
  public List<AuthorDto> transformList(List list) {      
    return new ArrayList<>(authorsDtoMap.values());
  }
}

You can find the complete application in the bundled code.

DTO via record and JdbcTemplate

If working with Spring Boot JdbcTemplate is not on your “to-do” list then you can simply jump to the next topic.The JdbcTemplate API has been a huge success among those who love to work with JDBC. So, if you are familiar with this API then you’ll be very happy to find out that it can be combined with Java records quite nicely.For instance, having the same AuthorDto and BookDto as in the previous scenario, we can rely on JdbcTemplate to populate this hierarchical DTO as follows:

@Repository
@Transactional(readOnly = true)
public class AuthorExtractor {
  private final JdbcTemplate jdbcTemplate;
  public AuthorExtractor(JdbcTemplate jdbcTemplate) {
    this.jdbcTemplate = jdbcTemplate;
  }
  public List<AuthorDto> extract() {
    String sql = “SELECT a.id, a.name, a.age, b.id, b.title “
    + “FROM author a INNER JOIN book b ON a.id = b.author_id”;
    List<AuthorDto> result = jdbcTemplate.query(sql,
     (ResultSet rs) -> {
      final Map<Long, AuthorDto> authorsMap = new HashMap<>();
      while (rs.next()) {
        Long authorId = (rs.getLong(“id”));
        AuthorDto author = authorsMap.get(authorId);
        if (author == null) {
          author = new AuthorDto(rs.getLong(“id”),
            rs.getString(“name”),
          rs.getInt(“age”), new ArrayList());                  
        }
        BookDto book = new BookDto(rs.getLong(“id”),
          rs.getString(“title”));              
        author.addBook(book);
        authorsMap.putIfAbsent(author.id(), author);
      }
      return new ArrayList<>(authorsMap.values());
    });
    return result;
  }
}

You can find the complete application in the bundled code.

Team up Java records and @Embeddable

Hibernate 6.2+ allows us to define Java records as embeddable. Practically, we start with an embeddable class defined as follows:

@Embeddable
public record Contact(
  String email, String twitter, String phone) {}

Next, we use this embeddable in our Author entity as follows:

@Entity
public class Author implements Serializable {
  private static final long serialVersionUID = 1L;
  @Id
  @GeneratedValue(strategy = GenerationType.IDENTITY)
  private Long id;
  @Embedded
  private Contact contact;
  private int age;
  private String name;
  private String genre;
  …
}

And, in our AuthorDto DTO as follows:

public record AuthorDto(
  String name, int age, Contact contact) {}

Next, a classical Spring Data JPA AuthorRepository powered by the Spring Data Query Builder mechanism can take advantage of this record as follows:

@Repository
public interface AuthorRepository
   extends JpaRepository<Author, Long> {
  @Transactional(readOnly = true)  
  List<AuthorDto> findByGenre(String genre);
}

Now, the generated query fetches the data and Spring Boot will map it accordingly to be carried around by the AuthorDto. If we print to the console one of the fetched authors we will see something like this:

[AuthorDto[name=Mark Janel, age=23,
   contact=Contact[[email protected],
                   twitter=@markjanel, phone=+40198503]]

The highlighted part represents our embeddable.

Leave a Reply

Your email address will not be published. Required fields are marked *

Introducing the canonical and compact constructors for records – Record and record patternIntroducing the canonical and compact constructors for records – Record and record pattern

84. Introducing the canonical and compact constructors for records In the previous problem, we created the MelonRecord Java record and we instantiated it via the following code: MelonRecord melonr =

Adding more artifacts in a record Certification Exams of Java Java Exams

Multiplying matrices via Vector API – Arrays, collections and data structuresMultiplying matrices via Vector API – Arrays, collections and data structures

107. Multiplying matrices via Vector API Let’s consider two matrices of 4×4 denoted as X and Y. The Z=X*Y is: Figure 5.10 – Multiplying two matrices (X * Y =

Certification Exams of Java Getting a list from a stream Java Exams Tackling guarded record patterns Tackling records in Spring Boot Understanding records serialization