Ну ось і хитрість.
Візьмемо тут два приклади:
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-й елемент видаляється.
За тією ж логікою видалення об'єкта нуль видаляється в обох випадках у другому виході.
Отже, щоб видалити число, 3
яке є об'єктом, нам явно потрібно буде пропустити 3 як object
.
І це можна зробити за допомогою лиття або обгортання за допомогою класу обгортки Integer
.
Наприклад:
Integer removeIndex = Integer.valueOf("3");
collection.remove(removeIndex);