小编典典

如何获取@HandleBeforeSave事件中的旧实体值以确定属性是否更改?

hibernate

我正在尝试获取旧实体@HandleBeforeSave

@Component
@RepositoryEventHandler(Customer.class)
public class CustomerEventHandler {

    private CustomerRepository customerRepository;

    @Autowired
    public CustomerEventHandler(CustomerRepository customerRepository) {
        this.customerRepository = customerRepository;
    }

    @HandleBeforeSave
    public void handleBeforeSave(Customer customer) {
        System.out.println("handleBeforeSave :: customer.id = " + customer.getId());
        System.out.println("handleBeforeSave :: new customer.name = " + customer.getName());

        Customer old = customerRepository.findOne(customer.getId());
        System.out.println("handleBeforeSave :: new customer.name = " + customer.getName());
        System.out.println("handleBeforeSave :: old customer.name = " + old.getName());
    }
}

在这种情况下,我尝试使用findOne方法获取旧实体,但这会返回新事件。可能是由于当前会话中的Hibernate / Repository缓存。

有没有办法获得旧实体?

我需要此以确定给定属性是否已更改。如果属性是更改,则需要执行一些操作。


阅读 348

收藏
2020-06-20

共1个答案

小编典典

您目前在hibernate状态下使用spring-data抽象。如果查找返回新值,则表明spring-data已将对象附加到hibernate会话。

我认为您有三种选择:

  1. 在刷新当前季节之前,通过单独的会话/事务获取对象。这很尴尬,并且需要非常精细的配置。
  2. 在spring附加新对象之前获取以前的版本。这是完全可行的。您可以在将对象传递到存储库之前在服务层中进行操作。save当另一个感染具有已知的相同类型和ID时,您就不能将对象设为hibernate会话。在这种情况下使用mergeevict
  3. 作为描述使用较低级别的Hibernate拦截器在这里。如您所见,onFlushDirty具有两个值作为参数。不过请注意,hibernate状态通常不会查询您以前的状态,只是保存一个已经持久的实体。取而代之的是,在数据库中发出一个简单的更新(不选择)。您可以通过在实体上配置select-before-update来强制选择。
2020-06-20