scala Remove (in place) all elements of a ListBuffer that meet a condition

前端 未结 2 1046
粉色の甜心
粉色の甜心 2021-02-13 04:36

I have a ListBuffer. I want to remove all elements that meet a certain condition.

I could iterate over it and remove each element. But what doe Scala say about mutating

相关标签:
2条回答
  • 2021-02-13 04:51

    You could combine the two and do the following:

    val lb = ListBuffer(1,2,3,4,5,6)
    lb --= lb.filter(_ % 2 == 0)
    
    println(lb)
    // outputs: ListBuffer(1, 3, 5)
    
    0 讨论(0)
  • 2021-02-13 04:56

    You can't do this efficiently, unfortunately. The implementation of --=(xs: TraversableOnce[A]) is (in expanded form; the actual code is more compact)

    xs foreach (x => this -= x) ; this
    

    which is just as inefficient as doing it one at a time (i.e. it's O(n*m) where n is the length of the original list and m is the number of items to remove).

    In general, the mutable collections don't have as full and powerful a set of methods as the immutable ones. (That is, they have all the wonderful methods used on immutable collections, but relatively few of their own.)

    So unless you're removing very few objects, you're probably better off filtering the list to create a new one.

    0 讨论(0)
提交回复
热议问题