Best Practices: Entity Class Design with JPA and Spring Boot

Bubu Tripathy
8 min readAug 10, 2023

--

In the world of modern software development, efficient design and implementation of entity classes play a crucial role in building robust and maintainable applications. JPA, coupled with the power of Spring Boot, empowers developers to streamline database operations and create highly functional applications. This guide delves into essential best practices for designing entity classes while utilizing JPA within a Spring Boot framework. By adhering to these best practices, developers can ensure the integrity, performance, and scalability of their applications.

Annotations and Inheritance

  • Annotate your entity classes with @Entity to indicate they are JPA entities.
  • Use @Table to specify the table name if it's different from the class name.
  • Consider using @MappedSuperclass for common attributes that should be inherited by multiple entities.
import javax.persistence.GeneratedValue;
import javax.persistence.GenerationType;
import javax.persistence.Id;
import javax.persistence.MappedSuperclass;
import java.io.Serializable;

@MappedSuperclass
public abstract class BaseEntity implements Serializable {

@Id
@GeneratedValue(strategy = GenerationType.IDENTITY)
private Long id;

// Getters and setters
public Long getId() {
return id;
}

public void setId(Long id) {
this.id = id;
}
}

@Entity
@Table(name = "employees")
public class Employee extends BaseEntity {

private String firstName;
private String lastName;

// Constructors, getters, setters, other fields...
}

In this example, the BaseEntity class is annotated with @MappedSuperclass. It contains the common fields that you want to share across multiple entity classes. The Employee class inherits from BaseEntity, effectively inheriting the id field from the superclass.

By using @MappedSuperclass, you're able to create a common base class for your entity hierarchy while allowing each subclass to include additional fields and annotations specific to their needs. This promotes code reusability and maintains a clean and structured entity hierarchy.

Primary Keys

  • Define a primary key using @Id.
  • Use @GeneratedValue with appropriate strategy for generating primary key values (e.g., GenerationType.IDENTITY, GenerationType.SEQUENCE).
@Entity
public class Product {
@Id
@GeneratedValue(strategy = GenerationType.IDENTITY)
private Long id;
// other fields, getters, setters
}

Associations

  • Use @OneToOne, @OneToMany, @ManyToOne, and @ManyToMany to define relationships between entities.
  • Use fetch attribute to control loading behavior (e.g., LAZY or EAGER).
  • Utilize mappedBy to define the owning side of bidirectional relationships.
import javax.persistence.*;
import java.util.List;

@Entity
public class Department {
@Id
@GeneratedValue(strategy = GenerationType.IDENTITY)
private Long id;
private String name;

@OneToMany(mappedBy = "department")
private List<Employee> employees;

// Constructors, getters, setters, other fields...
}

@Entity
public class Employee {
@Id
@GeneratedValue(strategy = GenerationType.IDENTITY)
private Long id;
private String firstName;
private String lastName;

@ManyToOne
@JoinColumn(name = "department_id")
private Department department;

// Constructors, getters, setters, other fields...
}

Cascading Operations

  • Use cascade attribute to specify cascading operations (e.g., CascadeType.ALL, CascadeType.PERSIST).
  • Be cautious with cascading DELETE to avoid unintentional data loss.
import javax.persistence.*;
import java.util.List;

@Entity
public class Author {
@Id
@GeneratedValue(strategy = GenerationType.IDENTITY)
private Long id;
private String name;

@OneToMany(mappedBy = "author", cascade = CascadeType.ALL, orphanRemoval = true)
private List<Book> books;

// Constructors, getters, setters, other fields...
}

@Entity
public class Book {
@Id
@GeneratedValue(strategy = GenerationType.IDENTITY)
private Long id;
private String title;

@ManyToOne
@JoinColumn(name = "author_id")
private Author author;

// Constructors, getters, setters, other fields...
}

In this example, we have two entities: Author and Book. The Author entity has a one-to-many relationship with the Book entity.

  1. CascadeType.ALL: This option specifies that all operations (e.g., persist, merge, remove) should be cascaded from the parent entity (Author) to the child entity (Book).
  2. orphanRemoval = true: This option specifies that when an Author entity's reference to a Book entity is removed from the books collection, the orphaned Book entity should also be removed from the database.

