MultipleBagFetchException, когда я пытаюсь загрузить сущность с 2 коллекциями, используйте JPA EntityGraph
У меня есть пользовательский объект:
@ToString
@Data
@Entity
@Table(name = "users")
@NamedEntityGraph(name = "UserWithItems",
attributeNodes = {
@NamedAttributeNode("items"),
@NamedAttributeNode("roles")
})
public class User {
@Id
@GeneratedValue(strategy = GenerationType.IDENTITY)
private Long id;
@Column(name = "name")
private String name;
@OneToMany(mappedBy = "user", cascade = CascadeType.ALL)
private List<Item> items;
@OneToMany(mappedBy = "user", cascade = CascadeType.ALL)
private List<Role> roles;
}
вещь:
@ToString(exclude = "user")
@Data
@Entity
@Table(name = "items")
public class Item {
@Id
@GeneratedValue(strategy = GenerationType.IDENTITY)
private Long id;
@Column(name = "name")
private String name;
@ManyToOne
@JoinColumn(name = "user_id", referencedColumnName = "id", nullable = false)
private User user;
}
роль:
@ToString
@Data
@Entity
@Table(name = "roles")
public class Role {
@Id
@GeneratedValue(strategy = GenerationType.IDENTITY)
private Long id;
@Column(name = "name")
private String name;
@ManyToOne
@JoinColumn(name = "user_id", referencedColumnName = "id", nullable = false)
private User user;
}
Я хочу загрузить пользователя с элементами и ролями. я использую @NamedEntityGraph
, Это мой репозиторий:
@EntityGraph(value = "UserWithItems", type = EntityGraph.EntityGraphType.LOAD)
@Query("select u from User u where u.id = ?1 and u.name =?2")
User getOneById(Long id, String name);
Но я получаю ошибку:
Caused by: org.hibernate.loader.MultipleBagFetchException: cannot simultaneously fetch multiple bags: [com.example.egerload.entity.User.roles, com.example.egerload.entity.User.items]
at org.hibernate.loader.BasicLoader.postInstantiate(BasicLoader.java:75) ~[hibernate-core-5.3.7.Final.jar:5.3.7.Final]
at org.hibernate.loader.hql.QueryLoader.<init>(QueryLoader.java:108) ~[hibernate-core-5.3.7.Final.jar:5.3.7.Final]
at org.hibernate.hql.internal.ast.QueryTranslatorImpl.doCompile(QueryTranslatorImpl.java:212) ~[hibernate-core-5.3.7.Final.jar:5.3.7.Final]
at org.hibernate.hql.internal.ast.QueryTranslatorImpl.compile(QueryTranslatorImpl.java:143) ~[hibernate-core-5.3.7.Final.jar:5.3.7.Final]
at org.hibernate.engine.query.spi.HQLQueryPlan.<init>(HQLQueryPlan.java:119) ~[hibernate-core-5.3.7.Final.jar:5.3.7.Final]
at org.hibernate.engine.query.spi.HQLQueryPlan.<init>(HQLQueryPlan.java:85) ~[hibernate-core-5.3.7.Final.jar:5.3.7.Final]
at org.hibernate.query.internal.AbstractProducedQuery.makeQueryParametersForExecution(AbstractProducedQuery.java:1350) ~[hibernate-core-5.3.7.Final.jar:5.3.7.Final]
at org.hibernate.query.internal.AbstractProducedQuery.doList(AbstractProducedQuery.java:1539) ~[hibernate-core-5.3.7.Final.jar:5.3.7.Final]
at org.hibernate.query.internal.AbstractProducedQuery.list(AbstractProducedQuery.java:1505) ~[hibernate-core-5.3.7.Final.jar:5.3.7.Final]
... 41 common frames omitted
1 ответ
Вы можете разделить "UserWithItems" на два
@NamedEntityGraph
s, что приводит к двум запросам, как описано в Hibernate, выдает исключение MultipleBagFetchException - невозможно одновременно получить несколько пакетов - ответ Влада Михалчи .
Пользователь
@ToString
@Data
@Entity
@Table(name = "users")
@NamedEntityGraphs(
{
@NamedEntityGraph(
name = "UserWithItems",
attributeNodes = {
@NamedAttributeNode("items")
}
),
@NamedEntityGraph(
name = "UserWithRoles",
attributeNodes = {
@NamedAttributeNode("roles")
}
),
}
)
public class User {
...
}
Я предполагаю, что у вас есть класс репозитория. Например с
extends JpaRepository
. Используйте каждый
NamedEntityGraph
по дополнительному методу. (Я пропустил условие имени и @Query("...") . Условие id должно быть достаточным, поскольку это идентификатор пользователя. @Query("...") не требуется.)
UserRepository
public interface UserRepository extends JpaRepository<User, Long> {
@EntityGraph(value = "UserWithItems", type = EntityGraph.EntityGraphType.LOAD)
Optional<User> getOneWithItemsById(Long id);
@EntityGraph(value = "UserWithRoles", type = EntityGraph.EntityGraphType.LOAD)
Optional<User> getOneWithRolesById(Long id);
....
}
Наконец, вы можете вызвать оба метода в службе.
UserService
public interface UserService {
Optional<User> readById(Long id);
}
UserServiceImpl
@Service
public class UserServiceImpl implements UserService {
private final UserRepository userRepository;
public UserServiceImpl(UserRepository userRepository) {
this.userRepository = userRepository;
}
@Override
@Transactional
public Optional<User> readById(Long id) {
// Load user with items into persistence contex
userRepository.getOneWithItemsById(id);
// Load user with roles into persistence context
// (There is only one user instance by id within the persistence context)
return userRepository.getOneWithRolesById(id);
}
}