如何使用原始索引枚举切片?

How to enumerate a slice using the original indices?

如果我想枚举一个数组(比如 map() 函数,我需要使用元素的索引及其值),我可以使用 enumerate() 函数。例如:

import Foundation

let array: [Double] = [1, 2, 3, 4]

let powersArray = array.enumerate().map() {
    pow([=10=].element, Double([=10=].index))
}

print("array == \(array)")
print("powersArray == \(powersArray)")

// array == [1.0, 2.0, 3.0, 4.0]
// powersArray == [1.0, 2.0, 9.0, 64.0] <- As expected

现在,如果我想使用数组中的一些子序列,我可以使用 slice,这样我就可以使用与在原始数组中使用的索引相同的索引 (如果我在 for 循环中使用 subscript 访问器,这正是我想要的)。例如:

let range = 1..<(array.count - 1)
let slice = array[range]
var powersSlice = [Double]()

for index in slice.indices {
    powersSlice.append(pow(slice[index], Double(index)))
}

print("powersSlice == \(powersSlice)")

// powersSlice == [2.0, 9.0] <- As expected   

但是,如果我尝试像使用原始数组那样使用 enumerate().map() 方法,那么我会得到完全不同的行为。而不是 slice 的索引范围,我会得到一个新的、基于 0 的范围:

let powersSliceEnumerate = slice.enumerate().map() {
    pow([=12=].element, Double([=12=].index))
}

print("powersSliceEnumerate == \(powersSliceEnumerate)")

// powersSliceEnumerate == [1.0, 3.0] <- Not as expected

问题是是否有一种合适的方法(即不使用偏移量或其他方式进行手动调整)来使用自己的索引而不是自动生成的基于 0 的索引来枚举切片?

enumerate() returns (n, elem) 对序列,其中 n 是从零开始的连续 Int。这是有道理的,因为它是 SequenceType 的协议扩展方法,以及任意序列 不一定具有与元素关联的索引。

你会得到你预期的结果

let powersSlice = slice.indices.map { pow(slice[[=10=]], Double([=10=])) }

let powersSlice = zip(slice.indices, slice).map { pow(, Double([=11=])) }

后一种方法可以推广到协议扩展 任意集合的方法:

extension CollectionType {
    func indexEnumerate() -> AnySequence<(index: Index, element: Generator.Element)> {
        return AnySequence(zip(indices, self))
    }
}

这 returns 个 (index, elem) 对序列,其中 index 是集合的索引,elem 是相应的元素。 AnySequence用于"hide"具体类型 Zip2Sequence<RangeGenerator<Self.Index>, Self>zip() 返回 来自来电者。

示例:

let powersSliceEnumerate = slice.indexEnumerate().map() { pow([=13=].element, Double([=13=].index)) }
print("powersSliceEnumerate == \(powersSliceEnumerate)")
// powersSliceEnumerate == [2.0, 9.0]

Swift3 的更新:

extension Collection {
    func indexEnumerate() -> AnySequence<(Indices.Iterator.Element, Iterator.Element)> {
        return AnySequence(zip(indices, self))
    }
}