是否有办法使用.enumerated()和stride通过索引大于1的字符串数组来使用for-in循环,以保持索引和值?
例如,如果我有数组
var testArray2:[String] = [“a”,“b”,“c”,“d”,“e”]
我想通过使用testArray2.enumerated()并使用stride by 2来输出:
0, a
2, c
4, e
理想情况是这样的;但是,此代码不起作用:
for (index, str) in stride(from: 0, to: testArray2.count, by: 2){
print("position \(index) : \(str)")
}
答案 0 :(得分:6)
您有两种方法可以获得所需的输出。
仅使用stride
var testArray2: [String] = ["a", "b", "c", "d", "e"]
for index in stride(from: 0, to: testArray2.count, by: 2) {
print("position \(index) : \(testArray2[index])")
}
将enumerated()
与for in
和where
一起使用。
for (index,item) in testArray2.enumerated() where index % 2 == 0 {
print("position \(index) : \(item)")
}
答案 1 :(得分:3)
要以步幅进行迭代,您可以使用where
子句:
for (index, element) in testArray2.enumerated() where index % 2 == 0 {
// do stuff
}
另一种可能的方法是从索引映射到索引和值的元组集合:
for (index, element) in stride(from: 0, to: testArray2.count, by: 2).map({($0, testArray2[$0])}) {
// do stuff
}