When you perform a cascading operation on the Author entity, the corresponding operation will cascade to the associated Book entities. For instance:

Author author = new Author();
author.setName("J.K. Rowling");

Book book1 = new Book();
book1.setTitle("Harry Potter and the Sorcerer's Stone");
book1.setAuthor(author);

Book book2 = new Book();
book2.setTitle("Harry Potter and the Chamber of Secrets");
book2.setAuthor(author);

author.setBooks(Arrays.asList(book1, book2));

// Cascading persist: Saving the author will also save both associated books.
entityManager.persist(author);

Likewise, cascading operations work for merge, remove, and other entity operations, reducing the need for explicitly managing related entities persistence.

Keep in mind that while cascading can be convenient, it’s crucial to use it judiciously to prevent unintended changes or data loss. Always consider the requirements of your application and the relationships between entities when using cascading operations.

Validation

  • Use validation annotations (@NotNull, @Size, etc.) to enforce data integrity constraints directly in the entity class.
  • Combine JPA validation with Spring’s @Valid annotation to automatically validate incoming data.
import javax.persistence.*;
import javax.validation.constraints.NotBlank;
import javax.validation.constraints.Size;
import java.util.List;

@Entity
public class Post {
@Id
@GeneratedValue(strategy = GenerationType.IDENTITY)
private Long id;

@NotBlank(message = "Title is required")
@Size(max = 100, message = "Title must be at most 100 characters")
private String title;

@OneToMany(mappedBy = "post", cascade = CascadeType.ALL)
private List<Comment> comments;

// Constructors, getters, setters, other fields...
}

@Entity
public class Comment {
@Id
@GeneratedValue(strategy = GenerationType.IDENTITY)
private Long id;

@NotBlank(message = "Text is required")
@Size(max = 500, message = "Text must be at most 500 characters")
private String text;

@ManyToOne
@JoinColumn(name = "post_id")
private Post post;

// Constructors, getters, setters, other fields...
}

Auditing

  • Implement entity auditing by adding fields like @CreatedBy, @CreatedDate, @LastModifiedBy, and @LastModifiedDate for tracking who created or modified an entity and when.
  • Utilize Spring’s @EntityListeners to manage the auditing behavior.
import org.springframework.data.annotation.CreatedBy;
import org.springframework.data.annotation.CreatedDate;
import org.springframework.data.annotation.LastModifiedBy;
import org.springframework.data.annotation.LastModifiedDate;

import javax.persistence.*;
import java.time.LocalDateTime;

@EntityListeners(AuditingEntityListener.class)
@MappedSuperclass
public abstract class Auditable {
@CreatedBy
protected String createdBy;

@CreatedDate
@Column(nullable = false, updatable = false)
protected LocalDateTime createdDate;

@LastModifiedBy
protected String lastModifiedBy;

@LastModifiedDate
protected LocalDateTime lastModifiedDate;

// Getters and setters...
}

In this example, we’re creating an abstract Auditable class that serves as the base class for other entities that require auditing. Let's break down the annotations and their purposes:

  1. @EntityListeners(AuditingEntityListener.class): This annotation specifies that this entity should be audited using the provided entity listener class. Spring Data JPA will automatically update the auditing fields before persisting or updating the entity.
  2. @MappedSuperclass: This annotation indicates that this class is not an entity itself but serves as a base class for other entities. It allows attributes and behaviors to be inherited by other entities.
  3. @CreatedBy: This annotation specifies the field to store the username of the user who created the entity.
  4. @CreatedDate: This annotation marks the field to store the timestamp when the entity was created. The nullable and updatable properties are set to false to ensure that this field is populated during creation and not updated afterwards.
  5. @LastModifiedBy: This annotation specifies the field to store the username of the user who last modified the entity.
  6. @LastModifiedDate: This annotation marks the field to store the timestamp when the entity was last modified.

Now, when you create an entity that extends the Auditable class, Spring Data JPA will automatically populate the auditing fields during the relevant operations:

@Entity
public class Product extends Auditable {
@Id
@GeneratedValue(strategy = GenerationType.IDENTITY)
private Long id;
private String name;
private Double price;

// Constructors, getters, setters, other fields...
}

By implementing auditing, you can track who created or modified entities and when those actions occurred. This information can be invaluable for monitoring and maintaining your application’s data.

