list中remove的使用方法
public Object remove()
作用是移除LinkedList对象的第一个元素..
返回的是被移除的那个元素.
public Object remove(int index);
作用是移除LinkedList对象中索引号为index的元素..
返回的是被移除的那个元素.
public boolean remove(Object o)
作用是移除LinkedList对象中值为o的元素..
移除成功返回true,否则返回false
问题:list remove 对象false
问题一
list的remove()、contains()这类方法是用 equals 比较两个对象是否是同一个对象的。如果在删除之前修改了对象的某个属性,则调用remove()方法返回的值就为false而不是true
解决 重写所用对象的实体类的equals()方法。
注意对比的参数使用不会变化的参数,这里使用code
@Override
public boolean equals(Object obj) {
if(this == obj) return true;
if(null == obj || getClass() != obj.getClass()) return false;
TableModel tableModel = (TableModel) obj;
return StringUtils.isNotEmpty(code) ? code.equals(tableModel.getCode()) : false ;
}
问题二
List每remove掉一个元素以后,后面的元素都会向前移动,此时如果执行i=i+1,则刚刚移过来的元素没有被读取
foreach中remove 或 add 有坑
- 在foreach中做导致元素个数发生变化的操作(remove, add等)时,会抛出ConcurrentModificationException异常
- 在foreach中remove倒数第二个元素时,会导致最后一个元素不被遍历
错误示范
@Test
public void testListForeachRemoveBack2NotThrow() {
List<String> list = new ArrayList<>();
list.add("1");
list.add("2");
list.add("3");
for (String s : list) {
System.out.println(s);
if ("2".equals(s)) {
list.remove(s);
}
}
}
发现少了3没有输出。 分析一下
在倒数第二个元素"2"remove后,list的size-1变为了2,而此时itr中的cur在next方法中取出元素"2"后,做了加1,值变为2了
导致下次判断hasNext时,cursor==size,hasNext返回false,最终最后一个元素没有被输出。
解决 三种方法
使用Iterator.remove()方法
Iterator<Integer> it = list.iterator();
while(it.hasNext()) {
System.out.print(it.next());
it.remove();
}
每移除一个元素以后再把i减1
for(int i = 0; i < list.size(); i++) {
System.out.print(list.get(i));
list.remove(i);
i--;
}
for循环倒序遍历
for(int i = list.size() - 1; i >= 0; i--) {
System.out.print(list.get(i));
list.remove(i);
}
为什么itr自己定义的remove就不报错了呢?看下源码
public void remove() {
if (lastRet < 0)
throw new IllegalStateException();
//依然有校验数量是否变更
checkForComodification();
try {
ArrayList.this.remove(lastRet);
cursor = lastRet;
lastRet = -1;
//但是变更之后重新赋值了,又相等了
expectedModCount = modCount;
} catch (IndexOutOfBoundsException ex) {
throw new ConcurrentModificationException();
}
}