JPA查找数据后,修改其中的某个值,导致数据库的值也修改了(JPA的生命周期)


问题描述

在一个循环中,通过JPA进行查找后,修改查找后的值,导致数据库的值修改了

for (Integer integer : condition.getResourceIds()) {
                    List tempResourceIds = workTeamDao.findAllTeamListByTeamName(String.valueOf(integer));

                    SchedulingEvent tempSchedulingEvent =
                            dao.findTopByStartBetweenAndResourceIdIn(condition.getStart(),
                                    condition.getEnd(),
                                    tempResourceIds);

                    if(tempSchedulingEvent!=null){
                        tempSchedulingEvent.setResourceId(integer);
                        schedulingEvents.add(tempSchedulingEvent);
                    }
                }

问题解决

通过BeanUtils.copyProperties()方法将查询的值,赋给新的对象

for (Integer integer : condition.getResourceIds()) {
                    List tempResourceIds = workTeamDao.findAllTeamListByTeamName(String.valueOf(integer));

                    SchedulingEvent tempSchedulingEvent =
                            dao.findTopByStartBetweenAndResourceIdIn(condition.getStart(),
                                    condition.getEnd(),
                                    tempResourceIds);

                    if(tempSchedulingEvent!=null){
                        SchedulingEvent schedulingEvent = new SchedulingEvent();
                        BeanUtils.copyProperties(tempSchedulingEvent, schedulingEvent);
                        schedulingEvent.setResourceId(integer);
                        schedulingEvents.add(schedulingEvent);
                    }
                }

问题产生原因

JPA查找数据后,修改其中的某个值,导致数据库的值也修改了(JPA的生命周期)_第1张图片

JPA有如上所示的四个生命周期:


  • New:瞬时对象,尚未有id,还未和Persistence Context建立关联的对象。
  • Managed:持久化受管对象,有id值,已经和Persistence Context建立了关联的对象。
  • Datached:游离态离线对象,有id值,但没有和Persistence Context建立关联的对象。
  • Removed:删除的对象,有id值,尚且和Persistence Context有关联,但是已经准备好从数据库中删除

此处更新ResourceId值时,tempSchedulingEvent 已与session关联,并且数据库有数据,已经持久化了,并且在数据库的缓存当中了,当我们对tempSchedulingEvent使用set()方法时,缓存缓存Session中的数据发生改变,那么接着数据库也会跟着进行相应的改变。所以就执行了update的更新操作。

你可能感兴趣的:(JPA,遇到的问题)