Java:如何根据对象的类型动态创建指定类型的数组?
我想获取一个我知道是同构的传递列表,并从中创建一个与其中元素类型相同的数组。
像这样...
List<Object> lst = new ArrayList<Object>;
lst.add(new Integer(3));
/// somewhere else ...
assert(my_array instanceof Integer[]);
我想获取一个我知道是同构的传递列表,并从中创建一个与其中元素类型相同的数组。
像这样...
List<Object> lst = new ArrayList<Object>;
lst.add(new Integer(3));
/// somewhere else ...
assert(my_array instanceof Integer[]);
转换将在运行时进行,而类型在编译时丢失。所以你应该做这样的事情:
public <T> T[] toArray(List<T> list) {
Class clazz = list.get(0).getClass(); // check for size and null before
T[] array = (T[]) java.lang.reflect.Array.newInstance(clazz, list.size());
return list.toArray(array);
}
但请注意,上面的第3行可能会引发异常 - 它不是类型安全的。
此方法是类型安全的,并处理一些 null(至少一个元素必须是非 null)。
public static Object[] toArray(Collection<?> c)
{
Iterator<?> i = c.iterator();
for (int idx = 0; i.hasNext(); ++idx) {
Object o = i.next();
if (o != null) {
/* Create an array of the type of the first non-null element. */
Class<?> type = o.getClass();
Object[] arr = (Object[]) Array.newInstance(type, c.size());
arr[idx++] = o;
while (i.hasNext()) {
/* Make sure collection is really homogenous with cast() */
arr[idx++] = type.cast(i.next());
}
return arr;
}
}
/* Collection is empty or holds only nulls. */
throw new IllegalArgumentException("Unspecified type.");
}