How to remove multiple items from a swift array?

2019-03-24 22:03发布

For example i have an array

var array = [1, 2, 3, 4]

I want to remove item at index 1 then at index 3 "let it be in a for loop".

But removing the item at index 1 will move the item at index 3 to index 2, thus messing up the second removal.

Any suggestions ?

3条回答
叛逆
2楼-- · 2019-03-24 22:22

It's simple. delete items from the end.

First delete 3 and after that delete 1

查看更多
Juvenile、少年°
3楼-- · 2019-03-24 22:14

Swift 3: Use swift closure to perform the same operation.

If your array is like

var numbers = [0, 1, 2, 3, 4, 5]

and indexes you want to remove

let indexesToBeRemoved: Set = [2, 4]

numbers = numbers
    .enumerated()
    .filter { !indexesToRemove.contains($0.offset) }
    .map { $0.element }
and result

print(numbers) // [0, 1, 3, 5]

Swift 3: Here is same operation with JSON Object (dictionary)

var arrayString = [
    [ "char" : "Z" ],
    [ "char" : "Y" ],
    [ "char" : "X" ],
    [ "char" : "W" ],
    [ "char" : "V" ],
    [ "char" : "U" ],
    [ "char" : "T" ],
    [ "char" : "S" ]
]

let arrayIndex = [2, 3, 5]

arrayString = arrayString.enumerated()
    .filter { !arrayIndex.contains($0.0 + 1) }
    .map { $0.1 }

print(arrayString)

[["char": "Z"], ["char": "W"], ["char": "U"], ["name": "T"], ["name": "S"]]

查看更多
祖国的老花朵
4楼-- · 2019-03-24 22:24

Given your array

var numbers = [1, 2, 3, 4]

and a Set of indexes you want to remove

let indexesToRemove: Set = [1, 3]

You want to remove the values "2" and "4".

Just write

numbers = numbers
    .enumerated()
    .filter { !indexesToRemove.contains($0.offset) }
    .map { $0.element }

Result

print(numbers) // [1, 3]
查看更多
登录 后发表回答