我有一个方法fetchObjects(String)
可以返回一个Contract
业务对象数组。className
参数告诉我应该返回什么样的业务对象(当然这在这种解释的情况下没有意义,因为我已经说过我会返回s Contract
,但这基本上是我在真实场景中的情况)。因此,我从某处获取条目集并加载集合条目的类(其类型由 指定className
)。
现在我需要构造要返回的数组,所以我使用Set
'stoArray(T[])
方法。使用反射,我为自己构建了一个空的 Contracts 数组。但是,这给了我一个静态类型的值Object
!所以接下来我需要将它转换为适当的类型,在这种情况下是Contract[]
(参见下面清单中的“星号下划线”部分)。
我的问题是:有没有办法以及如何Contract[]
像我在清单中那样转换,但只能通过(或)确定数组元素()的类型Contract
className
entriesType
?换句话说,我想做的基本上是这样的:(entriesType[]) valueWithStaticTypeObject
,其中 entriesType 被通过classname
参数指定的类替换,即Contract
。
这在某种程度上是不可能的,还是可以以某种方式完成?也许使用泛型?
package xx.testcode;
import java.util.HashSet;
import java.util.Set;
class TypedArrayReflection {
public static void main(String[] args) {
try {
Contract[] contracts = fetchObjects("Contract");
System.out.println(contracts.length);
} catch (ClassNotFoundException e) {}
}
static Contract[] fetchObjects(String className) throws ClassNotFoundException {
Class<?> entriesType = Class.forName("xx.testcode."+className);
Set<?> entries = ObjectManager.getEntrySet(className);
return entries.toArray(
(Contract[]) java.lang.reflect.Array.newInstance(
/********/ entriesType, entries.size()) );
}
}
class Contract { } // business object
class ObjectManager {
static Set<?> getEntrySet(String className) {
if (className.equals("Contract"))
return new HashSet<Contract>();
return null; // Error
}
}
谢谢。
更新:
toArray
使用来自CodeIdol的类型安全方法,我更新了我的fetchObjects
方法:
static Contract[] fetchObjects(String className) throws ClassNotFoundException {
Class<?> entriesType = Class.forName("xx.testcode."+className);
Set<?> entries = ObjectManager.getEntrySet(className);
return toArray(entries, entriesType); // compile error
// -> "method not applicable for (Set<capture#3-of ?>, Class<capture#4-of ?>)"
}
public static <T> T[] toArray(Collection<T> c, Class<T> k) {
T[] a = (T[]) java.lang.reflect.Array.newInstance(k, c.size());
int i = 0;
for (T x : c)
a[i++] = x;
return a;
}
我需要做什么才能摆脱评论中引用的编译器错误?我是否必须Set<Contract>
在我的方法的返回类型中指定getEntrySet
才能使它起作用?感谢您的任何指示。