Jeśli podasz enum surową wartość Int znacznie ułatwi zapętlenie.
Na przykład możesz użyć, anyGenerator
aby uzyskać generator, który może wyliczyć wszystkie wartości:
enum Suit: Int, CustomStringConvertible {
case Spades, Hearts, Diamonds, Clubs
var description: String {
switch self {
case .Spades: return "Spades"
case .Hearts: return "Hearts"
case .Diamonds: return "Diamonds"
case .Clubs: return "Clubs"
}
}
static func enumerate() -> AnyGenerator<Suit> {
var nextIndex = Spades.rawValue
return anyGenerator { Suit(rawValue: nextIndex++) }
}
}
// You can now use it like this:
for suit in Suit.enumerate() {
suit.description
}
// or like this:
let allSuits: [Suit] = Array(Suit.enumerate())
Wygląda to jednak na dość powszechny wzorzec, czy nie byłoby miło, gdybyśmy mogli wyliczyć dowolny typ wyliczeniowy, po prostu dostosowując się do protokołu? Dobrze z Swift 2.0 i rozszerzeniami protokołu, teraz możemy!
Po prostu dodaj to do swojego projektu:
protocol EnumerableEnum {
init?(rawValue: Int)
static func firstValue() -> Int
}
extension EnumerableEnum {
static func enumerate() -> AnyGenerator<Self> {
var nextIndex = firstRawValue()
return anyGenerator { Self(rawValue: nextIndex++) }
}
static func firstRawValue() -> Int { return 0 }
}
Teraz za każdym razem, gdy tworzysz wyliczenie (o ile ma wartość surową Int), możesz uczynić ją wyliczalną, postępując zgodnie z protokołem:
enum Rank: Int, EnumerableEnum {
case Ace, Two, Three, Four, Five, Six, Seven, Eight, Nine, Ten, Jack, Queen, King
}
// ...
for rank in Rank.enumerate() { ... }
Jeśli twoje wartości wyliczeniowe nie zaczynają się od 0
(domyślne), zastąp firstRawValue
metodę:
enum DeckColor: Int, EnumerableEnum {
case Red = 10, Blue, Black
static func firstRawValue() -> Int { return Red.rawValue }
}
// ...
let colors = Array(DeckColor.enumerate())
Ostateczna klasa garnitur, włącznie z wymianą simpleDescription
z bardziej standardowym protokołem CustomStringConvertible będzie wyglądać następująco:
enum Suit: Int, CustomStringConvertible, EnumerableEnum {
case Spades, Hearts, Diamonds, Clubs
var description: String {
switch self {
case .Spades: return "Spades"
case .Hearts: return "Hearts"
case .Diamonds: return "Diamonds"
case .Clubs: return "Clubs"
}
}
}
// ...
for suit in Suit.enumerate() {
print(suit.description)
}
Składnia Swift 3:
protocol EnumerableEnum {
init?(rawValue: Int)
static func firstRawValue() -> Int
}
extension EnumerableEnum {
static func enumerate() -> AnyIterator<Self> {
var nextIndex = firstRawValue()
let iterator: AnyIterator<Self> = AnyIterator {
defer { nextIndex = nextIndex + 1 }
return Self(rawValue: nextIndex)
}
return iterator
}
static func firstRawValue() -> Int {
return 0
}
}