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:
|
type loop<'a,'b> =
| Return of 'a
| Loop of 'b
let rec loop vars f =
match f vars with
| Return result -> result
| Loop vars -> loop vars f
//Examples:
//input lists
let xl, yl = List.init (2000000) id, List.init (2000000) (~-)
//merge xl and yl using loop abstraction
//fastest run: Real: 00:00:00.921, CPU: 00:00:00.921, GC gen0: 21, gen1: 12, gen2: 0
let merge = loop (xl, yl, []) (fun (xl,yl,acc) ->
match xl, yl with
| [], _ | _, [] -> Return acc //ommitting reversal of acc to keep time stats pure
| x::xl, y::yl -> Loop(xl,yl,(x,y)::acc))
//merge xl and yl using traditional pattern.
//fastest run: Real: 00:00:00.434, CPU: 00:00:00.437, GC gen0: 11, gen1: 7, gen2: 0
let merge_traditional =
let rec loop xl yl acc =
match xl, yl with
| [], _ | _, [] -> acc //ommitting reversal of acc to keep time stats pure
| x::xl, y::yl -> loop xl yl ((x,y)::acc)
loop xl yl []
//merge using a possible built-in language feature:
//let merge =
// loop xl=xl yl=yl acc=[] with
// match xl, yl with
// | [], _ | _, [] -> acc
// | x::xl, y::yl -> loop xl yl ((x,y)::acc)
|