-
Notifications
You must be signed in to change notification settings - Fork 2
/
Copy path11 Notes: Let and efficiency.sml
44 lines (30 loc) · 4.14 KB
/
11 Notes: Let and efficiency.sml
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
(* return the max element in list *)
fun max_ele ( xs : int list) =
if null xs
then 0
else if null (tl xs)
then hd xs
else if hd xs > max_ele (tl xs)
then hd xs
else max_ele (tl xs)
(* this above is a HORRIBLE algorithm *)
(* when the bigger numners are at the end of the list.
we end up computing max_ele (tl xs) EXPONENTIALly many times
because max_ele gets called both times in the method.
And then each of those threads end up creating two more threads.
The time complexity is EXPONENTIAL *)
(* we should reaally avoid such computations.
by doing these computations and then storing them in some variable *)
fun max_ele_2 ( xs : int list) =
if null xs
then 0
else if null (tl xs)
then hd xs
else
let val x = max_ele_2 (tl xs)
in
if hd xs > x
then hd xs
else x
end
(* do not do repeated computations *)