我有一个类将jpa实体转换为TO,反之亦然。
当我在方法convertEntityListInTOList
中进行转换时,返回的List
是List<Class<T>>
,我需要它是List<T>
。
是否可能迭代此集合(List<Class<T>>
)并获得"TO"值?
转换器
public class MyConverter<E, T> implements Serializable {
private Class<E> myEntity;
private Class<T> myTO;
public MyConverter(Class<E> myEntity, Class<T> myTO) {
this.myEntity = myEntity;
this.myTO = myTO;
}
public List<T> convertEntityListInTOList(List<E> entityList) {
List<T> listTO = new ArrayList<T>();
for(E obj : entityList) {
myTO = convertEntityInTO(obj);
listTO.add(myTO);
}
return listTO;
}
public List<E> convertTOListInEntityList(List<T> listTOs) {
List<E> entityList = new ArrayList<E>();
for(T to : listTOs) {
myEntity = convertTOInEntity(to);
entityList.add(myEntity);
}
return entityList;
}
public T convertEntityInTO(Object myEntity) {
T myTO = createInstanceTO();
if(myEntity != null) {
try {
BeanUtils.copyProperties(myTO, myEntity);
} catch (IllegalAccessException e) {
e.printStackTrace();
} catch (InvocationTargetException e) {
e.printStackTrace();
}
}
return myTO;
}
public E convertTOInEntity(T myTO) {
E myEntity = createInstanceEntity();
if(myTO != null) {
try {
BeanUtils.copyProperties(myEntity, myTO);
} catch (IllegalAccessException e) {
e.printStackTrace();
} catch (InvocationTargetException e) {
e.printStackTrace();
}
}
return myEntity;
}
/**
*
* @return
*/
public T createInstanceTO() {
try {
return getMyTO().newInstance();
} catch (InstantiationException e) {
e.printStackTrace();
} catch (IllegalAccessException e) {
e.printStackTrace();
}
return null;
}
/**
*
* @return
*/
public E createInstanceEntity() {
try {
return getMyEntity().newInstance();
} catch (InstantiationException e) {
e.printStackTrace();
} catch (IllegalAccessException e) {
e.printStackTrace();
}
return null;
}
}
转换器生产商
@Produces
public MyConverter create(InjectionPoint ip) {
ParameterizedType type = (ParameterizedType) ip.getType();
Class myEntity = (Class) type.getActualTypeArguments()[0];
Class myTO = (Class) type.getActualTypeArguments()[1];
return new MyConverter(myEntity, myTO);
}
你的代码有很多问题。您正在混合对象(例如,类型为MyEntity
的对象)和表示这些对象的类的对象(例如,Class<MyEntity>
)。
所以,当你写
Class myEntity = (Class) type.getActualTypeArguments()[0];
Class myTO = (Class) type.getActualTypeArguments()[1];
return new MyConverter(myEntity, myTO);
你试图创建一个转换器,将一个Class
转换成另一个Class
,这是没有意义的。这就是为什么convertEntityListInTOList
的返回类型是一个类的列表。
创建包含每个实体的一个实例的转换器也没有意义。您应该每次都创建一个新实例,或者填充作为convert方法参数给出的实例。