问题一:如何找到某个对象中特定属性的值?
public static Object getFieldValueByObject (Object object , String targetFieldName) throws Exception {
// 获取该对象的Class
Class objClass = object.getClass();
// 获取所有的属性数组
Field[] fields = objClass.getDeclaredFields();
for (Field field:fields) {
// 属性名称
String currentFieldName = "";
// 获取属性上面的注解 import com.fasterxml.jackson.annotation.JsonProperty;
/**
* 举例:
* @JsonProperty("di_ren_jie")
* private String diRenJie;
*/
boolean has_JsonProperty = field.isAnnotationPresent(JsonProperty.class);
if(has_JsonProperty){
currentFieldName = field.getAnnotation(JsonProperty.class).value();
}else {
currentFieldName = field.getName();
}
if(currentFieldName.equals(targetFieldName)){
return field.get(object); // 通过反射拿到该属性在此对象中的值(也可能是个对象)
}
}
return null;
}
问题二:如何找到某个对象中的List属性值里面的属性值
public static List getListFieldValueByObject (Object object , String targetFieldName) throws Exception {
List<Object> returnList = new ArrayList<>();
// 获取该对象的Class
Class objClass = object.getClass();
// 获取所有的属性数组
Field[] fields = objClass.getDeclaredFields();
for (Field field:fields) {
// 判断属性是否是List类型
if(field.getGenericType() instanceof List){
// 对应的属性值,假设泛型List<YouObject>
/**
* 举例:
* @JsonProperty("xi_you_ji")
* private List<XiYouJi> xiYouJi;
*/
List<YouObject> fieldValue = (List) field.get(object);
// 获取List泛型中的对象的Class
Class youObjectClass = YouObject.getClass(); // 此处同样可以反射获取List对应的对象无需限定死
Field[] youObjectFields = youObjectClass.getDeclaredFields();
// 遍历List对象属性
for (YouObject youObject :fieldValue) {
// 从对象中获取目标属性值
for (Field youObjectField : youObjectFields) {
// 属性名称
String currentFieldName = "";
// 获取属性上面的注解 import com.fasterxml.jackson.annotation.JsonProperty;
/**
* 举例:
* @JsonProperty("di_ren_jie")
* private String diRenJie;
*/
boolean has_JsonProperty = field.isAnnotationPresent(JsonProperty.class);
if(has_JsonProperty){
currentFieldName = field.getAnnotation(JsonProperty.class).value();
}else {
currentFieldName = field.getName();
}
if(currentFieldName.equals(targetFieldName)){
returnList.add(field.get(object));
}
}
}
}
}
return returnList;
}