Enums and Enumerated Types

  • Use Java enums for fields with predefined values.
  • Annotate enum fields with @Enumerated(EnumType.STRING) to store enum values as strings in the database.
@Entity
public class Task {
@Id
@GeneratedValue(strategy = GenerationType.IDENTITY)
private Long id;

@Enumerated(EnumType.STRING)
private TaskStatus status;
// other fields, getters, setters
}

public enum TaskStatus {
TODO, IN_PROGRESS, DONE
}

DTO Projection

  • When retrieving data from the database, consider using DTO projections to fetch only the necessary fields, improving performance.
  • Use Spring Data JPA’s @Query annotation or query methods to create custom projections.

Let’s consider an example where we have an Author entity and we want to project a subset of its data into a DTO called AuthorProjection.

import org.springframework.data.jpa.repository.JpaRepository;
import org.springframework.data.jpa.repository.Query;
import org.springframework.stereotype.Repository;

import java.util.List;

@Repository
public interface AuthorRepository extends JpaRepository<Author, Long> {

@Query("SELECT a.name AS name, COUNT(b) AS bookCount FROM Author a JOIN a.books b GROUP BY a.name")
List<AuthorProjection> findAuthorsWithBookCount();
}

public interface AuthorProjection {
String getName();
Long getBookCount();
}

In this example:

  1. We have an Author entity with a one-to-many relationship to Book entities (not shown here).
  2. We define a Spring Data JPA repository AuthorRepository that extends JpaRepository<Author, Long>. Within this repository, we declare a custom query method using the @Query annotation.
  3. The custom query retrieves a list of AuthorProjection objects. The query projects a subset of data: the author's name and the count of books they have written.
  4. AuthorProjection is an interface that defines the subset of data we want to project from the Author entity. The getter methods in this interface correspond to the projected fields.

With this setup, when you call the findAuthorsWithBookCount() method from the AuthorRepository, it will execute the custom query and return a list of AuthorProjection objects containing the projected data.

List<AuthorProjection> authorsWithBookCount = authorRepository.findAuthorsWithBookCount();
for (AuthorProjection author : authorsWithBookCount) {
System.out.println("Author: " + author.getName() + " | Book Count: " + author.getBookCount());
}

DTO projection is useful when you want to retrieve specific fields or calculated values from your entities without fetching the entire entity. It helps optimize database queries and reduce the overhead of transferring unnecessary data.

Indexes

  • Define indexes on fields that are commonly queried for better database performance.
  • Use @Index or @IndexColumn annotations to specify indexes on columns or collections.
import javax.persistence.*;
import java.util.List;

@Entity
@Table(name = "products")
@Indexes({
@Index(columnList = "category_id"),
@Index(columnList = "name, price")
})
public class Product {
@Id
@GeneratedValue(strategy = GenerationType.IDENTITY)
private Long id;

private String name;
private Double price;

@ManyToOne
@JoinColumn(name = "category_id")
private Category category;

// Constructors, getters, setters, other fields...
}

@Entity
public class Category {
@Id
@GeneratedValue(strategy = GenerationType.IDENTITY)
private Long id;

private String name;

@OneToMany(mappedBy = "category")
private List<Product> products;

// Constructors, getters, setters, other fields...
}

In this example, we have two entities: Product and Category. We'll define indexes on fields within the Product entity using the @Indexes annotation from the javax.persistence package.

  1. @Indexes: This annotation allows you to define one or more indexes on columns of a table. The @Index annotation is used within the @Indexes annotation to specify the columns that should be indexed.
  2. @Index: This annotation specifies a single index on the given column(s). You can use the columnList attribute to specify one or more columns for indexing.

In the Product entity, we're defining two indexes:

  • An index on the category_id column to optimize queries that involve joining or filtering by category.
  • A composite index on the name and price columns to optimize queries that sort or filter products based on name and price together.

By defining indexes, you’re telling the database to create efficient data structures that speed up the retrieval and manipulation of data. Indexes are crucial for improving query performance, especially when dealing with large datasets. However, it’s important to carefully choose which columns to index based on your application’s querying patterns.

Incorporating robust entity class design, validation, auditing, DTO projection, and index optimization within a Spring Boot application using JPA not only ensures efficient data management but also contributes to the foundation of a reliable and maintainable software system.

--

--