NotReadablePropertyException: Invalid property 'id' of bean class [java.util.ArrayList]

问题描述

在使用Spring boot框架的时候,集成了框架自带的jpa,artifactId:spring-boot-starter-data-jpa。

我用jpa的Repository做数据List批量保存的时候,抛出了这个异常,反复检查了需要添加的数据没有问题,但是在保存的时候失败,抛出了异常。

public static  List batchSave(List voList, Class clazz, JpaRepository repository) {
        List entities = new ArrayList<>(voList.size());
        try {
            for (T vo : voList) {
                K entity = clazz.newInstance();
                BeanUtils.copyProperties(vo, entity);
                Method setID = clazz.getMethod(SET_ID, Long.class);
                setID.invoke(entity, generateID());
                entities.add(entity);
            }
            repository.save(entities);
        } catch (Exception e) {
            e.printStackTrace();
            ErrorUtil.message(ResponseEnum.DATA_ERROR);
        }
        return entities;
    }

解决方法 

解决方法其实很简单,因为Spring Boot 2.0之后,jpa的Repository批量保存接口不再是之前的save方法了,而是saveAll,所以只需要改动一下调用的保存方法就可以了。

public static  List batchSave(List voList, Class clazz, JpaRepository repository) {
        List entities = new ArrayList<>(voList.size());
        try {
            for (T vo : voList) {
                K entity = clazz.newInstance();
                BeanUtils.copyProperties(vo, entity);
                Method setID = clazz.getMethod(SET_ID, Long.class);
                setID.invoke(entity, generateID());
                entities.add(entity);
            }
            repository.saveAll(entities);
        } catch (Exception e) {
            e.printStackTrace();
            ErrorUtil.message(ResponseEnum.DATA_ERROR);
        }
        return entities;
    }

 

 

你可能感兴趣的:(Java)