如何通过反射获取Object中的字段?

时间:2010-06-07 12:45:24

标签: java reflection

我在Java中有一个对象(基本上是一个VO),我不知道它的类型 我需要获取该对象中不为null的值。

如何做到这一点?

3 个答案:

答案 0 :(得分:121)

您可以使用Class#getDeclaredFields()获取该类的所有声明字段。您可以使用Field#get()获取值。

简而言之:

Object someObject = getItSomehow();
for (Field field : someObject.getClass().getDeclaredFields()) {
    field.setAccessible(true); // You might want to set modifier to public first.
    Object value = field.get(someObject); 
    if (value != null) {
        System.out.println(field.getName() + "=" + value);
    }
}

要了解有关反射的更多信息,请查看Sun tutorial on the subject


也就是说,字段不一定全部代表VO的属性。您希望确定以getis开头的公共方法,然后调用它来获取真实的属性值。

for (Method method : someObject.getClass().getDeclaredMethods()) {
    if (Modifier.isPublic(method.getModifiers())
        && method.getParameterTypes().length == 0
        && method.getReturnType() != void.class
        && (method.getName().startsWith("get") || method.getName().startsWith("is"))
    ) {
        Object value = method.invoke(someObject);
        if (value != null) {
            System.out.println(method.getName() + "=" + value);
        }
    }
}

反过来说,可能有更优雅的方法来解决你的实际问题。如果您详细说明您认为这是正确解决方案的功能要求,那么我们可以建议正确的解决方案。有许多许多工具可用于按摩javabeans。

答案 1 :(得分:12)

这是一种快速而肮脏的方法,可以通用方式执行您想要的操作。您需要添加异常处理,并且您可能希望将BeanInfo类型缓存在weakhashmap中。

public Map<String, Object> getNonNullProperties(final Object thingy) {
    final Map<String, Object> nonNullProperties = new TreeMap<String, Object>();
    try {
        final BeanInfo beanInfo = Introspector.getBeanInfo(thingy
                .getClass());
        for (final PropertyDescriptor descriptor : beanInfo
                .getPropertyDescriptors()) {
            try {
                final Object propertyValue = descriptor.getReadMethod()
                        .invoke(thingy);
                if (propertyValue != null) {
                    nonNullProperties.put(descriptor.getName(),
                            propertyValue);
                }
            } catch (final IllegalArgumentException e) {
                // handle this please
            } catch (final IllegalAccessException e) {
                // and this also
            } catch (final InvocationTargetException e) {
                // and this, too
            }
        }
    } catch (final IntrospectionException e) {
        // do something sensible here
    }
    return nonNullProperties;
}

请参阅以下参考资料:

答案 2 :(得分:4)

  

我有一个对象(基本上是一个VO)   Java和我不知道它的类型。我需要获取该对象中不为null的值。

也许您没有必要反思 - 这是一个简单的OO设计,可以解决您的问题:

  1. 添加一个接口Validation,它公开一个方法validate,它检查字段并返回适当的内容。
  2. 为所有VO实现接口和方法。
  3. 当您获得VO时,即使其具体类型未知,您也可以将其类型转换为Validation并轻松检查。
  4. 我猜你需要null的字段以通用方式显示错误消息,所以这应该足够了。如果由于某种原因这不适合你,请告诉我。