在运行时获取泛型类

时间:2010-08-04 08:44:45

标签: java generics reflection

我怎样才能做到这一点?

public class GenericClass<T>
{
    public Type getMyType()
    {
        //How do I return the type of T?
    }
}

到目前为止我尝试的所有内容始终返回类型Object,而不是使用的特定类型。

27 个答案:

答案 0 :(得分:281)

正如其他人所说,只有在某些情况下才能通过反思。

如果您确实需要该类型,这是通常的(类型安全的)解决方法模式:

public class GenericClass<T> {

     private final Class<T> type;

     public GenericClass(Class<T> type) {
          this.type = type;
     }

     public Class<T> getMyType() {
         return this.type;
     }
}

答案 1 :(得分:226)

我见过这样的事情

private Class<T> persistentClass;

public Constructor() {
    this.persistentClass = (Class<T>) ((ParameterizedType) getClass()
                            .getGenericSuperclass()).getActualTypeArguments()[0];
 }
hibernate GenericDataAccessObjects示例

中的

答案 2 :(得分:85)

在运行时,泛型不是具体化。这意味着信息在运行时不存在。

在保持向后兼容性的同时向Java中添加泛型是一种游览力(你可以看到关于它的开创性论文:Making the future safe for the past: adding genericity to the Java programming language)。

有关于这个主题的丰富文献,有些人dissatisfied有当前状态,有些人说它实际上是lure并且没有真正需要它。你可以阅读这两个链接,我发现它们非常有趣。

答案 3 :(得分:54)

使用番石榴。

import com.google.common.reflect.TypeToken;
import java.lang.reflect.Type;

public abstract class GenericClass<T> {
  private final TypeToken<T> typeToken = new TypeToken<T>(getClass()) { };
  private final Type type = typeToken.getType(); // or getRawType() to return Class<? super T>

  public Type getType() {
    return type;
  }

  public static void main(String[] args) {
    GenericClass<String> example = new GenericClass<String>() { };
    System.out.println(example.getType()); // => class java.lang.String
  }
}

前段时间,我发布了一些完整的例子,包括抽象类和子类here

注意:这要求您实例化GenericClass子类,以便它可以正确绑定类型参数。否则,它只会将类型返回为T

答案 4 :(得分:36)

当然,你可以。

出于向后兼容性原因,Java不会在运行时使用信息。但是信息实际上是作为元数据,可以通过反射访问(但它仍然不用于类型检查)。

来自官方API:

http://download.oracle.com/javase/6/docs/api/java/lang/reflect/ParameterizedType.html#getActualTypeArguments%28%29

然而,对于您的方案,我不会使用反射。我个人更倾向于将其用于框架代码。在你的情况下,我只是将类型添加为构造函数参数。

答案 5 :(得分:33)

Java泛型主要是编译时,这意味着类型信息在运行时会丢失。

class GenericCls<T>
{
    T t;
}

将编译为类似

的内容
class GenericCls
{
   Object o;
}

要在运行时获取类型信息,您必须将其添加为ctor的参数。

class GenericCls<T>
{
     private Class<T> type;
     public GenericCls(Class<T> cls)
     {
        type= cls;
     }
     Class<T> getType(){return type;}
}

示例:

GenericCls<?> instance = new GenericCls<String>(String.class);
assert instance.getType() == String.class;

答案 6 :(得分:21)

我使用了以下方法:

public class A<T> {

    protected Class<T> clazz;

    public A() {
        this.clazz = (Class<T>) ((ParameterizedType) getClass().getGenericSuperclass()).getActualTypeArguments()[0];
    }

    public Class<T> getClazz() {
        return clazz;
    }
}

public class B extends A<C> {
   /* ... */
    public void anything() {
       // here I may use getClazz();
    }
}

答案 7 :(得分:14)

article by Ian Robertson中描述的技术对我有效。

