how to avoid ConcurrentModificationException kotlin
In Kotlin you can use removeIf{ predicate }
. Which is a shorthand to using the Iterator
. Full statement:
listAccounts.removeIf{ it == account.id }
for the explanation see Iterating through a Collection, avoiding ConcurrentModificationException when removing objects in a loop
Update: Kotlin-stdlib introduced removeAll { predicate }
which, as Aguragorn pointed out in his answer, does the same and can be used if removeIf
is not present on your runtime environment (i.e. Java 1.6 or Android pre API level 24).
That's a common problem with the JVM, if you want to remove an item from a collection while iterating through it, you need to use the Iterators
exemple:
val myCollection = mutableListOf(1,2,3,4)
val iterator = myCollection.iterator()
while(iterator.hasNext()){
val item = iterator.next()
if(item == 3){
iterator.remove()
}
}
this will avoid ConcurrentModificationExceptions
I hope this answered your question, have a good day
Edit: you can find another explanation here, even if it is Java code the problem is the same
Edit n°2 the anwser of leonardkraemer show you a more kotlin-friendly way to do so