我们知道,我们可以使用for..in循环来遍历数组或字典。但是,我想迭代我自己的CustomClass像这样:
for i in CustomClass { someFunction(i) }
CustomClass需要支持哪些操作/协议才能实现这一点?
假设你有一个类“Cars”,你想要能够使用for..in循环迭代:
原文链接:https://www.f2er.com/swift/320900.htmllet cars = Cars() for car in cars { println(car.name) }
最简单的方法是使用AnyGenerator类和这样的:
class Car { var name : String init(name : String) { self.name = name } } class Cars : SequenceType { var carList : [Car] = [] func generate() -> AnyGenerator<Car> { // keep the index of the next car in the iteration var nextIndex = carList.count-1 // Construct a AnyGenerator<Car> instance,passing a closure that returns the next car in the iteration return anyGenerator { if (nextIndex < 0) { return nil } return self.carList[nextIndex--] } } }
要尝试一个完整的工作示例添加上面的两个类,然后尝试使用它们像这样,添加几个测试项目:
let cars = Cars() cars.carList.append(Car(name: "Honda")) cars.carList.append(Car(name: "Toyota")) for car in cars { println(car.name) }
就是这样,简单。
更多信息:http://lillylabs.no/2014/09/30/make-iterable-swift-collection-type-sequencetype