好吧,这就是窍门。
让我们在这里举两个例子:
public class ArrayListExample {
public static void main(String[] args) {
Collection<Integer> collection = new ArrayList<>();
List<Integer> arrayList = new ArrayList<>();
collection.add(1);
collection.add(2);
collection.add(3);
collection.add(null);
collection.add(4);
collection.add(null);
System.out.println("Collection" + collection);
arrayList.add(1);
arrayList.add(2);
arrayList.add(3);
arrayList.add(null);
arrayList.add(4);
arrayList.add(null);
System.out.println("ArrayList" + arrayList);
collection.remove(3);
arrayList.remove(3);
System.out.println("");
System.out.println("After Removal of '3' :");
System.out.println("Collection" + collection);
System.out.println("ArrayList" + arrayList);
collection.remove(null);
arrayList.remove(null);
System.out.println("");
System.out.println("After Removal of 'null': ");
System.out.println("Collection" + collection);
System.out.println("ArrayList" + arrayList);
}
}
现在让我们看一下输出:
Collection[1, 2, 3, null, 4, null]
ArrayList[1, 2, 3, null, 4, null]
After Removal of '3' :
Collection[1, 2, null, 4, null]
ArrayList[1, 2, 3, 4, null]
After Removal of 'null':
Collection[1, 2, 4, null]
ArrayList[1, 2, 3, 4]
现在让我们分析输出:
从集合中删除3时,它将调用以remove()
方法Object o
为参数的集合方法。因此,它删除了对象3
。但是在arrayList对象中,它被索引3覆盖,因此删除了第4个元素。
通过对象删除的相同逻辑,在第二种输出中的两种情况下都将删除null。
因此,要删除3
作为对象的数字,我们将明确需要将3传递为object
。
这可以通过使用wrapper类进行转换或包装来完成Integer
。
例如:
Integer removeIndex = Integer.valueOf("3");
collection.remove(removeIndex);