我正在尝试从表中获取所有用户的电子邮件。 实体用户:
@Entity
@Table(name = "tbl_User")
public class User {
@Expose
@Id
@GeneratedValue
@Column(name = "id")
private Long id;
.....
@OneToMany(mappedBy = "user", fetch = FetchType.LAZY)
List<CommunicationAddress> communicationAddresses = new ArrayList<CommunicationAddress>();
.....
}
在服务中,我正在收到用户并尝试查看电子邮件:
User user = userDAO.getUserById(id);
if (user == null) {
throw new Exception("User not found");
} else {
List<Email> addresses = user.getCommunicationAddresses();
}
但我收到了下一个例外:
org.hibernate.LazyInitializationException: could not initialize proxy - no Session
at org.hibernate.collection.internal.AbstractPersistentCollection.withTemporarySessionIfNeeded(AbstractPersistentCollection.java:186)
at org.hibernate.collection.internal.AbstractPersistentCollection.readSize(AbstractPersistentCollection.java:137)
at org.hibernate.collection.internal.PersistentBag.isEmpty(PersistentBag.java:249)
获取用户的方法:
@Transactional
@Override
public User getUserById(Long userId) {
Criteria criteria = sessionFactory.getCurrentSession().createCriteria(User.class);
criteria.add(Restrictions.eq("id", userId));
return (User) criteria.uniqueResult();
}
我明白当我让用户使用Criteria时我必须得到communicationAddresses ... 怎么做?谢谢所有。
答案 0 :(得分:5)
您的服务方法似乎未使用@Transactional
进行注释。因此,在调用userDAO.getUserById(id);
之后,不再有交易。这意味着您无法访问在事务中未访问/预取的已加载实体的任何延迟加载属性,而不会遇到LazyInitializationException。
因此,您可以考虑将LAZY
替换为EAGER
抓取(这主要取决于您所面临的用例),或者您应该使用@Transactional
注释您的服务方法。
我强烈建议您注释您的服务方法(而不是DAO方法),因为只有在与多个实体交互时才能建立有意义的事务边界。
另外,如果您使用延迟加载,你必须意识到在离开服务层后遇到这种异常的可能性,例如在渲染视图时(假设您以某种方式显示数据)。
要触发延迟关联的即时加载(称为“dynamic association fetching”),请在getUserById
中添加此行:
criteria.setFetchMode("communicationAddresses", FetchMoode.EAGER);
但是,如果你在这个特定的方法中这样做,我想知道你为什么坚持懒加载?