我想分析类MyComponent
中声明的字段变量,我想得到字段类的GenericDeclartion类型,而不是它在MyComponent
中声明的类型。演示如下。
public class SomeConfig<OP extends Operation> {
private OP operation;
public SomeConfig(OP op) {
this.operation = op;
}
}
public class MyComponent {
private SomeConfig<?> config;
public MyComponent(SomeConfig<?> config) {
this.config = config;
}
}
public class MyAnalysis {
public static void main(String[] args) {
Class clazz = MyComponent.class;
Field[] fields = clazz.getDeclaredFields();
for (Field f : fields) {
Type type = f.getGenericType();
if(type instanceof ParameterizedType) {
ParameterizedType pType = (ParameterizedType)type;
System.out.println(pType.getActualTypeArguments()[0]); // which prints "?" for sure
}
}
}
}
问题:打印结果是“?”当然。但我想要的只是打印Operation
的类型而不是“?”。它可以实现吗?
答案 0 :(得分:3)
但我想要的只是获得操作类型
编译后会删除泛型,因此您无法在运行时以这种方式访问它们。
为了满足您的需要,您可以更改SomeConfig
构造函数以传递参数化类型的类实例:
public class SomeConfig<OP extends Operation> {
private OP operation;
private Class<OP> clazz;
public SomeConfig(OP op, Class<OP> clazz) {
this.operation = op;
this.clazz = clazz;
}
}
现在clazz
字段可用于了解类型的类。