Vlad's example for how to fix the MultipleBagsException will be our starting point: How to fix MultipleBagsException - Vlad Mihalcea
In it it does 2 subsequent HQL queries in order to load 2 lazy loaded relationships (bags).
When trying to apply this in our project, I've noticed that it only works if the 2 queries are within a transaction. So we have to create a transaction just to get it working and then rollback said transaction soon after.
Example:
utx.begin();
List<Post> posts = entityManager.createQuery("""
select distinct p
from Post p
left join fetch p.comments
where p.id between :minId and :maxId""", Post.class)
.setParameter("minId", 1L)
.setParameter("maxId", 50L)
.setHint(QueryHints.PASS_DISTINCT_THROUGH, false)
.getResultList();
posts = entityManager.createQuery("""
select distinct p
from Post p
left join fetch p.tags t
where p in :posts""", Post.class)
.setParameter("posts", posts)
.setHint(QueryHints.PASS_DISTINCT_THROUGH, false)
.getResultList();
utx.rollback();
For reference, this is a JavaEE project (not Spring) deployed to Wildfly 20. The persistence unit is defined as such in persistence.xml
<persistence-unit name="some-p-unit-name">
<jta-data-source>java:/jdbc/someDB</jta-data-source>
</persistence-unit>
And the EntityManager is defined as such:
@PersistenceContext(type = PersistenceContextType.EXTENDED, unitName = "some-p-unit-name")
private EntityManager em;
@Produces
@RequestScoped
@SomeResource // this is an annotation to differentiate it from another entity manager that can also be injectable
public EntityManager getEm() {
return em;
}
So why do we need to start a transaction in order for the PersistenceContext to be enabled, even though we're setting it to use the EXTENDED context?
Thanks @Smutje for leading me to the right answer. The solution in our case was to annotate the class defining the EntityManager with @Stateful, as per the documentation the PersistenceContext is only available for Stateful EJBs in container managed scenarios.
Sample Code below. Note the Stateful annotation and also the persistence context type = EXTENDED.