我有一个输入数组[3,5,12,8]我希望输出数组(输入不得被影响)与输入相同,但是元素7插入在5和12之间,所以在索引处2输入数组。
这是我到目前为止所拥有的。我注释掉了没有事件编译的代码,并添加了一些在尝试这种或那种方式时出现的问题:
public static <O>ArrayList<O> addToSet(O[] in,O add,int newIndex){
// O obj = (O) new Object(); //this doesnt work
// ParameterizedType obj = (ParameterizedType) getClass().getGenericSuperClass(); // this is not even recognized
ArrayList<O> out = multipleOfSameSet(obj, in.length);
if (newIndex > in.length){
out = new ArrayList<>(newIndex+1); // also noticed that initializing an ArrayList
//like this throws an IndexOutOfBoundsException when i try to run out.get(),
// could someone explain why??
out.set(newIndex, add);
}
int j = 0;
int i = 0;
while(j<in.length+1){
if (j==newIndex){
out.set(j, add);
} else if(i<in.length){
out.set(j, in[i]);
i++;
}
j++;
}
return out;
}
数组组件类型可以是String,Integer甚至是JPanel。
答案 0 :(得分:1)
以下是代码的通用版本
@SuppressWarnings("unchecked")
public <T> T[] insertInCopy(T[] src, T obj, int i) throws Exception {
T[] dst = (T[]) Array.newInstance(src.getClass().getComponentType(), src.length + 1);
System.arraycopy(src, 0, dst, 0, i);
dst[i] = obj;
System.arraycopy(src, i, dst, i + 1, src.length - i);
return dst;
}
但您可能希望专门处理基本类型的方法。我的意思是,泛型和数组不能很好地混合 - 所以你会遇到int问题,需要使用包装类型:
@Test
public void testInsertInTheMiddle() throws Exception {
Integer[] in = {3, 5, 12, 8};
Integer[] out = target.insertInCopy(in, 7, 2);
assertEquals(out, new Integer[] {3, 5, 7, 12, 8});
}
答案 1 :(得分:0)
你可以这样做。
static <T> void fromArrayToCollection(T[] a, Collection<T> c) {
for (T o : a) {
c.add(o);
}
}