如何调用位于另一个实例内部的实例的getter方法

时间:2019-03-05 09:38:23

标签: java reflection

我有一些类似如下的课程:

@Getter
@Setter
class Person{
    @JsonProperty("cInfo")
    private ContactInformation contactInfo;
    private String name;
    private String position;
}

@Getter
@Setter
class ContactInformation{
    @JsonProperty("pAddress")
    private Address address;
}

@Getter
@Setter
class Address{
    private String street;
    private String district;
}

我要做的是为Person对象编写一个Utils方法,该方法采用一个参数(即attributeName作为String)并返回该属性的getter值。

例如:

attributeName = name -> return person.getName() 
attributeName = position -> return person.getPosition() 
attributeName = cInfo.pAddress.street -> return person.getContactInfo().getAddress().getStreet() 
attributeName = cInfo.pAddress.district -> return person.getContactInfo().getAddress().getDistrict()

下面是我所做的事情:我遍历Person对象中的所有字段,并检查attributeName是否等于JsonProperty的名称或字段的名称,然后我将返回此getter。

Object result;
Field[] fields = Person.class.getDeclaredFields();
for (Field field : fields) {
    JsonProperty jsonProperty = field.getDeclaredAnnotation(JsonProperty.class);
    if (jsonProperty != null && jsonProperty.value().equals(attributeName)) {
        result = Person.class.getMethod("get" + capitalize(field.getName())).invoke(person);
    } else {
        if (field.getName().equals(attributeName)) {
            result = person.class.getMethod("get" + capitalize(field.getName()))
                    .invoke(person);
        }
    }
}

这有效,但仅适用于直接在Person类中定位的字段,例如:名称,位置。使用contactInfo或address内的字段,我仍然被卡在那里。有人可以在这里给我一些提示吗?

谢谢!

1 个答案:

答案 0 :(得分:1)

因为像a.b.c这样的路径与不同的对象相关。所以你需要。按点划分,对于每个令牌调用,获取并使用下一个令牌的获取结果

更新:类似

private static Object invkGen(Object passedObj, String attributeName) throws Exception {
    final String[] split = attributeName.split("\\.");
    Object result = passedObj;
    for (String s : split) {
        if (result == null) {
            break;
        }
        result = invk(result, s);
    }
    return result;
}

private static Object invk(Object passedObj, String attributeName) throws Exception {
    Object result = null;
    final Field[] fields = passedObj.getClass().getDeclaredFields();

    for (Field field : fields) {
        JsonProperty jsonProperty = field.getDeclaredAnnotation(JsonProperty.class);
        if (jsonProperty != null && jsonProperty.value().equals(attributeName)) {
            result = Person.class.getMethod("get" + capitalize(field.getName())).invoke(passedObj);
        } else {
            if (field.getName().equals(attributeName)) {
                result = passedObj.getClass().getMethod("get" + capitalize(field.getName()))
                    .invoke(passedObj);
            }
        }
    }
    return result;
}