如何在JPA中复制Hibernate的saveOrUpdate?

2022-09-01 00:11:35

在JPA中,有没有办法复制Hibernate的saveOrUpdate行为

saveOrUpdate

public void saveOrUpdate(Object object)
                  throws HibernateException

    Either save(Object) or update(Object) the given instance, depending upon resolution of the unsaved-value checks (see the manual for discussion of unsaved-value checking).

    This operation cascades to associated instances if the association is mapped with cascade="save-update".

    Parameters:
        object - a transient or detached instance containing new or updated state 
    Throws:
        HibernateException
    See Also:
        save(Object), update(Object)

它实质上检查对象是否已存在于数据库中,并根据需要更新该对象或保存该对象的新实例。

JPA无转换读取很好,但我真的错过了Hibernate的这种方法。有经验的JPA开发人员如何处理这个问题?


答案 1

尝试使用该方法 - 这非常相似。EntityManager.merge

在Xebia的博客文章中,有一个很好的描述:“JPA实现模式:保存(分离)实体”。


答案 2

Pablojim链接到的文章中概述的方法的问题在于,它不能很好地处理自动生成的主键。

考虑创建一个新的ORM实体对象,您可以为它提供与数据库表中现有行相同的数据,但除非我弄错了,否则实体管理器不会将它们识别为同一行,直到它们具有相同的主键,这在使用自动生成的键的实体中, 在你进入数据库之前,你无法得到。

以下是我目前针对这种情况的工作;

/**
 * Save an object into the database if it does not exist, else return
 * object that exists in the database.
 *
 * @param query query to find object in the database, should only return
 * one object.
 * @param entity Object to save or update.
 * @return Object in the database, whither it was prior or not.
 */
private Object saveOrUpdate(Query query, Object entity) {
    final int NO_RESULT = 0;
    final int RESULT = 1;

    //should return a list of ONE result, 
    // since the query should be finding unique objects
    List results = query.getResultList();
    switch (results.size()) {
        case NO_RESULT:
            em.persist(entity);
            return entity;
        case RESULT:
            return results.get(0);
        default:
            throw new NonUniqueResultException("Unexpected query results, " +
                    results.size());
    }
}

推荐