简而言之,快速而肮脏的例子:

 public abstract class AbstractDAO<T extends EntityInterface, U extends QueryCriteria, V>
 {
    /**
     * Method returns class implementing EntityInterface which was used in class
     * extending AbstractDAO
     *
     * @return Class<T extends EntityInterface>
     */
    public Class<T> returnedClass()
    {
        return (Class<T>) getTypeArguments(AbstractDAO.class, getClass()).get(0);
    }

    /**
     * Get the underlying class for a type, or null if the type is a variable
     * type.
     *
     * @param type the type
     * @return the underlying class
     */
    public static Class<?> getClass(Type type)
    {
        if (type instanceof Class) {
            return (Class) type;
        } else if (type instanceof ParameterizedType) {
            return getClass(((ParameterizedType) type).getRawType());
        } else if (type instanceof GenericArrayType) {
            Type componentType = ((GenericArrayType) type).getGenericComponentType();
            Class<?> componentClass = getClass(componentType);
            if (componentClass != null) {
                return Array.newInstance(componentClass, 0).getClass();
            } else {
                return null;
            }
        } else {
            return null;
        }
    }

    /**
     * Get the actual type arguments a child class has used to extend a generic
     * base class.
     *
     * @param baseClass the base class
     * @param childClass the child class
     * @return a list of the raw classes for the actual type arguments.
     */
    public static <T> List<Class<?>> getTypeArguments(
            Class<T> baseClass, Class<? extends T> childClass)
    {
        Map<Type, Type> resolvedTypes = new HashMap<Type, Type>();
        Type type = childClass;
        // start walking up the inheritance hierarchy until we hit baseClass
        while (!getClass(type).equals(baseClass)) {
            if (type instanceof Class) {
                // there is no useful information for us in raw types, so just keep going.
                type = ((Class) type).getGenericSuperclass();
            } else {
                ParameterizedType parameterizedType = (ParameterizedType) type;
                Class<?> rawType = (Class) parameterizedType.getRawType();

                Type[] actualTypeArguments = parameterizedType.getActualTypeArguments();
                TypeVariable<?>[] typeParameters = rawType.getTypeParameters();
                for (int i = 0; i < actualTypeArguments.length; i++) {
                    resolvedTypes.put(typeParameters[i], actualTypeArguments[i]);
                }

                if (!rawType.equals(baseClass)) {
                    type = rawType.getGenericSuperclass();
                }
            }
        }

        // finally, for each actual type argument provided to baseClass, determine (if possible)
        // the raw class for that type argument.
        Type[] actualTypeArguments;
        if (type instanceof Class) {
            actualTypeArguments = ((Class) type).getTypeParameters();
        } else {
            actualTypeArguments = ((ParameterizedType) type).getActualTypeArguments();
        }
        List<Class<?>> typeArgumentsAsClasses = new ArrayList<Class<?>>();
        // resolve types by chasing down type variables.
        for (Type baseType : actualTypeArguments) {
            while (resolvedTypes.containsKey(baseType)) {
                baseType = resolvedTypes.get(baseType);
            }
            typeArgumentsAsClasses.add(getClass(baseType));
        }
        return typeArgumentsAsClasses;
    }
  }

答案 8 :(得分:12)

我认为你不能,Java在编译时使用类型擦除,因此你的代码与仿制前创建的应用程序和库兼容。

来自Oracle Docs:

  

类型擦除

     

泛型被引入Java语言以提供更紧密的类型   在编译时检查并支持通用编程。至   实现泛型,Java编译器将类型擦除应用于:

     

将泛型类型中的所有类型参数替换为其边界或   对象,如果类型参数是无界的。生成的字节码,   因此,只包含普通的类,接口和方法。   如有必要,插入类型铸件以保持类型安全。生成   用于保留扩展泛型类型中的多态性的桥接方法。   类型擦除确保不为参数化创建新类   类型;因此,泛型不会产生运行时开销。

http://docs.oracle.com/javase/tutorial/java/generics/erasure.html

答案 9 :(得分:10)

ERROR

The request could not be satisfied.

CloudFront wasn't able to connect to the origin.

答案 10 :(得分:8)

这是我的解决方案:

import java.lang.reflect.Type;
import java.lang.reflect.TypeVariable;

public class GenericClass<T extends String> {

