https://blog.csdn.net/github_2011/article/details/54927531
这是List接口中的方法,List集合调用此方法可以得到一个迭代器对象(Iterator)。
for example:
- //准备数据
- List<Student> list = new ArrayList<>();
- list.add(new Student("male"));
- list.add(new Student("female"));
- list.add(new Student("female"));
- list.add(new Student("male"));
- //遍历删除,除去男生
- Iterator<Student> iterator = list.iterator();
- while (iterator.hasNext()) {
- Student student = iterator.next();
- if ("male".equals(student.getGender())) {
- iterator.remove();//使用迭代器的删除方法删除
- }
- }
这种使用迭代器遍历、并且使用迭代器的删除方法(remove()) 删除是正确可行的,也是开发中推荐使用的。
误区:
如果将上例中的iterator.remove(); 改为list.remove(student);将会报ConcurrentModificationException异常。
这是因为:使用迭代器遍历,却使用集合的方法删除元素的结果。
https://blog.csdn.net/github_2011/article/details/54927531