有一种方法来获取数组的索引在map或reduce在Swift?我在Ruby中寻找类似each_with_index的东西。
func lunhCheck(number : String) -> Bool { var odd = true; return reverse(number).map { String($0).toInt()! }.reduce(0) { odd = !odd return $0 + (odd ? ($1 == 9 ? 9 : ($1 * 2) % 9) : $1) } % 10 == 0 } lunhCheck("49927398716") lunhCheck("49927398717")
我想摆脱奇变量above。
您可以使用枚举将序列(Array,String等)转换为具有整数计数器和元素配对在一起的元组序列。那是:
原文链接:/swift/321301.htmllet numbers = [7,8,9,10] let indexAndNum: [String] = numbers.enumerate().map { (index,element) in return "\(index): \(element)" } print(indexAndNum) // ["0: 7","1: 8","2: 9","3: 10"]
注意,这不同于获取集合枚举的索引返回一个整数计数器。这与数组的索引相同,但是对字符串或字典将不是非常有用。要获取实际的索引以及每个元素,您可以使用zip:
let actualIndexAndNum: [String] = zip(numbers.indices,numbers).map { "\($0): \($1)" } print(actualIndexAndNum) // ["0: 7","3: 10"]
当使用带有reduce的枚举序列时,您将无法分离元组中的索引和元素,因为您在方法签名中已经有accumulating / current元组。相反,你需要在你的reduce闭包的第二个参数上使用.0和.1:
let summedProducts = numbers.enumerate().reduce(0) { (accumulate,current) in return accumulate + current.0 * current.1 // ^ ^ // index element } print(summedProducts) // 56