list같은 걸 돌리는 for문에서
remove를 호출할 때 발생...
java.util.ConcurrentModificationException
이유는 index 문제.. 생각해보면 금방 알 수 있듯이..
증가된 index와 list의 size를 비교하는데 있어서 문제가 발생하게된다.
아래와 같은 방법으로 해결하면 됩니다.
1. Take a copy of the collection , iterate over the copy and remove elements from the original.
2. During iteration, build up a set of elements to remove, and then perform a bulk removal after iteration has completed.
3. Use an List implementation which can deal with concurrent modifications, like the CopyOnWriteArrayList
대충 이런식이 좋은거 같다.
List<String> list = new ArrayList<String>();
...
for (Iterator<String> iterator = list.iterator(); iterator.hasNext(); ) {
String value = iterator.next();
if (value.length() > 5) {
iterator.remove();
}
}
아래와 같이 for문도 두번.. 위의 for문안에 집어넣는다해도..
clone 하는 방식은 좋지 않은거 같다... 쓸데없이 만들필요가 있나..
List<String> toRemove = new ArrayList<String>();
for (String fruit : list) {
if ("banane".equals(fruit))
toRemove.add(fruit);
System.out.println(fruit);
}
for (String fruit : toRemove) {
list.remove(fruit);
}