The best way to map a @OneToMany relationship with JPA and Hibernate - Vlad Mihalcea (2024)

Last modified:

Follow @vlad_mihalcea

Imagine having a tool that can automatically detect JPA and Hibernate performance issues. Wouldn’t that be just awesome?

Well, Hypersistence Optimizer is that tool! And it works with Spring Boot, Spring Framework, Jakarta EE, Java EE, Quarkus, or Play Framework.

So, enjoy spending your time on the things you love rather than fixing performance issues in your production system on a Saturday night!

Introduction

While adding a @OneToMany relationship is very easy with JPA and Hibernate, knowing the right way to map such an association so that it generates very efficient SQL statements is definitely not a trivial thing to do.

In a relational database system, a one-to-many association links two tables based on a Foreign Key column so that the child table record references the Primary Key of the parent table row.

As straightforward as it might be in a relational database, when it comes to JPA, the one-to-many database association can be represented either through a @ManyToOne or a @OneToMany association since the OOP association can be either unidirectional or bidirectional.

The @ManyToOne annotation allows you to map the Foreign Key column in the child entity mapping so that the child has an entity object reference to its parent entity. This is the most natural way of mapping a database one-to-many database association, and, usually, the most efficient alternative too.

For convenience, to take advantage of the entity state transitions and the dirty checking mechanism, many developers choose to map the child entities as a collection in the parent object, and, for this purpose, JPA offers the @OneToMany annotation.

As I explained in my book, many times, you are better off replacing collections with a query, which is much more flexible in terms of fetching performance. However, there are times when mapping a collection is the right thing to do, and then you have two choices:

  • a unidirectional @OneToMany association
  • a bidirectional @OneToMany association

The bidirectional association requires the child entity mapping to provide a @ManyToOne annotation, which is responsible for controlling the association.

On the other hand, the unidirectional @OneToMany association is simpler since it’s just the parent-side that defines the relationship. In this article, I’m going to explain the caveats of @OneToMany associations, and how you can overcome them.

There are many ways to map the @OneToMany association. We can use a List or a Set. We can also define the @JoinColumn annotation too. So, let’s see how all this works.

Unidirectional @OneToMany

Consider we have the following mapping:

