在"Thinking In Java"一书中有一个如何通过反射/自省获取bean信息的示例。
BeanInfo bi = Introspector.getBeanInfo(Car.class, Object.class);
for (PropertyDescriptor d: bi.getPropertyDescriptors()) {
Class<?> p = d.getPropertyType();
if (p == null) continue;
[...]
}
在上面示例的第4行中,检查PropertyType是否为空。什么时候,在什么情况下会发生这种情况?你能举个例子吗? From JavaDoc:
如果类型是不支持的索引属性,则返回null非索引访问。
所以我猜如果属性类型是一个索引属性(像一个数组),它将返回null
。
PropertyDescriptor
类的getPropertyType
方法的Javadoc声明:
如果这是一个索引属性,则结果可能是"null"支持非索引访问
索引属性是由值数组支持的属性。除了标准JavaBean访问器方法之外,通过指定索引,索引属性还可以具有获取/设置数组中单个元素的方法。因此,JavaBean可能具有索引的getter和setter:
public PropertyElement getPropertyName(int index)
public void setPropertyName(int index, PropertyElement element)
为非索引访问添加了标准的getter和setter:
public PropertyElement[] getPropertyName()
public void setPropertyName(PropertyElement element[])
根据Javadoc描述,如果省略非索引访问器,则可以获得属性描述符的属性类型的返回值null
。
因此,如果您有以下类型的JavaBean,您可能会得到一个空返回值:
class ExampleBean
{
ExampleBean()
{
this.elements = new String[10];
}
private String[] elements;
// standard getters and setters for non-indexed access. Comment the lines in the double curly brackets, to have getPropertyType return null.
// {{
public String[] getElements()
{
return elements;
}
public void setElements(String[] elements)
{
this.elements = elements;
}
// }}
// indexed getters and setters
public String getElements(int index) {
return this.elements[index];
}
public void setElements(int index, String[] elements)
{
this.elements[index] = elements;
}
}
注意,虽然您可以单独实现索引属性访问器,但不建议这样做,因为如果您碰巧使用PropertyDescriptor
的getReadMethod
和getWriteMethod
方法,则使用标准访问器来读写值。
当你有一个像int getValue(int index)
这样的方法时,这个返回null。
double is null
ints class [I
类:
import java.beans.BeanInfo;
import java.beans.IntrospectionException;
import java.beans.Introspector;
import java.beans.PropertyDescriptor;
public class BeanInfos {
public static void main(String[] args) {
try {
BeanInfo bi = Introspector.getBeanInfo(ClassA.class, Object.class);
for (PropertyDescriptor d : bi.getPropertyDescriptors()) {
Class<?> p = d.getPropertyType();
if (p == null)
System.out.println(d.getName() + " is null" );
else
System.out.println(d.getName() + " " + p);
}
} catch (IntrospectionException e) {
e.printStackTrace();
}
}
}
class ClassA {
private int[] ints;
private double[] doubles;
public int[] getInts() {
return ints;
}
public void setInts(int[] ints) {
this.ints = ints;
}
public double getDouble(int idx) {
return doubles[idx];
}
public void setDoubles(double val, int idx) {
this.doubles[idx] = val;
}
}