Cóż, oto sztuczka.
Weźmy dwa przykłady tutaj:
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);
}
}
Teraz spójrzmy na wynik:
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]
Teraz przeanalizujmy dane wyjściowe:
Usunięcie 3 z kolekcji wywołuje remove()
metodę kolekcji, która przyjmuje Object o
jako parametr. Dlatego usuwa obiekt 3
. Ale w obiekcie arrayList jest on nadpisywany przez indeks 3, a zatem czwarty element jest usuwany.
Zgodnie z tą samą logiką usuwania obiektów null jest usuwany w obu przypadkach w drugim wyjściu.
Aby usunąć liczbę, 3
która jest obiektem, będziemy musieli jawnie przekazać 3 jako object
.
Można to zrobić przez rzutowanie lub owijanie za pomocą klasy opakowania Integer
.
Na przykład:
Integer removeIndex = Integer.valueOf("3");
collection.remove(removeIndex);