1
1
mirror of https://github.com/github/semantic.git synced 2024-12-03 22:54:16 +03:00
semantic/prototype/Doubt/Stream.swift

53 lines
1.1 KiB
Swift
Raw Normal View History

2015-09-16 19:28:45 +03:00
public enum Stream<A>: SequenceType {
2015-09-16 18:42:49 +03:00
case Nil
2015-09-16 20:44:02 +03:00
case Cons(A, Memo<Stream>)
2015-09-16 18:44:56 +03:00
public init<S: SequenceType where S.Generator.Element == A>(sequence: S) {
self = Stream(generator: sequence.generate())
}
public init<G: GeneratorType where G.Element == A>(var generator: G) {
self = Stream { generator.next() }
}
public init(_ f: () -> A?) {
2015-09-16 20:44:02 +03:00
self = f().map { Stream.Cons($0, Memo { Stream(f) }) } ?? Stream.Nil
}
2015-09-16 18:44:56 +03:00
public var uncons: (first: A, rest: Stream)? {
switch self {
case let .Cons(first, rest):
2015-09-16 20:44:02 +03:00
return (first, rest.value)
2015-09-16 18:44:56 +03:00
default:
return nil
}
}
public var first: A? {
return uncons?.first
}
public var rest: Stream {
return uncons?.rest ?? .Nil
}
2015-09-16 18:56:06 +03:00
public var isEmpty: Bool {
return uncons == nil
}
2015-09-16 19:27:23 +03:00
public func map<B>(transform: A -> B) -> Stream<B> {
2015-09-16 20:44:02 +03:00
return uncons.map { first, rest in Stream<B>.Cons(transform(first), Memo { rest.map(transform) }) } ?? Stream<B>.Nil
2015-09-16 19:27:23 +03:00
}
2015-09-16 19:28:45 +03:00
public func generate() -> AnyGenerator<A> {
var current = self
return anyGenerator {
let next = current.first
current = current.rest
return next
}
}
2015-09-16 18:42:49 +03:00
}