遇到了我无法解决的泛型和数组类型问题。归结为这一点。在以下代码中,如何将泛型 List 转换为相同泛型类型的 Array,同时使用工厂方法(“T convert(String value)”)转换输入泛型 List 的每个单独元素:
@Test
public void test(){
List<String> integers = Arrays.asList("1", "2", "3", "4");
Integer[] integerArray = new TypeConverter<Integer[]>(Integer[].class).convert(integers);
assertEquals(4, integerArray.length);
assertEquals(1, integerArray[0].intValue());
assertEquals(2, integerArray[1].intValue());
assertEquals(3, integerArray[2].intValue());
assertEquals(4, integerArray[3].intValue());
}
public class TypeConverter<T>{
Class<T> type;
public TypeConverter(Class<T> type) {
this.type = type;
}
T convert(List<String> values){
List output = new ArrayList();
for (String value : values) {
//have to use Object.class here since I cant get the non-array type of T:
output.add(new TypeConverter(type.getComponentType()).convert(value));
}
return (T) output.toArray();
}
T convert(String value){
//convert to an int;
if(type == Integer.class){
return (T) new Integer(Integer.parseInt(value));
}
return null;
}
}
正如你所看到的,我天真的方法是简单地使用 toArray 方法,然后像这样转换结果:
(T) value.toArray()
但这会导致 ClassCastException:
java.lang.ClassCastException:[Ljava.lang.Object;不能转换为 [Ljava.lang.Integer
有没有办法解决我没有看到的这个问题,或者我应该采取另一种方法?
编辑
这是我要修复的具体代码。特别是 visitArray() 方法: