用数组元素作为参数实例化对象java



我正在用java制作一个IoC容器,使用反射来自动实例化依赖关系。我已经让它递归地工作了,但实例化很笨拙,也不太直观。

import java.lang.reflect.Constructor;
import java.util.ArrayList;
public class IoC {
    public void register(Object type)
    {
    }
    public Object resolve(String type) throws Exception {
        // Get class
        Class c = Class.forName(type);
        // Get class constructors
        Constructor[] constructors = c.getConstructors();
        if (constructors.length > 1) {
            throw new Exception(type + " has more than one constructor. Can't auto instantiate!");
        }
        // The one constructor
        Constructor constructor = constructors[0];
        // Get constructor parameter types
        Class[] parameters = constructor.getParameterTypes();
        // ArrayList to hold dependencies
        Object[] dependencies = new Object[parameters.length];
        if (parameters.length > 0) {
            // Get dependencies recursively
            for (int i = 0; i < parameters.length; i++) {
                dependencies[i] = resolve( parameters[i].getName() );
            }
        }
        if(dependencies.length > 4)
        {
            throw new Exception("Too many dependencies, consider refactoring!");
        }
        else if(dependencies.length == 1) {
            return constructor.newInstance(dependencies[0]);
        }
        else if(dependencies.length == 2) {
            return constructor.newInstance(dependencies[0], dependencies[1]);
        }
        else if(dependencies.length == 3) {
            return constructor.newInstance(dependencies[0], dependencies[1], dependencies[2]);
        }
        else if(dependencies.length == 4) {
            return constructor.newInstance(dependencies[0], dependencies[1], dependencies[2], dependencies[3]);
        }
        return constructor.newInstance();
    }
}

正如您所看到的,我正在做的是检查依赖项数组的长度,然后传入相应数量的参数。

所以我想问的是,有没有一种方法可以在实例化时只传递依赖项数组,并且数组元素会自动作为单独的参数传递?

希望它有意义:)

newInstance方法定义为采用Object...参数:

public T newInstance(Object... initargs)

当调用newInstance时,Java将允许您传递参数列表Object[]数组,在这种情况下,数组的元素将被当作单独的参数来传递。所以给打个简单的电话

constructor.newInstance(dependencies)

会做你想做的事。

(棘手的部分是:既然数组本身就是一个Object,Java怎么知道把它当作Object[]并单独传递元素,或者把它当作一个单独的对象,以便用一个参数调用该方法?答案是Java假设第一个参数。要把Object[]当作的一个

另一个注意事项是:您也可以传递其他任何东西的数组,但我的Java编译器会给我一个警告。

String[] strings = new String[4];
constructor.newInstance(strings)
warning: non-varargs call of varargs method with inexact argument type for last parameter;
cast to Object for a varargs call
cast to Object[] for a non-varargs call and to suppress this warning

为了消除警告,假设您想分别传递所有四个参数:

constructor.newInstance((Object[])strings)

是。试试看。Object...Object[]基本上是一样的,只是它允许您将多个对象作为单独的参数传递,而不是自己构造数组。阅读有关varargs的信息。

相关内容

  • 没有找到相关文章

最新更新