-
Notifications
You must be signed in to change notification settings - Fork 1
/
2.62.scm
52 lines (44 loc) · 1.51 KB
/
2.62.scm
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
(define (element-of-set? x set)
(cond ((null? set) false)
((= x (car set)) #t)
((< x (car set)) #f)
(else (element-of-set? x (cdr set)))))
;; O(n/2)?
(define (adjoin-set x set)
(cond ((null? set) (list x))
((= x (car set)) set)
((< x (car set)) (cons x set))
(else (cons (car set)
(adjoin-set x (cdr set))))))
(adjoin-set 1 '(2 4 6 8))
(adjoin-set 3 '(2 4 6 8))
(adjoin-set 5 '(2 4 6 8))
(adjoin-set 7 '(2 4 6 8))
(adjoin-set 9 '(2 4 6 8))
(adjoin-set 4 '(2 4 6 8))
(define (intersection-set set1 set2)
(if (or (null? set1) (null? set2)) '()
(let ((x1 (car set1)) (x2 (car set2)))
(cond ((= x1 x2)
(cons x1
(intersection-set (cdr set1)
(cdr set2))))
((< x1 x2)
(intersection-set (cdr set1) set2))
((< x2 x1)
(intersection-set set1 (cdr set2)))))))
(define (union-set set1 set2)
(cond ((null? set1) set2)
((null? set2) set1)
((let ((x1 (car set1)) (x2 (car set2)))
(cond ((= x1 x2)
(cons x1
(union-set (cdr set1)
(cdr set2))))
((< x1 x2)
(cons x1 (union-set (cdr set1) set2)))
((< x2 x1)
(cons x2 (union-set set1 (cdr set2)))))))))
(intersection-set '(1 3 5 7 9) '(2 5 7 8))
(union-set '(1 3 5 7 9) '(2 5 7 8))
(union-set '(1 3 5) '(2 4 6 8))