  public static void main(String[] args) {
     for (TypeVariable typeParam : GenericClass.class.getTypeParameters()) {
      System.out.println(typeParam.getName());
      for (Type bound : typeParam.getBounds()) {
         System.out.println(bound);
      }
    }
  }
}

答案 11 :(得分:8)

我认为还有另一个优雅的解决方案。

你想做的是(安全地)&#34;通过&#34;从concerete类到超类的泛型类型参数的类型。

如果您允许自己将类类型视为&#34;元数据&#34;在类中,这表明在运行时编码元数据的Java方法:注释。

首先在这些行中定义自定义注释:

    <?php
        require_once "FolderScanner.php";

        // EXTRACT ALL IMAGE FILES IN "IMAGES" DIRECTORY 
        // REPLACE THE PATH ACCORDING TO YOUR PROJECT'S STRUCTURE  
        $pathToImagesDirectory  = "somepath.com/images/"; 
        $imgFilesInImagesDir    = FolderScanner::scan_folder_for_image_files($pathToImagesDirectory); 

        // $THE $imgFilesInImagesDir CONTAINS THE STRUCTURED DATA...
        // var_dump($imgFilesInImagesDir);

然后,您必须将注释添加到子类中。

import java.lang.annotation.*;

@Target(ElementType.TYPE)
@Retention(RetentionPolicy.RUNTIME)
public @interface EntityAnnotation {
    Class entityClass();
}

然后,您可以使用此代码获取基类中的类类型:

@EntityAnnotation(entityClass =  PassedGenericType.class)
public class Subclass<PassedGenericType> {...}

这种方法的一些限制是:

  1. 您在两个地方指定通用类型(import org.springframework.core.annotation.AnnotationUtils; . . . private Class getGenericParameterType() { final Class aClass = this.getClass(); EntityAnnotation ne = AnnotationUtils.findAnnotation(aClass, EntityAnnotation.class); return ne.entityClass(); } ),而不是非DRY。
  2. 只有在您可以修改具体子类时才可以这样做。

答案 12 :(得分:5)

这是工作解决方案!!!

@SuppressWarnings("unchecked")
    private Class<T> getGenericTypeClass() {
        try {
            String className = ((ParameterizedType) getClass().getGenericSuperclass()).getActualTypeArguments()[0].getTypeName();
            Class<?> clazz = Class.forName(className);
            return (Class<T>) clazz;
        } catch (Exception e) {
            throw new IllegalStateException("Class is not parametrized with generic type!!! Please use extends <> ");
        }
    } 

注意: 只能用作超类  
1。必须使用类型化类(Child extends Generic<Integer>)进行扩展 的
OR
 
