最近在工作中,遇到一个场景:接受到一个字符串数组,需要将其转为一个对象,反射实现的方法如下:
/**
* 将字符串数组转成对象:支持double int boolean string
* @param valueList 值数组列表
* @param properties 属性数组
* @param c 目标class对象
* @return 返回null时丢弃此结果
*/
public List convertToDomain(List valueList,String[] properties,Class c){
List result=new ArrayList(valueList.size());
for(String[] values:valueList){
try {
T bean = c.newInstance();
for (int i = 0; i
String name = properties[i];
String value = values[i];
//获取属性类型
PropertyDescriptor descriptor=new PropertyDescriptor(name,c);
Class nameType = descriptor.getReadMethod().getReturnType();
// double
if (nameType == Double.class || nameType == double.class) {
if (DataUtil.isDoubleNumeric(value)) {
PropertyUtils.setProperty(bean, name,
Double.valueOf(value));
} else {
PropertyUtils.setProperty(bean, name, 0.00);
}
// int
} else if (nameType == Integer.class
|| nameType == int.class) {
if (DataUtil.isIntNumeric(value)) {
PropertyUtils.setProperty(bean, name,
Integer.valueOf(value));
} else {
PropertyUtils.setProperty(bean, name, 0);
}
// boolean
} else if (nameType == boolean.class
|| nameType == Boolean.class) {
if (DataUtil.isBooleanValue(value)) {
PropertyUtils.setProperty(bean, name,
Boolean.valueOf(value));
}
// 默认字符串
} else if (nameType == String.class) {
PropertyUtils.setProperty(bean, name, value);
}else{
log.error("convertToDomain error:字段类型不属于double int boolean string 字段="+name);
}
}
result.add(bean);
} catch (Exception e) {
e.printStackTrace();
}
}
return result;
}
基本思路
1:将数组元素的顺序与对象属性做映射,并由参数指定。
2:获取指定属性的类型,根据指定类型进行设值。
难点
1:确定元素类型,将以下几种方法做以下比较
getField 只能获取public的字段信息,但是实际情况中基本都是private
getDeclaredFields 能够获取字段信息,但是无法获取继承类的字段信息,比较坑爹。
PropertyDescriptor 可以便捷的拿到属性描述符:
PropertyDescriptor descriptor=new PropertyDescriptor(name,c);
Class nameType = descriptor.getReadMethod().getReturnType();
2:同一个类的class在jvm中只保存一份,所以判断用==而不是equals,这样子语义更加准确
nameType == Double.class || nameType == double.class
3:PropertyUtils.setProperty(bean, name, value):此方法不会根据字段类型,自动对value进行转型,
比如,name是 int,value是String,此方法不会进行Integer.valueOf(value)操作,坑爹