我正在尝试使用反射创建一组对象。我有班级名字。但是在编译时不知道构造函数。我用过这个教程。
import java.lang.reflect.*;
public class constructor2 {
public constructor2()
{
}
public constructor2(int a, int b)
{
System.out.println(
"a = " + a + " b = " + b);
}
public static void main(String args[])
{
try {
Class cls = Class.forName("constructor2");
Class partypes[] = new Class[2];
partypes[0] = Integer.TYPE;
partypes[1] = Integer.TYPE;
Constructor ct
= cls.getConstructor(partypes);
Object arglist[] = new Object[2];
arglist[0] = new Integer(37);
arglist[1] = new Integer(47);
Object retobj = ct.newInstance(arglist);
}
catch (Throwable e) {
System.err.println(e);
}
}
}
现在让我说我不知道构造函数的参数。 (无论是默认构造函数还是两个整数)。结构参数可以从一个类更改为类。我不知道Constructor2类。但我有className。 所以我不能像上面那样创建“argList”。知道如何从构造函数创建一个对象。
我做了如下
Constructor[] brickConstructorsArray = brickClass.getConstructors();
for (Constructor constructor : brickConstructorsArray) {
Class[] constructorParams = constructor.getParameterTypes();
Object argList[] = new Object[constructorParams.length];
int index = 0;
for (Class cls : constructorParams) {
if (cls.equals(Sprite.class)) {
Object spriteOb = foundSprite;
argList[index] = spriteOb;
} else if (cls.equals(double.class)) {
Object dblObj = new Double(0.0);
argList[index] = dblObj;
}
index++;
}
brickObject = (Brick) constructor.newInstance(argList);
}
这适用于具有Sprite或双参数的costrcutors。要包含其他可能性,我必须创建一个loooong if else链。需要帮助。
答案 0 :(得分:3)
你真的不在乎你会通过什么价值观吗?您可以将每个基本类的映射到其包装类型的默认值:
// You can make this a static member somewhere
Map<Class<?>, Object> primitiveValues = new HashMap<Class<?>, Object>();
primitiveValues.put(char.class, '\0');
// etc
...只需将null
用于任何非基本类型。所以:
Constructor[] brickConstructorsArray = brickClass.getConstructors();
for (Constructor constructor : brickConstructorsArray) {
Class[] constructorParams = constructor.getParameterTypes();
Object argList[] = new Object[constructorParams.length];
// When you need the index, there's no point in using the enhanced
// for loop.
for (int i = 0; i < constructorParams.length; i++) {
// Fetching the value for any non-primitive type will
// give null, which is what we were going to use anyway.
argList[i] = primitiveValues.get(constructorParams[i]);
}
brickObject = (Brick) constructor.newInstance(argList);
}
当然,我希望这会经常失败。毕竟,如果你对你正在调用的构造函数一无所知,你就不知道哪些参数有效。
这个真的你期望找到什么有用的东西吗?