假设我有班级
class car
{
int color = 1;
seats carSeats = new seats();
class seats
{
int numSeats = 4;
}
}
使用Java反射,我可以使用以下内容:
car c = new car();
Field[] carFields = c.getClass().getDeclaredFields();
carFields将{color,carSeats}作为字段。实例carSeats有另一个名为numSeats的字段。
从技术上讲,我应该能够执行另一个getFields()操作:
Field[] seatFields = carFields[1].getClass().getDeclaredFields();
但我得到了垃圾数据(DECLARED,PUBLIC?)为什么会这样? Java反射不适用于内部类吗?
答案 0 :(得分:5)
carFields[1].getClass()
将代表Field
个对象。你想要carFields[1].getType().getDeclaredFields()
。
另外,正如BalusC评论的那样,要小心。字段不一定按照您期望的顺序。
答案 1 :(得分:0)
这是一个简短的片段,可以提供一些关于Reflection的提示
import java.lang.reflect.Field;
公共类汽车{
int color = 1;
int wheels = 4;
Seats carSeats = new Seats();
class Seats {
int numSeats = 4;
}
public static void printFields(Field[] fields, Object o) {
System.out.println(o.getClass());
try {
for (int i = 0; i < fields.length; i++) {
Field f = fields[i];
f.setAccessible(true);
System.out.println(f.getName() + " " +
f.getType().getName() + " " +
f.get(o));
}
} catch (IllegalArgumentException e) {
e.printStackTrace();
} catch (IllegalAccessException e) {
e.printStackTrace();
}
}
public static void main(String args[]) {
Car car = new Car();
Class<?>[] classes = Car.class.getDeclaredClasses();
printFields(Car.class.getDeclaredFields(), car);
for (int i = 0; i < classes.length; i++) {
Class<?> klass = classes[i];
printFields(klass.getDeclaredFields(), car.carSeats);
}
}
}
我发现使用使用反射的编写代码很有趣,但实际上很难拍摄...
答案 2 :(得分:0)