@Entity(name = "Post")@Table(name = "post")public class Post { @Id @GeneratedValue private Long id; private String title; @OneToMany( cascade = CascadeType.ALL, orphanRemoval = true ) private List<PostComment> comments = new ArrayList<>(); //Constructors, getters and setters removed for brevity}@Entity(name = "PostComment")@Table(name = "post_comment")public class PostComment { @Id @GeneratedValue private Long id; private String review; //Constructors, getters and setters removed for brevity}

Now, if we persist one Post and three PostComment(s):

Post post = new Post("First post");post.getComments().add( new PostComment("My first review"));post.getComments().add( new PostComment("My second review"));post.getComments().add( new PostComment("My third review"));entityManager.persist(post);

Hibernate is going to execute the following SQL statements:

insert into post (title, id) values ('First post', 1)insert into post_comment (review, id) values ('My first review', 2) insert into post_comment (review, id) values ('My second review', 3)insert into post_comment (review, id) values ('My third review', 4)insert into post_post_comment (Post_id, comments_id) values (1, 2)insert into post_post_comment (Post_id, comments_id) values (1, 3)insert into post_post_comment (Post_id, comments_id) values (1, 4)

What is that! Why there are so many queries executed? And what’s the deal with that post_post_comment table anyway?

Well, by default, that’s how the unidirectional @OneToMany association works, and this is how it looks from a database perspective:

For a DBA, this looks more like a many-to-many database association than a one-to-many relationship, and it’s not very efficient either. Instead of two tables, we now have three tables, so we are using more storage than necessary. Instead of only one Foreign Key, we now have two of them. However, since we are most likely going to index these Foreign Keys, we are going to require twice as much memory to cache the index for this association. Not nice!

Unidirectional @OneToMany with @JoinColumn

To fix the aforementioned extra join table issue, we just need to add the @JoinColumn in the mix:

@OneToMany(cascade = CascadeType.ALL, orphanRemoval = true)@JoinColumn(name = "post_id")private List<PostComment> comments = new ArrayList<>();

The @JoinColumn annotation helps Hibernate (the most famous JPA provider) to figure out that there is a post_id Foreign Key column in the post_comment table that defines this association.

With this annotation in place, when persisting the three PostComment entities, we get the following SQL output:

insert into post (title, id) values ('First post', 1)insert into post_comment (review, id) values ('My first review', 2)insert into post_comment (review, id) values ('My second review', 3)insert into post_comment (review, id) values ('My third review', 4)update post_comment set post_id = 1 where id = 2update post_comment set post_id = 1 where id = 3update post_comment set post_id = 1 where id = 4

A little bit better, but what’s the purpose of those three update statements?

If you take a look at Hibernate flush order, you’ll see that the persist action is executed before the collection elements are handled. This way, Hibernate inserts the child records first without the Foreign Key since the child entity does not store this information. During the collection handling phase, the Foreign Key column is updated accordingly.

The same logic applies to collection state modifications, so when removing the firsts entry from the child collection:

post.getComments().remove(0);

Hibernate executes two statements instead of one:

update post_comment set post_id = null where post_id = 1 and id = 2delete from post_comment where id=2

Again, the parent entity state change is executed first, which triggers the child entity update. Afterward, when the collection is processed, the orphan removal action will execute the child row delete statement.

So, is a java.util.Set any different?

No, it’s not. The same statements are executed if you use the @JoinColumn annotation on a unidirectional @OneToMany Set association.

Bidirectional @OneToMany

The best way to map a @OneToMany association is to rely on the @ManyToOne side to propagate all entity state changes:

@Entity(name = "Post")@Table(name = "post")public class Post { @Id @GeneratedValue private Long id; private String title; @OneToMany( mappedBy = "post", cascade = CascadeType.ALL, orphanRemoval = true ) private List<PostComment> comments = new ArrayList<>(); //Constructors, getters and setters removed for brevity public void addComment(PostComment comment) { comments.add(comment); comment.setPost(this); } public void removeComment(PostComment comment) { comments.remove(comment); comment.setPost(null); }}@Entity(name = "PostComment")@Table(name = "post_comment")public class PostComment { @Id @GeneratedValue private Long id; private String review; @ManyToOne(fetch = FetchType.LAZY) private Post post; //Constructors, getters and setters removed for brevity @Override public boolean equals(Object o) { if (this == o) return true; if (!(o instanceof PostComment )) return false; return id != null && id.equals(((PostComment) o).getId()); } @Override public int hashCode() { return getClass().hashCode(); }}

There are several things to note on the aforementioned mapping:

  • The @ManyToOne association uses FetchType.LAZY because, otherwise, we’d fall back to EAGER fetching which is bad for performance.
  • The parent entity, Post, features two utility methods (e.g. addComment and removeComment) which are used to synchronize both sides of the bidirectional association. You should always provide these methods whenever you are working with a bidirectional association as, otherwise, you risk very subtle state propagation issues.
  • The child entity, PostComment, implement the equals and hashCode methods. Since we cannot rely on a natural identifier for equality checks, we need to use the entity identifier instead for the equals method. However, you need to do it properly so that equality is consistent across all entity state transitions, which is also the reason why the hashCode has to be a constant value. Because we rely on equality for the removeComment, it’s good practice to override equals and hashCode for the child entity in a bidirectional association.

If we persist three PostComment(s):

Post post = new Post("First post");post.addComment( new PostComment("My first review"));post.addComment( new PostComment("My second review"));post.addComment( new PostComment("My third review"));entityManager.persist(post);

Hibernate generates just one SQL statement for each persisted PostComment entity:

insert into post (title, id) values ('First post', 1)insert into post_comment (post_id, review, id) values (1, 'My first review', 2)insert into post_comment (post_id, review, id) values (1, 'My second review', 3)insert into post_comment (post_id, review, id) values (1, 'My third review', 4)

If we remove a PostComment:

Post post = entityManager.find( Post.class, 1L );PostComment comment1 = post.getComments().get( 0 );post.removeComment(comment1);

There’s only one delete SQL statement that gets executed:

delete from post_comment where id = 2

So, the bidirectional @OneToMany association is the best way to map a one-to-many database relationship when we really need the collection on the parent side of the association.

YouTube Video

I also published a YouTube video about the Bidirectional @OneToMany association, so enjoy watching it if you’re interested in this topic.

@ManyToOne might be just enough

Just because you have the option of using the @OneToMany annotation, it does not mean this should be the default option for every one-to-many database relationship. The problem with collections is that we can only use them when the number of child records is rather limited.

Therefore, in reality, @OneToMany is practical only when many means few. Maybe @OneToFew would have been a more suggestive name for this annotation.

As I explained in this StackOverflow answer, you cannot limit the size of a @OneToMany collection like it would be the case if you used query-level pagination.

Therefore, most of the time, the @ManyToOne annotation on the child side is everything you need. But then, how do you get the child entities associated with a Post entity?

Well, all you need is just a single JPQL query:

List<PostComment> comments = entityManager.createQuery( "select pc " + "from PostComment pc " + "where pc.post.id = :postId", PostComment.class).setParameter( "postId", 1L ).getResultList();

Which translates to a straightforward SQL query:

select pc.id AS id1_1_, pc.post_id AS post_id3_1_, pc.review AS review2_1_from post_comment pcwhere pc.post_id = 1

Even if the collection is not managed anymore, it’s rather trivial to just add/remove child entities whenever necessary. As for updating child objects, the dirty checking mechanism works just fine even if you don’t use a managed collection. What’s nice about using a query is that you can paginate it any way you like so that, if the number of child entities grows with time, the application performance is not going to be affected.

If you enjoyed this article, I bet you are going to love my Book and Video Courses as well.

The best way to map a @OneToMany relationship with JPA and Hibernate - Vlad Mihalcea (3)The best way to map a @OneToMany relationship with JPA and Hibernate - Vlad Mihalcea (4)The best way to map a @OneToMany relationship with JPA and Hibernate - Vlad Mihalcea (5)

Conclusion

Bidirectional @OneToMany associations are way better than unidirectional ones because they rely on the @ManyToOne relationship, which is always efficient in terms of generated SQL statements.

But then, even if they are very convenient, you don’t always have to use collections. The @ManyToOne association is the most natural and also efficient way of mapping a one-to-many database relationship.

Follow @vlad_mihalcea

The best way to map a @OneToMany relationship with JPA and Hibernate - Vlad Mihalcea (6)

Related

The best way to map a @OneToMany relationship with JPA and Hibernate - Vlad Mihalcea (2024)

References

Top Articles
Chemisch toilet | Decathlon.nl
How to Remove and Safeguard Your Leaked Patreon Content: A Step-by-Step Guide
Bild Poster Ikea
Dannys U Pull - Self-Service Automotive Recycling
Television Archive News Search Service
What spices do Germans cook with?
Valley Fair Tickets Costco
Georgia Vehicle Registration Fees Calculator
Caroline Cps.powerschool.com
Needle Nose Peterbilt For Sale Craigslist
414-290-5379
Ktbs Payroll Login
Shariraye Update
More Apt To Complain Crossword
Painting Jobs Craigslist
The Cure Average Setlist
Puretalkusa.com/Amac
Illinois VIN Check and Lookup
Grandview Outlet Westwood Ky
Royal Cuts Kentlands
Breckie Hill Mega Link
The Ultimate Guide to Extras Casting: Everything You Need to Know - MyCastingFile
Optum Urgent Care - Nutley Photos
Boston Dynamics’ new humanoid moves like no robot you’ve ever seen
Watch Your Lie in April English Sub/Dub online Free on HiAnime.to
The Listings Project New York
Local Collector Buying Old Motorcycles Z1 KZ900 KZ 900 KZ1000 Kawasaki - wanted - by dealer - sale - craigslist
Roanoke Skipthegames Com
Papa Johns Mear Me
Doctors of Optometry - Westchester Mall | Trusted Eye Doctors in White Plains, NY
Danielle Moodie-Mills Net Worth
Craigslist Northern Minnesota
Craigslist Brandon Vt
Winterset Rants And Raves
R/Orangetheory
Angela Muto Ronnie's Mom
123Moviestvme
Craigslist Org Sf
Diana Lolalytics
Tenant Vs. Occupant: Is There Really A Difference Between Them?
Carespot Ocoee Photos
House Of Budz Michigan
Today's Gas Price At Buc-Ee's
A Comprehensive 360 Training Review (2021) — How Good Is It?
Shane Gillis’s Fall and Rise
Lamont Mortuary Globe Az
Jamesbonchai
Here's Everything You Need to Know About Baby Ariel
Whitney Wisconsin 2022
Bradshaw And Range Obituaries
Phumikhmer 2022
Generator für Fantasie-Ortsnamen: Finden Sie den perfekten Namen
Latest Posts
Article information

Author: Gov. Deandrea McKenzie

Last Updated:

Views: 5516

Rating: 4.6 / 5 (66 voted)

Reviews: 89% of readers found this page helpful

Author information

Name: Gov. Deandrea McKenzie

Birthday: 2001-01-17

Address: Suite 769 2454 Marsha Coves, Debbieton, MS 95002

Phone: +813077629322

Job: Real-Estate Executive

Hobby: Archery, Metal detecting, Kitesurfing, Genealogy, Kitesurfing, Calligraphy, Roller skating

Introduction: My name is Gov. Deandrea McKenzie, I am a spotless, clean, glamorous, sparkling, adventurous, nice, brainy person who loves writing and wants to share my knowledge and understanding with you.