使用Reflection的任何构造函数实例化任何类的Java通用方法

时间:2012-07-14 19:44:43

标签: java oop generics reflection

我们知道Java使用擦除,因此任何Generic类都不能

T t = new T();

所以我试图用Java反射来创建一个带有静态方法的类,用任何构造函数实例化任何类。这是代码。

import java.lang.reflect.*;

public class GenericNewInstance {
    public static <T> T createInstance(Class<T> cObj) {
        try {
            return cObj.newInstance();
        } catch (InstantiationException e) {
            System.out.println("Instantiation Exception");
            return null;
        } catch (IllegalAccessException e) {
            System.out.println("Illegal Access Exception");
            return null;
        }
    }

    public static <T> T createInstanceUsingRelection(Class<T> c, Object... initArgs) {
        Constructor<T> cTor = null;
        Class<?>[] cObjs = new Class<?>[initArgs.length];
        int i = 0;

        for(Object o : initArgs) {
            cObjs[i++] = o.getClass();
        }

        try {
            cTor = c.getConstructor(cObjs);
        } catch (SecurityException e) {
            System.out.println("security exception. Cannot get Constructor");
            return null;
        } catch (NoSuchMethodException e) {
            System.out.println("NoSuchMethodException Cannot get constructor");
            return null;
        }

        try {
            return cTor.newInstance(initArgs);
        } catch (IllegalArgumentException e) {
            System.out.println("Illegal Argument Exception");
            return null;
        } catch (InstantiationException e) {
            System.out.println("Instantiation Exception");
            return null;
        } catch (IllegalAccessException e) {
            System.out.println("Illegal Access Exception");
            return null;
        } catch (InvocationTargetException e) {
            System.out.println("Invocation Target Exception");
            return null;
        }
    }
}

使用此示例。

Integer i = GenericNewInstance.createInstanceUsingRelection(Integer.class, "0");

所以我的问题:

  1. 这是实施它的正确方法吗? (或者是详细的?)
  2. 这样做的典型用例是什么?
  3. 可以/应该在使用Generics时避免使用Reflection吗?

1 个答案:

答案 0 :(得分:6)

您的代码将在c.getConstructor(cObjs)失败,因为这不会考虑类型层次结构。如果任何参数是构造函数声明的param类型的子类型,则此调用不会返回它。你需要更多类型的杂耍才能让它发挥作用。我建议你看看code that already solves this problem。也许您甚至可以按原样使用该库,这是您的选择。它是Clojure的实现代码,Clojure是一种基于JVM的动态语言,完全需要这些东西。该图书馆可从Maven中央仓库购买。

BTW您的异常处理是多余的。要么只是声明throws Exception,要么抓住任何Exception并将其包装在RuntimeException中。当某些内容失败时,原始异常是最好的诊断。