-
Notifications
You must be signed in to change notification settings - Fork 6
/
Copy path2.lisp
81 lines (65 loc) · 1.74 KB
/
2.lisp
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
75
76
77
78
79
80
81
; 2
; a) Write a function to return the product of two vectors.
; https://en.wikipedia.org/wiki/Dot_product
(defun dot_product (a b)
(if (null a)
0
(+ (* (car a) (car b)) (dot_product (cdr a) (cdr b)))
)
)
(print (dot_product '(1 2 3) '(4 5 6)))
; => 1*4 + 2*5 + 3*6 = 32
; b) Write a function to return the depth of a list. Example: the depth of a linear list is 1.
(defun my_max (a b)
(if (> a b) a b)
)
(defun depth_list (a l)
(cond
((null a) l)
((listp (car a)) (my_max (depth_list (car a) (+ l 1)) (depth_list (cdr a) l)))
(T (depth_list (cdr a) l))
)
)
(print (depth_list '(6 (2 3 (4) (5) (6 (7)))) 0))
; => 3
; c) Write a function to sort a linear list without keeping the double values.
(defun insertOk (l e)
(cond
((null l) (list e))
((equal (car l) e) l)
((< e (car l)) (cons e l))
(T (cons (car l) (insertOk (cdr l) e)))
)
)
(defun sortare (l)
(cond
((null l) nil)
(T (insertOk (sortare (cdr l)) (car l)))
)
)
(print (sortare '(1 3 2 5 6 7 7 3 9)))
; => (1 2 3 5 6 7 9)
; d) Write a function to return the intersection of two sets.
(defun remove_first_ap (l e)
(cond
((null l) nil)
((equal (car l) e) (cdr l))
(T (cons (car l) (remove_first_ap (cdr l) e)))
)
)
(defun contains (l e)
(cond
((null l) nil)
((equal (car l) e) T)
(T (contains (cdr l) e))
)
)
(defun intersection_sets (l k)
(cond
((or (null l) (null k)) nil)
((contains k (car l)) (cons (car l) (intersection_sets (cdr l) (remove_first_ap (cdr k) (car l)))))
(T (intersection_sets (cdr l) k))
)
)
(print (intersection_sets '(1 2 3 4 5) '(1 5 6 7 9)))
; => (1 5)