1

1.通过增强的for循环删除符合条件的多个元素

/**
   * 使用增强的for循环
   * 在循环过程中从List中删除元素以后,继续循环List时会报ConcurrentModificationException
   */
  public void listRemove() {
    List<Student> students = this.getStudents();
    for (Student stu : students) {
      if (stu.getId() == 2) 
        students.remove(stu);
    }
  }
  

2.通过增强的for循环删除符合条件的一个元素

/**
   * 像这种使用增强的for循环对List进行遍历删除,但删除之后马上就跳出的也不会出现异常
   */
  public void listRemoveBreak() {
    List<Student> students = this.getStudents();
    for (Student stu : students) {
      if (stu.getId() == 2) {
        students.remove(stu);
        break;
      }
    }
  }
  

3.通过普通的for删除删除符合条件的多个元素

/**
   * 这种遍历有可能会遗漏某个元素,因为删除元素后List的size在
   * 变化,元素的索引也在变化,比如你循环到第2个元素的时候你把它删了,
   * 接下来你去访问第3个元素,实际上访问到的是原先的第4个元素。当访问的元素
   * 索引超过了当前的List的size后还会出现数组越界的异常,当然这里不会出现这种异常,
   * 因为这里每遍历一次都重新拿了一次当前List的size。
   */
  public void listRemove2() {
    List<Student> students = this.getStudents();
    for (int i=0; i<students.size(); i++) {
      if (students.get(i).getId()%3 == 0) {
        Student student = students.get(i);
        students.remove(student);
      }
    }
  }

4.通过Iterator进行遍历删除符合条件的多个元素

/**
   * 使用Iterator的方式也可以顺利删除和遍历
   */
  public void iteratorRemove() {
    List<Student> students = this.getStudents();
    System.out.println(students);
    Iterator<Student> stuIter = students.iterator();
    while (stuIter.hasNext()) {
      Student student = stuIter.next();
      if (student.getId() % 2 == 0)
//这里要使用Iterator的remove方法移除当前对象,如果使用List的remove方法,则同样会出现ConcurrentModificationException
        stuIter.remove();
    }
    System.out.println(students);
  }


zero风来
126 声望3 粉丝