我们可以class Foo <T>
,为什么我不能拨打new T()
?
我试着理解,我知道T
是一个类型变量,但没有得到答案......这是朋友问的,我也很想知道答案...拜托,谢谢提前。
答案 0 :(得分:7)
这是因为type erasure。 T类只在编译时才知道,而不是在运行时。
有一种解决方法。您可以添加类型为Class<T>
的其他方法参数,然后在该参数上调用newInstance
。确保您在阅读文档时进行了反思,并在尝试之前了解了您的内容。
答案 1 :(得分:2)
因为您无法知道T是否可以实例化,所以它可以有一个私有构造函数。
想象:
class Foo<T> {
public Foo() {
new T();
}
}
class Bar {
private Bar() {}
}
class FooBar {
public FooBar() {
Foo<Bar> foo = new Foo<>();
}
}
答案 2 :(得分:0)
问题是Type Erasure,但是Taymon。您可以使用一些反射和子类来解决它,因此类型信息将保留在运行时。
请注意,它适用于Bar,但不适用于Qux。请注意,Bar通过使用固定类型参数Baz扩展Foo来指定编译时的类型参数。实例化还依赖于可访问的零参数构造函数。
import java.lang.reflect.ParameterizedType;
import java.lang.reflect.Type;
import java.lang.reflect.TypeVariable;
import sun.reflect.generics.reflectiveObjects.TypeVariableImpl;
// Made abstract so we can use getClass().getGenericSuperclass() and rely on subclasses
// specifying it's type parameter.
public abstract class Foo<T> {
public T instantiateTypeParameter() throws Exception {
Type type = getClass().getGenericSuperclass();
if (type instanceof ParameterizedType) {
ParameterizedType paramType = (ParameterizedType) type;
Type typeArg = paramType.getActualTypeArguments()[0]; // We know it's only one, T
if (typeArg instanceof TypeVariableImpl) {
// Type is not specified. Can't do anything to retrieve it at runtime
TypeVariableImpl typeVar = (TypeVariableImpl) typeArg;
for (TypeVariable var : typeVar.getGenericDeclaration().getTypeParameters()) {
System.out.println("Type: " + var);
}
return null;
} else {
Class<?> clazz = (Class<?>) typeArg;
return (T) clazz.getConstructor().newInstance();
}
} else {
System.out.println("IMPOSSIBRUUU");
return null;
}
}
}
public class Bar extends Foo<Baz> {
}
public class Qux<T> extends Foo<T> {
}
public static void main(String[] args) throws Exception {
Bar bar = new Bar();
Baz baz = bar.instantiateTypeParameter(); // Note that you know that it returns Baz
System.out.println("Baz: " + baz); // It works!
Qux<Baz> qux = new Qux<Baz>();
Baz baz2 = qux.instantiateTypeParameter(); // Will be null
System.out.println("Baz2: " + baz2);
}