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($0.element, Double($0.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()
方法,那么我会得到完全不同的行为。我将得到一个新的从0开始的范围,而不是slice
的索引范围:
let powersSliceEnumerate = slice.enumerate().map() {
pow($0.element, Double($0.index))
}
print("powersSliceEnumerate == (powersSliceEnumerate)")
// powersSliceEnumerate == [1.0, 3.0] <- Not as expected
问题是,是否有合适的方法(即无需使用偏移量等手动调整)来使用切片自己的索引而不是自动生成的从0开始的索引来枚举切片?
推荐答案
enumerate()
返回(n, elem)
对的序列,其中n
是从零开始的连续Int
s。这是有道理的,因为它是
一种SequenceType
的协议扩展方法和任意序列
不一定具有与元素关联的索引。
您将通过
获得预期结果let powersSlice = slice.indices.map { pow(slice[$0], Double($0)) }
或
let powersSlice = zip(slice.indices, slice).map { pow($1, Double($0)) }
后一种方法可以推广到协议扩展
任意集合的方法:
extension CollectionType {
func indexEnumerate() -> AnySequence<(index: Index, element: Generator.Element)> {
return AnySequence(zip(indices, self))
}
}
这将返回(index, elem)
对的序列,其中index
是集合的索引,elem
是相应的元素。
AnySequence
用于"隐藏"具体类型
Zip2Sequence<RangeGenerator<Self.Index>, Self>
从zip()
返回
来自调用方。
示例:
let powersSliceEnumerate = slice.indexEnumerate().map() { pow($0.element, Double($0.index)) }
print("powersSliceEnumerate == (powersSliceEnumerate)")
// powersSliceEnumerate == [2.0, 9.0]
SWIFT 3更新:
extension Collection {
func indexEnumerate() -> AnySequence<(Indices.Iterator.Element, Iterator.Element)> {
return AnySequence(zip(indices, self))
}
}
这篇关于如何使用原始索引枚举切片?的文章就介绍到这了,希望我们推荐的答案对大家有所帮助,也希望大家多多支持编程学习网!
沃梦达教程
本文标题为:如何使用原始索引枚举切片?
基础教程推荐
猜你喜欢
- 如何让对象对 Cocos2D 中的触摸做出反应? 2022-01-01
- 当从同一个组件调用时,两个 IBAction 触发的顺序是什么? 2022-01-01
- 如何在 UIImageView 中异步加载图像? 2022-01-01
- UIWebView 委托方法 shouldStartLoadWithRequest:在 WKWebView 中等效? 2022-01-01
- 在 gmail 中为 ios 应用程序检索朋友的朋友 2022-01-01
- 如何在没有IB的情况下将2个按钮添加到右侧的UINavigationbar? 2022-01-01
- android 应用程序已发布,但在 google play 中找不到 2022-01-01
- 如何在 iPhone 上显示来自 API 的 HTML 文本? 2022-01-01
- Kivy Buildozer 无法构建 apk,命令失败:./distribute.sh -m “kivy"d 2022-01-01
- Android:对话框关闭而不调用关闭 2022-01-01