blob: 73a3fbfc0bc9b5ebbd72b2fcade09517cac7ce3c (
plain)
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
|
signature SEQUENCE = sig
type 'a t
val fold: ('a * 'b -> 'b) -> 'b -> 'a t -> 'b
val from: (unit -> 'a option) -> 'a t
val map: ('a -> 'b) -> 'a t -> 'b t
val app: ('a -> unit) -> 'a t -> unit
val fromArray: 'a array -> 'a t
val fromList: 'a list -> 'a t
val toList: 'a t -> 'a list
val toArray: 'a t -> 'a array
end
structure Sequence :> SEQUENCE = struct
type 'a t = unit -> 'a option
fun fold f seed t =
let
fun loop x =
case t () of
NONE => x
| SOME y => loop (f (y, x))
in
loop seed
end
fun from t = t
fun map f t =
fn () => (
case t () of
NONE => NONE
| SOME x => SOME (f x)
)
fun app f t =
let
fun loop () =
case t () of
NONE => ()
| SOME x => (
f x
; loop ()
)
in
loop ()
end
fun fromArray a =
let
val i = ref 0
fun f () =
if !i >= Array.length a then NONE
else
SOME (Array.sub (a, !i))
before i := !i + 1
in
from f
end
fun fromList l =
let
val c = ref l
fun f () =
case !c of
x :: y => (c := y; SOME x)
| nil => NONE
in
from f
end
fun toList t =
let
fun loop l =
case t () of
NONE => rev l
| SOME x => loop (x :: l)
in
loop nil
end
fun toArray t = Array.fromList (toList t)
end
|