2。必须创建为匿名实现(new Generic<Integer>() {};

答案 13 :(得分:3)

你做不到。如果将类型为T的成员变量添加到类中(您甚至不需要初始化它),则可以使用它来恢复类型。

答案 14 :(得分:3)

此驾驶室的一个简单解决方案如下

public class GenericDemo<T>{
    private T type;

    GenericDemo(T t)
    {
        this.type = t;
    }

    public String getType()
    {
        return this.type.getClass().getName();
    }

    public static void main(String[] args)
    {
        GenericDemo<Integer> obj = new  GenericDemo<Integer>(5);
        System.out.println("Type: "+ obj.getType());
    }
}

答案 15 :(得分:3)

要完成这里的一些答案,我必须在递归的帮助下获得参数化的MyGenericClass类型,无论层次结构有多高:

private Class<T> getGenericTypeClass() {
        return (Class<T>) (getParametrizedType(getClass())).getActualTypeArguments()[0];
}

private static ParameterizedType getParametrizedType(Class clazz){
    if(clazz.getSuperclass().equals(MyGenericClass.class)){ // check that we are at the top of the hierarchy
        return (ParameterizedType) clazz.getGenericSuperclass();
    } else {
        return getParametrizedType(clazz.getSuperclass());
    }
}

答案 16 :(得分:3)

这是一种方式,我必须使用一次或两次:

public abstract class GenericClass<T>{
    public abstract Class<T> getMyType();
}

一起
public class SpecificClass extends GenericClass<String>{

    @Override
    public Class<String> getMyType(){
        return String.class;
    }
}

答案 17 :(得分:1)

如果您使用泛型类型存储变量,您可以轻松解决此问题,添加getClassType方法,如下所示:

public class Constant<T> {
  private T value;

  @SuppressWarnings("unchecked")
  public Class<T> getClassType () {
    return ((Class<T>) value.getClass());
  }
}

我稍后使用提供的类对象来检查它是否是给定类的实例,如下所示:

Constant<?> constant = ...;
if (constant.getClassType().equals(Integer.class)) {
    Constant<Integer> integerConstant = (Constant<Integer>)constant;
    Integer value = integerConstant.getValue();
    // ...
}

答案 18 :(得分:1)

这是我的解决方案

public class GenericClass<T>
{
    private Class<T> realType;

    public GenericClass() {
        findTypeArguments(getClass());
    }

    private void findTypeArguments(Type t) {
        if (t instanceof ParameterizedType) {
            Type[] typeArgs = ((ParameterizedType) t).getActualTypeArguments();
            realType = (Class<T>) typeArgs[0];
        } else {
            Class c = (Class) t;
            findTypeArguments(c.getGenericSuperclass());
        }
    }

    public Type getMyType()
    {
        // How do I return the type of T? (your question)
        return realType;
    }
}

无论您的班级层次结构有多少级别, 这个解决方案仍然有效,例如:

public class FirstLevelChild<T> extends GenericClass<T> {

}

public class SecondLevelChild extends FirstLevelChild<String> {

}

在这种情况下,getMyType()= java.lang.String

答案 19 :(得分:1)

这是我的诀窍:

public class Main {

    public static void main(String[] args) throws Exception {

        System.out.println(Main.<String> getClazz());

    }

    static <T> Class getClazz(T... param) {

        return param.getClass().getComponentType();
    }

}

答案 20 :(得分:0)

public static final Class<?> getGenericArgument(final Class<?> clazz)
{
    return (Class<?>) ((ParameterizedType) clazz.getGenericSuperclass()).getActualTypeArguments()[0];
}

答案 21 :(得分:0)

我做的和上面的@Moesio一样,但是在Kotlin中可以这样:

class A<T : SomeClass>() {

    var someClassType : T

    init(){
    this.someClassType = (javaClass.genericSuperclass as ParameterizedType).actualTypeArguments[0] as Class<T>
    }

}

答案 22 :(得分:0)

这是我的解决方案。这些示例应对此进行解释。唯一的要求是,子类必须设置通用类型,而不是对象。

import java.lang.reflect.AccessibleObject;
import java.lang.reflect.Field;
import java.lang.reflect.Method;
import java.lang.reflect.ParameterizedType;
import java.lang.reflect.Type;
import java.lang.reflect.TypeVariable;
import java.util.HashMap;
import java.util.Map;

public class TypeUtils {

    /*** EXAMPLES ***/

    public static class Class1<A, B, C> {

        public A someA;
        public B someB;
        public C someC;

        public Class<?> getAType() {
            return getTypeParameterType(this.getClass(), Class1.class, 0);
        }

        public Class<?> getCType() {
            return getTypeParameterType(this.getClass(), Class1.class, 2);
        }
    }

    public static class Class2<D, A, B, E, C> extends Class1<A, B, C> {

        public B someB;
        public D someD;
        public E someE;
    }

    public static class Class3<E, C> extends Class2<String, Integer, Double, E, C> {

        public E someE;
    }

    public static class Class4 extends Class3<Boolean, Long> {

    }

    public static void test() throws NoSuchFieldException {

        Class4 class4 = new Class4();
        Class<?> typeA = class4.getAType(); // typeA = Integer
        Class<?> typeC = class4.getCType(); // typeC = Long

        Field fieldSomeA = class4.getClass().getField("someA");
        Class<?> typeSomeA = TypeUtils.getFieldType(class4.getClass(), fieldSomeA); // typeSomeA = Integer

        Field fieldSomeE = class4.getClass().getField("someE");
        Class<?> typeSomeE = TypeUtils.getFieldType(class4.getClass(), fieldSomeE); // typeSomeE = Boolean


    }

    /*** UTILS ***/

    public static Class<?> getTypeVariableType(Class<?> subClass, TypeVariable<?> typeVariable) {
        Map<TypeVariable<?>, Type> subMap = new HashMap<>();
        Class<?> superClass;
        while ((superClass = subClass.getSuperclass()) != null) {

            Map<TypeVariable<?>, Type> superMap = new HashMap<>();
            Type superGeneric = subClass.getGenericSuperclass();
            if (superGeneric instanceof ParameterizedType) {

                TypeVariable<?>[] typeParams = superClass.getTypeParameters();
                Type[] actualTypeArgs = ((ParameterizedType) superGeneric).getActualTypeArguments();

                for (int i = 0; i < typeParams.length; i++) {
                    Type actualType = actualTypeArgs[i];
                    if (actualType instanceof TypeVariable) {
                        actualType = subMap.get(actualType);
                    }
                    if (typeVariable == typeParams[i]) return (Class<?>) actualType;
                    superMap.put(typeParams[i], actualType);
                }
            }
            subClass = superClass;
            subMap = superMap;
        }
        return null;
    }

    public static Class<?> getTypeParameterType(Class<?> subClass, Class<?> superClass, int typeParameterIndex) {
        return TypeUtils.getTypeVariableType(subClass, superClass.getTypeParameters()[typeParameterIndex]);
    }

    public static Class<?> getFieldType(Class<?> clazz, AccessibleObject element) {
        Class<?> type = null;
        Type genericType = null;

        if (element instanceof Field) {
            type = ((Field) element).getType();
            genericType = ((Field) element).getGenericType();
        } else if (element instanceof Method) {
            type = ((Method) element).getReturnType();
            genericType = ((Method) element).getGenericReturnType();
        }

        if (genericType instanceof TypeVariable) {
            Class<?> typeVariableType = TypeUtils.getTypeVariableType(clazz, (TypeVariable) genericType);
            if (typeVariableType != null) {
                type = typeVariableType;
            }
        }

        return type;
    }

}

答案 23 :(得分:0)

如果您有类似的课程:

magic()

使用public class GenericClass<T> { private T data; } 变量,则可以打印T名称:

T

答案 24 :(得分:0)

这是受到 Pablo 和 CoolMind 回答的启发。 有时,我也使用了 kayz1 的答案中的技术(也在许多其他答案中表达过),我相信这是完成 OP 要求的一种体面且可靠的方法。

我首先选择将其定义为接口(类似于 PJWeisberg),因为我现有的类型可以从该功能中受益,尤其是异构通用联合类型:

public interface IGenericType<T>
{
    Class<T> getGenericTypeParameterType();
}

我在通用匿名接口实现中的简单实现如下所示:

//Passed into the generic value generator function: toStore
//This value name is a field in the enclosing class.
//IUnionTypeValue<T> is a generic interface that extends IGenericType<T>
value = new IUnionTypeValue<T>() {
    ...
    private T storedValue = toStore;
    ...
    
    @SuppressWarnings("unchecked")
    @Override
    public Class<T> getGenericTypeParameterType()
    {
        return (Class<T>) storedValue.getClass();
    }
}

我想这也可以通过使用类定义对象作为源构建来实现,这只是一个单独的用例。 我认为关键就像许多其他答案所说的那样,以一种或另一种方式,您需要在运行时获取类型信息以使其在运行时可用;对象本身保持其类型,但擦除(也正如其他人所说,使用适当的引用)会导致任何封闭/容器类型丢失该类型信息。

答案 25 :(得分:-3)

这可能对某人有用。您可以使用java.lang.ref.WeakReference; 这样:

class SomeClass<N>{
  WeakReference<N> variableToGetTypeFrom;

  N getType(){
    return variableToGetTypeFrom.get();
  }
}

答案 26 :(得分:-5)

我发现这是一个简单易懂且易于理解的解决方案

public class GenericClass<T> {

    private Class classForT(T...t) {
        return t.getClass().getComponentType();
    }

    public static void main(String[] args) {
        GenericClass<String> g = new GenericClass<String>();

        System.out.println(g.classForT());
        System.out.println(String.class);
    }
}