Trees. Readings: HtDP, sections 14, 15, 16.

Size: px
Start display at page:

Download "Trees. Readings: HtDP, sections 14, 15, 16."

Transcription

1 Trees Readings: HtDP, sections 14, 15, 16. We will cover the ideas in the text using different examples and different terminology. The readings are still important as an additional source of examples. CS 135 Winter : Trees 1

2 Binary arithmetic expressions A binary arithmetic expression is made up of numbers joined by binary operations, +, /, and. ((2 6) + (5 2))/(5 3) can be defined in terms of two smaller binary arithmetic expressions, (2 6) + (5 2) and 5 3. Each smaller expression can be defined in terms of even smaller expressions. The smallest expressions are numbers. CS 135 Winter : Trees 2

3 Visualizing binary arithmetic expressions ((2 6) + (5 2))/(5 3) can be represented as a tree: / + - * * CS 135 Winter : Trees 3

4 Tree terminology root 5 internal nodes parent leaves 1 6 subtree 14 siblings child CS 135 Winter : Trees 4

5 Characteristics of trees Number of children of internal nodes: exactly two at most two any number Labels: on all nodes just on leaves Order of children (matters or not) Tree structure (from data or for convenience) CS 135 Winter : Trees 5

6 Representing binary arithmetic expressions Internal nodes each have exactly two children. Leaves have number labels. Internal nodes have symbol labels. We care about the order of children. The structure of the tree is dictated by the expression. How can we group together information for an internal node? How can we allow different definitions for leaves and internal nodes? CS 135 Winter : Trees 6

7 (define-struct binode (op left right)) ;; A Binary arithmetic expression Internal Node (BINode) ;; is a (make-binode (anyof + / ) BinExp BinExp) ;; A binary arithmetic expression (BinExp) is one of: ;; a Num ;; a BINode CS 135 Winter : Trees 7

8 Some examples of binary arithmetic expressions: 5 (make-binode 2 6) (make-binode + 2 (make-binode 5 3)) A more complex example: (make-binode / (make-binode + (make-binode 2 6) (make-binode 5 2)) (make-binode 5 3)) CS 135 Winter : Trees 8

9 Template for binary arithmetic expressions The only new idea in forming the template is the application of the recursive function to each piece that satisfies the data definition. ;; binexp-template: BinExp Any (define (binexp-template ex) (cond [(number? ex)... ex... ] [(binode? ex) (... (binode-op ex)... (binexp-template (binode-left ex))... (binexp-template (binode-right ex))... )])) CS 135 Winter : Trees 9

10 Evaluation of expressions (define (eval ex) (cond [(number? ex) ex] [(symbol=? (binode-op ex) ) ( (eval (binode-left ex)) (eval (binode-right ex)))] [(symbol=? (binode-op ex) +) (+ (eval (binode-left ex)) (eval (binode-right ex)))] [(symbol=? (binode-op ex) /) (/ (eval (binode-left ex)) (eval (binode-right ex)))] [(symbol=? (binode-op ex) ) ( (eval (binode-left ex)) (eval (binode-right ex)))])) CS 135 Winter : Trees 10

11 (define (eval ex) (cond [(number? ex) ex] [(binode? ex) (eval-binode (binode-op ex) (eval (binode-left ex)) (eval (binode-right ex)))])) (define (eval-binode op left right) (cond [(symbol=? op ) ( left right)] [(symbol=? op +) (+ left right)] [(symbol=? op /) (/ left right)] [(symbol=? op ) ( left right)])) CS 135 Winter : Trees 11

12 Binary trees A binary tree is a tree with at most two children for each node. Binary trees are a fundamental part of computer science, independent of what language you use. Binary arithmetic expressions are one type of binary tree. Next we will use another type of binary tree to provide a more efficient implementation of dictionaries. CS 135 Winter : Trees 12

13 Dictionaries revisited Recall from module 06 that a dictionary stores a set of (key, value) pairs, with at most one occurrence of any key. It supports lookup, add, and remove operations. We implemented a dictionary as an association list of two-element lists. This implementation had the problem that a search could require looking through the entire list, which will be inefficient for large dictionaries. CS 135 Winter : Trees 13

14 Our new implementation will put the (key,value) pairs into a binary tree instead of a list in order to quickly search large dictionaries. (We ll see how soon.) (define-struct node (key val left right)) ;; A Node is a (make-node Num Str BT BT) ;; A binary tree (BT) is one of: ;; empty ;; Node What is the template? CS 135 Winter : Trees 14

15 Counting values in a Binary Tree Let us fill in the template to make a simple function: count how many nodes in the BT have a value equal to v: ;; count-values: BT Str Nat (define (count-values tree v) (cond [(empty? tree) 0] [else (+ (cond [(string=? v (node-val tree)) 1] [else 0]) (count-values (node-left tree) v) (count-values (node-right tree) v))])) CS 135 Winter : Trees 15

16 Add 1 to every key in a given tree: ;; increment: BT BT (define (increment tree) (cond [(empty? tree) empty] [else (make-node (add1 (node-key tree)) (node-val tree) (increment (node-left tree)) (increment (node-right tree)))])) CS 135 Winter : Trees 16

17 Searching binary trees We are now ready to try to search our binary tree to produce the value associated with the given key (or false if the key is not in the dictionary). Our strategy: See if the root node contains the key we re looking for. If so, produce the associated value. Otherwise, recursively search in the left subtree, and in the right subtree. If either recursive search comes up with a string, produce that string. Otherwise, produce false. CS 135 Winter : Trees 17

18 Now we can fill in our BT template to write our search function: ;; search-bt: Num BT (anyof Str false) (define (search-bt n tree) (cond [(empty? tree) false] [(= n (node-key tree)) (node-val tree)] [else (pick-string (search-bt n (node-left tree)) (search-bt n (node-right tree)))])) Is this more efficient than searching an AL? CS 135 Winter : Trees 18

19 pick-string is a helper function to avoid calling search-bt on the same subtree multiple times. ;; (pick-string a b) produces a if it is a string, ;; or b if it is a string, otherwise false ;; pick-string: (anyof Str false) (anyof Str false) (anyof Str false) (check-expect (pick-string false "hi") "hi") (check-expect (pick-string "there" false) "there") (check-expect (pick-string false false) false) (define (pick-string a b) (cond [(string? a) a] [(string? b) b] [else false])) CS 135 Winter : Trees 19

20 Binary search trees We will now make one change that will make searching much more efficient. This change will create a a tree structure known as a binary search tree (BST). The (key,value) pairs are stored at the nodes of a tree. For any given collection of keys and values, there is more than one possible tree. The placement of pairs in nodes can make it possible to improve the running time compared to association lists. CS 135 Winter : Trees 20

21 ;; A Binary Search Tree (BST) is one of: ;; empty ;; a Node (define-struct node (key val left right)) ;; A Node is a (make-node Num Str BST BST) ;; requires: key > every key in left BST ;; key < every key in right BST The BST ordering property: key is greater than every key in left. key is less than every key in right. CS 135 Winter : Trees 21

22 A BST example (make-node 5 "John" (make-node 1 "Alonzo" empty empty) (make-node 6 "Alan" empty (make-node 14 "Ada" empty empty))) CS 135 Winter : Trees 22

23 Drawing BSTs (Note: the value field is not represented.) CS 135 Winter : Trees 23

24 We have made several minor changes from HtDP: We use empty instead of false for the base case. We use key instead of ssn, and val instead of name. The value can be any Racket value. We can generalize to other key types with an ordering (e.g. strings, using string<?). CS 135 Winter : Trees 24

25 There can be several BSTs holding a particular set of (key, value) pairs CS 135 Winter : Trees 25

26 Making use of the ordering property Main advantage: for certain computations, one of the recursive function applications in the template can always be avoided. This is more efficient (sometimes considerably so). In the following slides, we will demonstrate this advantage for searching and adding. We will write the code for searching, and briefly sketch adding, leaving you to write the Racket code. CS 135 Winter : Trees 26

27 Searching in a BST How do we search for a key n in a BST? We reason using the data definition of BST. If the BST is empty, then n is not in the BST. If the BST is of the form (make-node k v l r), and k equals n, then we have found it. Otherwise it might be in either of the trees l, r. CS 135 Winter : Trees 27

28 If n < k, then n must be in l if it is present at all, and we only need to recursively search in l. If n > k, then n must be in r if it is present at all, and we only need to recursively search in r. Either way, we save one recursive function application. CS 135 Winter : Trees 28

29 ;; (search-bst n t) produces the value associated with n, ;; or false if n is not in t ;; search-bst: Num BST (anyof Str false) (define (search-bst n t) (cond [(empty? t) false] [(= n (node-key t)) (node-val t)] [(< n (node-key t)) (search-bst n (node-left t))] [(> n (node-key t)) (search-bst n (node-right t))])) CS 135 Winter : Trees 29

30 Adding to a BST How do we add a pair (k, v) to a BST bstree? If bstree is empty, then the result is a BST with only one node. Otherwise bstree is of the form (make-node n w l r). If k = n, we form the tree with k, v, l, and r (we replace the old value by v). If k < n, then the pair must be added to l, and if k > n, then the pair must be added to r. Again, we need only make one recursive function application. CS 135 Winter : Trees 30

31 Creating a BST from a list How do we create a BST from a list of (key, value) pairs? We reason using the data definition of a list. If the list is empty, the BST is empty. If the list is of the form (cons (list k v) lst), we add the pair (k, v) to the BST created from the list lst. The first (key, value) pair is inserted last. It is also possible to write a function that inserts (key, value) pairs in the opposite order. CS 135 Winter : Trees 31

32 Binary search trees in practice If the BST has all left subtrees empty, it looks and behaves like a sorted association list, and the advantage is lost. In later courses, you will see ways to keep a BST balanced so that most nodes have nonempty left and right children. By that time you will better understand how to analyze the efficiency of algorithms and operations on data structures. CS 135 Winter : Trees 32

33 Evolution trees a binary tree recording information about the evolution of species contains two kinds of information: modern species (e.g. humans) with population count evolutionary history via evolution events, with an estimate of how long ago the event occurred An evolution event leads to a splitting of one species into two distinct species (for example, through physical separation). CS 135 Winter : Trees 33

34 animal 535 vertebrate 320 invertebrate 530 mammal 65 primate 5 human 7 bil chimp rat 1 bil chicken 15 bil worm 50 bil fruitfly 100 bil CS 135 Winter : Trees 34

35 Representing evolution trees Internal nodes each have exactly two children. Leaves have names and populations of modern species. Internal nodes have names and dates of evolution events. The order of children does not matter. The structure of the tree is dictated by a hypothesis about evolution. CS 135 Winter : Trees 35

36 Data definitions for evolution trees ;; A Taxon is one of: ;; a Modern ;; an Ancient (define-struct modern (name pop)) ;; A Modern is a (make-modern Str Nat) (define-struct ancient (name age left right)) ;; An Ancient is a (make-ancient Str Num Taxon Taxon) Note that the Ancient data definition uses a pair of Taxons. CS 135 Winter : Trees 36

37 Here are the definitions for our example tree drawing. (define-struct modern (name pop)) (define-struct ancient (name age left right)) (define human (make-modern "human" 7.0e9)) (define chimp (make-modern "chimpanzee" 1.0e5)) (define rat (make-modern "rat" 1.0e9)) (define chicken (make-modern "chicken" 1.5e10)) (define worm (make-modern "worm" 5.0e10)) (define fruit-fly (make-modern "fruit fly" 1.0e11)) CS 135 Winter : Trees 37

38 (define primate (make-ancient "Primate" 5 human chimp)) (define mammal (make-ancient "Mammal" 65 primate rat)) (define vertebrate (make-ancient "Vertebrate" 320 mammal chicken)) (define invertebrate (make-ancient "Invertebrate" 530 worm fruit-fly)) (define animal (make-ancient "Animal" 535 vertebrate invertebrate)) CS 135 Winter : Trees 38

39 Derive the template for taxon computations from the data definition. ;; taxon-template: Taxon Any (define (taxon-template t) (cond [(modern? t) (modern-template t)] [(ancient? t) (ancient-template t)])) This is a straightforward implementation based on the data definition. It s also a good strategy to take a complicated problem (dealing with a Taxon) and decompose it into simpler problems (dealing with a Modern or an Ancient). Functions for these two data definitions are on the next slide. CS 135 Winter : Trees 39

40 ;; modern-template: Modern Any (define (modern-template t) (... (modern-name t)... (modern-pop t)... )) ;; ancient-template: Ancient Any (define (ancient-template t) (... (ancient-name t)... (ancient-age t)... (ancient-left t)... (ancient-right t)... )) CS 135 Winter : Trees 40

41 We know that (ancient-left t) and (ancient-right t) are Taxons, so apply the Taxon-processing function to them. ;; ancient-template: Ancient Any (define (ancient-template t) (... (ancient-name t)... (ancient-age t)... (taxon-template (ancient-left t))... (taxon-template (ancient-right t))... )) ancient-template uses taxon-template and taxon-template uses ancient-template. This is called mutual recursion. CS 135 Winter : Trees 41

42 A function on taxons This function counts the number of modern descendant species of a taxon. A taxon is its own descendant. ;; ndesc-species: Taxon Nat (define (ndesc-species t) (cond [(modern? t) (ndesc-modern t)] [(ancient? t) (ndesc-ancient t)])) (check-expect (ndesc-species animal) 6) (check-expect (ndesc-species human) 1) CS 135 Winter : Trees 42

43 ;; ndesc-modern: Modern Nat (define (ndesc-modern t) 1) ;; ndesc-ancient: Ancient Nat (define (ndesc-ancient t) (+ (ndesc-species (ancient-left t)) (ndesc-species (ancient-right t)))) CS 135 Winter : Trees 43

44 Counting evolution events ;; (recent-events t n) produces the number of evolution events in t ;; taking place within the last n million years ;; recent-events: Taxon Num Nat ;; Examples: (check-expect (recent-events worm 500) 0) (check-expect (recent-events animal 500) 3) (check-expect (recent-events animal 530) 4) (define (recent-events t n)... ) CS 135 Winter : Trees 44

45 For a more complicated computation, try to compute the list of species that connects two specified taxons, if such a list exists. The function ancestors consumes a taxon from and a modern species to. If from is the ancestor of to, ancestors produces the list of names of the species that connect from to to (including the names of from and to). Otherwise, it produces false. What cases should the examples cover? The taxon from can be either a modern or a ancient. The function can produce either false or a list of strings. CS 135 Winter : Trees 45

46 ;; (ancestors from to) produces chain of names from...to ;; ancestors: Taxon Modern (anyof (listof Str) false) ;; Examples (check-expect (ancestors human human) ("human")) (check-expect (ancestors mammal worm) false) (check-expect (ancestors mammal human) ("Mammal" "Primate" "human")) (define (ancestors from to) (cond [(modern? from) (ancestors-modern from to)] [(ancient? from) (ancestors-ancient from to)])) CS 135 Winter : Trees 46

47 (define (ancestors-modern from to) (cond [(equal? from to) (list (modern-name to))] [else false])) (define (ancestors-ancient from to) (... (ancient-name from)... (ancient-age from)... (ancestors (ancient-left from) to)... (ancestors (ancient-right from) to)... )) CS 135 Winter : Trees 47

48 ;; ancestors-ancient: Ancient Modern (anyof (listof Str) false) (check-expect (ancestors-ancient mammal worm) false) (check-expect (ancestors-ancient mammal rat) ("Mammal" "rat")) (check-expect (ancestors-ancient mammal human) ("Mammal" "Primate" "human")) (define (ancestors-ancient from to) (cond [(cons? (ancestors (ancient-left from) to)) (cons (ancient-name from) (ancestors (ancient-left from) to))] [(cons? (ancestors (ancient-right from) to)) (cons (ancient-name from) (ancestors (ancient-right from) to))] [else false])) CS 135 Winter : Trees 48

49 When we try filling in the recursive case, we notice that we have to use the results of the recursive function application more than once. To avoid repeating the computation, we can pass the results of the recursive function applications (plus whatever other information is needed) to a helper function. CS 135 Winter : Trees 49

50 A more efficient ancestors-ancient function (define (ancestors-ancient from to) (extend-list (ancient-name from) (ancestors (ancient-left from) to) (ancestors (ancient-right from) to))) (define (extend-list from-n from-l from-r) (cond [(cons? from-l) (cons from-n from-l)] [(cons? from-r) (cons from-n from-r)] [else false])) CS 135 Winter : Trees 50

51 General trees Binary trees can be used for a large variety of application areas. One limitation is the restriction on the number of children. How might we represent a node that can have up to three children? What if there can be any number of children? CS 135 Winter : Trees 51

52 General arithmetic expressions For binary arithmetic expressions, we formed binary trees. Racket expressions using the functions + and can have an unbounded number of arguments. For simplicity, we will restrict the operations to + and. (+ ( 4 2) 3 ( ) 2) CS 135 Winter : Trees 52

53 We can visualize an arithmetic expression as a general tree. + * (+ ( 4 2) 3 ( ) 2) CS 135 Winter : Trees 53

54 For a binary arithmetic expression, we defined a structure with three fields: the operation, the first argument, and the second argument. For a general arithmetic expression, we define a structure with two fields: the operation and a list of arguments (which is a list of arithmetic expressions). CS 135 Winter : Trees 54

55 (define-struct ainode (op args)) ;; a Arithmetic expression Internal Node (AINode) ;; is a (make-ainode (anyof +) (listof AExp)) ;; An Arithmetic Expression (AExp) is one of: ;; a Num ;; an AINode Each definition depends on the other, and each template will depend on the other. We saw this in the evolution trees example, as well. A Taxon was defined in terms of a modern species and an ancient species. The ancient species was defined in terms of a Taxon. CS 135 Winter : Trees 55

56 Examples of arithmetic expressions: 3 (make-ainode + (list 3 4)) (make-ainode (list 3 4)) (make-ainode + (list (make-ainode (4 2)) 3 (make-ainode + (5 1 2)) 2)) It is also possible to have an operation and an empty list; recall substitution rules for and and or. CS 135 Winter : Trees 56

57 Templates for arithmetic expressions (define (aexp-template ex) (cond [(number? ex)... ] [(ainode? ex) (... (ainode-template ex)... )])) (define (listof-aexp-template exlist) (cond [(empty? exlist)... ] [else (... (aexp-template (first exlist))... (listof-aexp-template (rest exlist))... )])) CS 135 Winter : Trees 57

58 ainode-template (define (ainode-template ex) (... (ainode-op ex)... (listof-aexp-template (ainode-args ex))... )) We can combine this template with aexp-template in our implementation. CS 135 Winter : Trees 58

59 The function eval ;; eval: AExp Num (define (eval ex) (cond [(number? ex) ex] [else (apply (ainode-op ex) (ainode-args ex))])) CS 135 Winter : Trees 59

60 ;; apply: Sym (listof AExp) Num (define (apply f exlist) (cond [(empty? exlist) (cond [(symbol=? f ) 1] [(symbol=? f +) 0])] [(symbol=? f ) ( (eval (first exlist)) (apply f (rest exlist)))] [(symbol=? f +) (+ (eval (first exlist)) (apply f (rest exlist)))])])) CS 135 Winter : Trees 60

61 A reorganized apply ;; apply: Sym (listof AExp) Num (define (apply f exlist) (cond [(and (empty? exlist) (symbol=? f )) 1] [(and (empty? exlist) (symbol=? f +)) 0] [(symbol=? f ) ( (eval (first exlist)) (apply f (rest exlist)))] [(symbol=? f +) (+ (eval (first exlist)) (apply f (rest exlist)))])) CS 135 Winter : Trees 61

62 Condensed trace of aexp evaluation (eval (make-ainode + (list (make-ainode (3 4)) (make-ainode (2 5))))) (apply + (list (make-ainode (3 4)) (make-ainode (2 5)))) (+ (eval (make-ainode (3 4))) (apply + (list (make-ainode (2 5))))) (+ (apply (3 4)) (apply + (list (make-ainode (2 5))))) CS 135 Winter : Trees 62

63 (+ ( (eval 3) (apply (4))) (apply + (list (make-ainode (2 5))))) (+ ( 3 (apply (4))) (apply + (list (make-ainode (2 5))))) (+ ( 3 ( (eval 4) (apply empty))) (apply + (list (make-ainode (2 5))))) (+ ( 3 ( 4 (apply empty))) (apply + (list (make-ainode (2 5))))) CS 135 Winter : Trees 63

64 (+ ( 3 ( 4 1)) (apply + (list (make-ainode (2 5))))) (+ 12 (apply + (list (make-ainode (2 5))))) (+ 12 (+ (eval (make-ainode (2 5))) (apply + empty))) (+ 12 (+ (apply (2 5)) (apply + empty))) (+ 12 (+ ( (eval 2) (apply (5))) (apply + empty))) CS 135 Winter : Trees 64

65 (+ 12 (+ ( 2 (apply (5))) (apply + empty))) (+ 12 (+ ( 2 ( (eval 5) (apply empty))) (apply + empty))) (+ 12 (+ ( 2 ( 5 (apply empty))) (apply + empty))) (+ 12 (+ ( 2 ( 5 1)) (apply + empty))) (+ 12 (+ ( 2 5) (apply + empty))) (+ 12 (+ 10 (apply + empty))) (+ 12 (+ 10 0)) ( ) 22 CS 135 Winter : Trees 65

66 Alternate data definition In Module 6, we saw how a list could be used instead of a structure holding tax record information. Here we could use a similar idea to replace the structure ainode and the data definitions for AExp. CS 135 Winter : Trees 66

67 ;; An alternate arithmetic expression (AltAExp) is one of: ;; a Num ;; (cons (anyof +) (listof AltAExp)) Each expression is a list consisting of a symbol (the operation) and a list of expressions. 3 (+ 3 4) (+ ( 4 2 3) (+ ( 5 1 2) 2)) CS 135 Winter : Trees 67

68 Templates: AltAExp and (listof AltAExp) (define (altaexp-template ex) (cond [(number? ex)... ] [else (... (first ex)... (listof-altaexp-template (rest ex))... )])) (define (listof-altaexp-template exlist) (cond [(empty? exlist)... ] [(cons? exlist) (... (altaexp-template (first exlist))... (listof-altaexp-template (rest exlist))... )])) CS 135 Winter : Trees 68

69 ;; eval: AltAExp Num (define (eval aax) (cond [(number? aax) aax] [else (apply (first aax) (rest aax))])) CS 135 Winter : Trees 69

70 ;; apply: Sym (listof AltAExp) Num (define (apply f aaxl) (cond [(and (empty? aaxl) (symbol=? f )) 1] [(and (empty? aaxl) (symbol=? f +)) 0] [(symbol=? f ) ( (eval (first aaxl)) (apply f (rest aaxl)))] [(symbol=? f +) (+ (eval (first aaxl)) (apply f (rest aaxl)))])) CS 135 Winter : Trees 70

71 A condensed trace (eval ( (+ 1 2) 4)) (apply ((+ 1 2) 4)) ( (eval (+ 1 2)) (apply (4))) ( (apply + (1 2)) (apply (4))) ( (+ 1 (apply + (2))) (apply (4))) ( (+ 1 (+ 2 (apply + ()))) (apply (4))) ( (+ 1 (+ 2 0)) (apply (4))) CS 135 Winter : Trees 71

72 ( (+ 1 2) (apply (4))) ( 3 (apply (4))) ( 3 ( 4 (apply ()))) ( 3 ( 4 1)) ( 3 4) 12 CS 135 Winter : Trees 72

73 Structuring data using mutual recursion Mutual recursion arises when complex relationships among data result in cross references between data definitions. The number of data definitions can be greater than two. Structures and lists may also be used. In each case: create templates from the data definitions and create one function for each template. CS 135 Winter : Trees 73

74 Other uses of general trees We can generalize from allowing only two arithmetic operations and numbers to allowing arbitrary functions and variables. In effect, we have the beginnings of a Racket interpreter. But beyond this, the type of processing we have done on arithmetic expressions can be applied to tagged hierarchical data, of which a Racket expression is just one example. Organized text and Web pages provide other examples. CS 135 Winter : Trees 74

75 (chapter ) (section (paragraph "This is the first sentence." "This is the second sentence.") (paragraph "We can continue in this manner.")) (section... )... CS 135 Winter : Trees 75

76 (webpage (title "CS 115: Introduction to Computer Science 1") (paragraph "For a course description," (link "click here." "desc.html") "Enjoy the course!") (horizontal-line) (paragraph "(Last modified yesterday.)")) CS 135 Winter : Trees 76

77 Nested lists We have discussed flat lists (no nesting): (list a 1 "hello" x) and lists of lists (one level of nesting): (list (list 1 "a") (list 2 "b")) We now consider nested lists (arbitrary nesting): ((1 (2 3)) 4 (5 (6 7 8) 9)) CS 135 Winter : Trees 77

78 Nested lists It is often useful to visualize a nested list as a tree, in which the leaves correspond to the elements of the list, and the internal nodes indicate the nesting: ( ) ((1 (2 3)) 4 (5 (6 7 8) 9 ())) CS 135 Winter : Trees 78

79 Examples of nested lists: empty (4 2) ((4 2) 3 (4 1 6)) ((3) 2 () (4 (3 6))) Each nonempty tree is a list of subtrees. The first subtree in the list is either a single leaf (not a list) or a subtree rooted at an internal node (a list). CS 135 Winter : Trees 79

80 Data definition for nested lists ;; A nested list of numbers (Nest-List-Num) is one of: ;; empty ;; (cons Num Nest-List-Num) ;; (cons Nest-List-Num Nest-List-Num) This can be generalized to generic types: (Nest-List-X) CS 135 Winter : Trees 80

81 Template for nested lists The template follows from the data definition. nest-lst-template: Nest-List-Num Any (define (nest-lst-template lst) (cond [(empty? lst)... ] [(number? (first lst)) (... (first lst)... (nest-lst-template (rest lst))... )] [else (... (nest-lst-template (first lst))... (nest-lst-template (rest lst))... )])) CS 135 Winter : Trees 81

82 The function count-items ;; count-items: Nest-List-Num Nat (define (count-items nln) (cond [(empty? nln) 0] [(number? (first nln)) (+ 1 (count-items (rest nln)))] [else (+ (count-items (first nln)) (count-items (rest nln)))])) CS 135 Winter : Trees 82

83 Condensed trace of count-items (count-items ((10 20) 30)) (+ (count-items (10 20)) (count-items (30))) (+ (+ 1 (count-items (20))) (count-items (30))) (+ (+ 1 (+ 1 (count-items ()))) (count-items (30))) (+ (+ 1 (+ 1 0)) (count-items (30))) (+ (+ 1 1) (count-items (30))) (+ 2 (count-items (30))) (+ 2 (+ 1 (count-items ()))) (+ 2 (+ 1 0)) (+ 2 1) 3 CS 135 Winter : Trees 83

84 Flattening a nested list flatten produces a flat list from a nested list. ;; flatten: Nest-List-Num (listof Num) (define (flatten lst)... ) We make use of the built-in Racket function append. (append (1 2) (3 4)) ( ) Remember: use append only when the first list has length greater than one, or there are more than two lists. CS 135 Winter : Trees 84

85 ;; flatten: Nest-List-Num (listof Num) (define (flatten lst) (cond [(empty? lst) empty] [(number? (first lst)) (cons (first lst) (flatten (rest lst)))] [else (append (flatten (first lst)) (flatten (rest lst)))])) CS 135 Winter : Trees 85

86 Condensed trace of flatten (flatten ((10 20) 30)) (append (flatten (10 20)) (flatten (30))) (append (cons 10 (flatten (20))) (flatten (30))) (append (cons 10 (cons 20 (flatten ()))) (flatten (30))) (append (cons 10 (cons 20 empty)) (flatten (30))) (append (cons 10 (cons 20 empty)) (cons 30 (flatten ()))) (append (cons 10 (cons 20 empty)) (cons 30 empty)) (cons 10 (cons 20 (cons 30 empty))) CS 135 Winter : Trees 86

87 Goals of this module You should be familiar with tree terminology. You should understand the data definitions for binary arithmetic expressions, evolution trees, and binary search trees, understand how the templates are derived from those definitions, and how to use the templates to write functions that consume those types of data. You should understand the definition of a binary search tree and its ordering property. CS 135 Winter : Trees 87

88 You should be able to write functions which consume binary search trees, including those sketched (but not developed fully) in lecture. You should be able to develop and use templates for other binary trees, not necessarily presented in lecture. You should understand the idea of mutual recursion for both examples given in lecture and new ones that might be introduced in lab, assignments, or exams. You should be able to develop templates from mutually recursive data definitions, and to write functions using the templates. CS 135 Winter : Trees 88

Trees. Binary arithmetic expressions. Visualizing binary arithmetic expressions. ((2 6) + (5 2))/(5 3) can be defined in terms of two smaller

Trees. Binary arithmetic expressions. Visualizing binary arithmetic expressions. ((2 6) + (5 2))/(5 3) can be defined in terms of two smaller Trees Readings: HtDP, sections 14, 15, 16. We will cover the ideas in the text using different examples and different terminology. The readings are still important as an additional source of examples.

More information

Trees. Example: Binary expression trees. Example: Evolution trees. Readings: HtDP, sections 14, 15, 16.

Trees. Example: Binary expression trees. Example: Evolution trees. Readings: HtDP, sections 14, 15, 16. Trees Readings: HtDP, sections 14, 15, 16. We will cover the ideas in the text using different examples and different terminology. The readings are still important as an additional source of examples.

More information

Module 9: Binary trees

Module 9: Binary trees Module 9: Binary trees Readings: HtDP, Section 14 We will cover the ideas in the text using different examples and different terminology. The readings are still important as an additional source of examples.

More information

Module 8: Binary trees

Module 8: Binary trees Module 8: Binary trees Readings: HtDP, Section 14 We will cover the ideas in the text using different examples and different terminology. The readings are still important as an additional source of examples.

More information

Module 10: General trees

Module 10: General trees Module 10: General trees Readings: HtDP, Sections 15 and 16 CS 115 Winter 2019 10: General trees 1 General trees Binary trees can be used for a large variety of application areas. One limitation is the

More information

CS115 - Module 10 - General Trees

CS115 - Module 10 - General Trees Fall 2017 Reminder: if you have not already, ensure you: Read How to Design Programs, Sections 15 and 16. Arithmetic Expressions Recall with binary trees we could represent an expression containing binary

More information

Module 9: Trees. If you have not already, make sure you. Read How to Design Programs Sections 14, 15, CS 115 Module 9: Trees

Module 9: Trees. If you have not already, make sure you. Read How to Design Programs Sections 14, 15, CS 115 Module 9: Trees Module 9: Trees If you have not already, make sure you Read How to Design Programs Sections 14, 15, 16. 1 CS 115 Module 9: Trees Mathematical Expressions We are going to discuss how to represent mathematical

More information

CS115 - Module 8 - Binary trees

CS115 - Module 8 - Binary trees Fall 2017 Reminder: if you have not already, ensure you: Read How to Design Programs, Section 14. Binary arithmetic expressions Operators such as +,,, and take two arguments, so we call them binary operators.

More information

CS 135 Winter 2018 Tutorial 7: Accumulative Recursion and Binary Trees. CS 135 Winter 2018 Tutorial 7: Accumulative Recursion and Binary Trees 1

CS 135 Winter 2018 Tutorial 7: Accumulative Recursion and Binary Trees. CS 135 Winter 2018 Tutorial 7: Accumulative Recursion and Binary Trees 1 CS 135 Winter 2018 Tutorial 7: Accumulative Recursion and Binary Trees CS 135 Winter 2018 Tutorial 7: Accumulative Recursion and Binary Trees 1 Goals of this tutorial You should be able to... understand

More information

Working with recursion

Working with recursion Working with recursion Readings: HtDP, sections 11, 12, 13 (Intermezzo 2). We can extend the idea of a self-referential definition to defining the natural numbers, which leads to the use of recursion in

More information

Working with recursion. From definition to template. Readings: HtDP, sections 11, 12, 13 (Intermezzo 2).

Working with recursion. From definition to template. Readings: HtDP, sections 11, 12, 13 (Intermezzo 2). Working with recursion Readings: HtDP, sections 11, 12, 13 (Intermezzo 2). We can extend the idea of a self-referential definition to defining the natural numbers, which leads to the use of recursion in

More information

Functional abstraction. What is abstraction? Eating apples. Readings: HtDP, sections Language level: Intermediate Student With Lambda

Functional abstraction. What is abstraction? Eating apples. Readings: HtDP, sections Language level: Intermediate Student With Lambda Functional abstraction Readings: HtDP, sections 19-24. Language level: Intermediate Student With Lambda different order used in lecture section 24 material introduced much earlier sections 22, 23 not covered

More information

Functional abstraction

Functional abstraction Functional abstraction Readings: HtDP, sections 19-24. Language level: Intermediate Student With Lambda different order used in lecture section 24 material introduced much earlier sections 22, 23 not covered

More information

Local definitions and lexical scope

Local definitions and lexical scope Local definitions and lexical scope Readings: HtDP, Intermezzo 3 (Section 18). Language level: Intermediate Student CS 135 Winter 2018 09: Local definitions and lexical scope 1 Local definitions The functions

More information

Local definitions and lexical scope. Local definitions. Motivating local definitions. s(s a)(s b)(s c), where s = (a + b + c)/2.

Local definitions and lexical scope. Local definitions. Motivating local definitions. s(s a)(s b)(s c), where s = (a + b + c)/2. Local definitions and lexical scope Readings: HtDP, Intermezzo 3 (Section 18). Language level: Intermediate Student CS 135 Winter 2018 09: Local definitions and lexical scope 1 Local definitions The functions

More information

Graphs. Directed graphs. Readings: Section 28

Graphs. Directed graphs. Readings: Section 28 Graphs Readings: Section 28 CS 135 Winter 2018 12: Graphs 1 Directed graphs A directed graph consists of a collection of vertices (also called nodes) together with a collection of edges. An edge is an

More information

Types of recursion. Readings: none. In this module: a glimpse of non-structural recursion. CS 135 Winter : Types of recursion 1

Types of recursion. Readings: none. In this module: a glimpse of non-structural recursion. CS 135 Winter : Types of recursion 1 Types of recursion Readings: none. In this module: a glimpse of non-structural recursion CS 135 Winter 2018 07: Types of recursion 1 Structural vs. general recursion All of the recursion we have done to

More information

Module 5: Lists. Readings: HtDP, Sections 9, 10.

Module 5: Lists. Readings: HtDP, Sections 9, 10. Module 5: Lists Readings: HtDP, Sections 9, 10. Lists are the main tool used in Racket to work with unbounded data. As with conditional expressions and structures, the data definition for lists leads naturally

More information

Types of recursion. Structural vs. general recursion. Pure structural recursion. Readings: none. In this module: learn to use accumulative recursion

Types of recursion. Structural vs. general recursion. Pure structural recursion. Readings: none. In this module: learn to use accumulative recursion Types of recursion Readings: none. In this module: learn to use accumulative recursion learn to recognize generative recursion CS 135 Fall 2018 07: Types of recursion 1 Structural vs. general recursion

More information

Graphs. Readings: Section 28. CS 135 Fall : Graphs 1

Graphs. Readings: Section 28. CS 135 Fall : Graphs 1 Graphs Readings: Section 28 CS 135 Fall 2018 12: Graphs 1 Directed graphs A directed graph consists of a collection of vertices (also called nodes) together with a collection of edges. An edge is an ordered

More information

Assignment: 7. Due: Language level: Allowed recursion:

Assignment: 7. Due: Language level: Allowed recursion: Assignment: 7 Due: Language level: Allowed recursion: CS 135 Winter 2018 Graham, Nijjar Tuesday, March 13th, 2018 9:00pm Beginning Student with List Abbreviations Pure Structural and Structural Recursion

More information

Lists. Readings: HtDP, sections 9 and 10. Avoid 10.3 (uses draw.ss). CS 135 Winter : Lists 1

Lists. Readings: HtDP, sections 9 and 10. Avoid 10.3 (uses draw.ss). CS 135 Winter : Lists 1 Lists Readings: HtDP, sections 9 and 10. Avoid 10.3 (uses draw.ss). CS 135 Winter 2018 05: Lists 1 Introducing lists Structures are useful for representing a fixed amount of data. But there are many circumstances

More information

Use recursion to write a function that duplicates the following function: (def (f L) (map (lambda (x) (+ (sqr x) x)) L))

Use recursion to write a function that duplicates the following function: (def (f L) (map (lambda (x) (+ (sqr x) x)) L)) Write a function (multiply-each L n). It consumes a (listof Num) and a Num, and returns the list containing all the values in L, each multiplied by n. (multiply-each (list 2 3 5) 4) => (list 8 12 20) Write

More information

CS 135 Winter 2018 Tutorial 8: Mutual recursion, nested lists, and local. CS 135 Winter 2018 Tutorial 8: Mutual recursion, nested lists, and local 1

CS 135 Winter 2018 Tutorial 8: Mutual recursion, nested lists, and local. CS 135 Winter 2018 Tutorial 8: Mutual recursion, nested lists, and local 1 CS 135 Winter 2018 Tutorial 8: Mutual recursion, nested lists, and local CS 135 Winter 2018 Tutorial 8: Mutual recursion, nested lists, and local 1 Goals of this tutorial You should be able to... write

More information

CS 135 Fall 2018 Final Exam Review. CS 135 Fall 2018 Final Exam Review 1

CS 135 Fall 2018 Final Exam Review. CS 135 Fall 2018 Final Exam Review 1 CS 135 Fall 2018 Final Exam Review CS 135 Fall 2018 Final Exam Review 1 Final Exam Information The final exam will be held on Saturday, December 15 th 9:00AM - 11:30AM in the PAC Check your exam seating

More information

Module 8: Local and functional abstraction

Module 8: Local and functional abstraction Module 8: Local and functional abstraction Readings: HtDP, Intermezzo 3 (Section 18); Sections 19-23. We will cover material on functional abstraction in a somewhat different order than the text. We will

More information

Data Structures and Algorithms

Data Structures and Algorithms Data Structures and Algorithms CS245-2008S-19 B-Trees David Galles Department of Computer Science University of San Francisco 19-0: Indexing Operations: Add an element Remove an element Find an element,

More information

Generative and accumulative recursion. What is generative recursion? Example revisited: GCD. Readings: Sections 25, 26, 27, 30, 31

Generative and accumulative recursion. What is generative recursion? Example revisited: GCD. Readings: Sections 25, 26, 27, 30, 31 Generative and accumulative recursion Readings: Sections 25, 26, 27, 30, 31 Some subsections not explicitly covered in lecture Section 27.2 technique applied to strings CS 135 Fall 2017 11: Generative

More information

How to Design Programs

How to Design Programs How to Design Programs How to (in Racket): represent data variants trees and lists write functions that process the data See also http://www.htdp.org/ 1 Running Example: GUIs Pick a fruit: Apple Banana

More information

Problem 1: Binary Trees: Flatten

Problem 1: Binary Trees: Flatten Problem 1: Binary Trees: Flatten Recall the data definition for binary trees: A binary-tree is either: #f (make-bt val left right) where val is a number, and left and right are binary-trees. (define-struct

More information

CS 115 Lecture Notes Winter 2019

CS 115 Lecture Notes Winter 2019 CS 115 Lecture Notes Winter 2019 Collin Roberts January 8, 2019 Contents 1 Lecture 01 6 1.1 Administrivia........................... 6 1.2 Introduction to CS 115 - Course Website and Slides 1-9.... 6 1.3

More information

Binary Trees

Binary Trees Binary Trees 4-7-2005 Opening Discussion What did we talk about last class? Do you have any code to show? Do you have any questions about the assignment? What is a Tree? You are all familiar with what

More information

CS61A Notes 02b Fake Plastic Trees. 2. (cons ((1 a) (2 o)) (3 g)) 3. (list ((1 a) (2 o)) (3 g)) 4. (append ((1 a) (2 o)) (3 g))

CS61A Notes 02b Fake Plastic Trees. 2. (cons ((1 a) (2 o)) (3 g)) 3. (list ((1 a) (2 o)) (3 g)) 4. (append ((1 a) (2 o)) (3 g)) CS61A Notes 02b Fake Plastic Trees Box and Pointer Diagrams QUESTIONS: Evaluate the following, and draw a box-and-pointer diagram for each. (Hint: It may be easier to draw the box-and-pointer diagram first.)

More information

Programming II (CS300)

Programming II (CS300) 1 Programming II (CS300) Chapter 11: Binary Search Trees MOUNA KACEM mouna@cs.wisc.edu Fall 2018 General Overview of Data Structures 2 Introduction to trees 3 Tree: Important non-linear data structure

More information

CSE 214 Computer Science II Introduction to Tree

CSE 214 Computer Science II Introduction to Tree CSE 214 Computer Science II Introduction to Tree Fall 2017 Stony Brook University Instructor: Shebuti Rayana shebuti.rayana@stonybrook.edu http://www3.cs.stonybrook.edu/~cse214/sec02/ Tree Tree is a non-linear

More information

User-defined Functions. Conditional Expressions in Scheme

User-defined Functions. Conditional Expressions in Scheme User-defined Functions The list (lambda (args (body s to a function with (args as its argument list and (body as the function body. No quotes are needed for (args or (body. (lambda (x (+ x 1 s to the increment

More information

A set of nodes (or vertices) with a single starting point

A set of nodes (or vertices) with a single starting point Binary Search Trees Understand tree terminology Understand and implement tree traversals Define the binary search tree property Implement binary search trees Implement the TreeSort algorithm 2 A set of

More information

Chapter 20: Binary Trees

Chapter 20: Binary Trees Chapter 20: Binary Trees 20.1 Definition and Application of Binary Trees Definition and Application of Binary Trees Binary tree: a nonlinear linked list in which each node may point to 0, 1, or two other

More information

Linked Data Structures. Linked lists. Readings: CP:AMA The primary goal of this section is to be able to use linked lists and trees.

Linked Data Structures. Linked lists. Readings: CP:AMA The primary goal of this section is to be able to use linked lists and trees. Linked Data Structures Readings: CP:AMA 17.5 The primary goal of this section is to be able to use linked lists and trees. CS 136 Winter 2018 11: Linked Data Structures 1 Linked lists Racket s list type

More information

CS F-11 B-Trees 1

CS F-11 B-Trees 1 CS673-2016F-11 B-Trees 1 11-0: Binary Search Trees Binary Tree data structure All values in left subtree< value stored in root All values in the right subtree>value stored in root 11-1: Generalizing BSTs

More information

CS115 - Module 9 - filter, map, and friends

CS115 - Module 9 - filter, map, and friends Fall 2017 Reminder: if you have not already, ensure you: Read How to Design Programs, Intermezzo 3 (Section 18); Sections 19-23. Abstraction abstraction, n. 3a.... The process of isolating properties or

More information

Binary Trees, Binary Search Trees

Binary Trees, Binary Search Trees Binary Trees, Binary Search Trees Trees Linear access time of linked lists is prohibitive Does there exist any simple data structure for which the running time of most operations (search, insert, delete)

More information

Module 3: New types of data

Module 3: New types of data Module 3: New types of data Readings: Sections 4 and 5 of HtDP. A Racket program applies functions to values to compute new values. These new values may in turn be supplied as arguments to other functions.

More information

INF2220: algorithms and data structures Series 1

INF2220: algorithms and data structures Series 1 Universitetet i Oslo Institutt for Informatikk A. Maus, R.K. Runde, I. Yu INF2220: algorithms and data structures Series 1 Topic Trees & estimation of running time (Exercises with hints for solution) Issued:

More information

CS115 - Module 4 - Compound data: structures

CS115 - Module 4 - Compound data: structures Fall 2017 Reminder: if you have not already, ensure you: Read How to Design Programs, sections 6-7, omitting 6.2, 6.6, 6.7, and 7.4. Compound data It often comes up that we wish to join several pieces

More information

CS301 - Data Structures Glossary By

CS301 - Data Structures Glossary By CS301 - Data Structures Glossary By Abstract Data Type : A set of data values and associated operations that are precisely specified independent of any particular implementation. Also known as ADT Algorithm

More information

SFU CMPT Lecture: Week 9

SFU CMPT Lecture: Week 9 SFU CMPT-307 2008-2 1 Lecture: Week 9 SFU CMPT-307 2008-2 Lecture: Week 9 Ján Maňuch E-mail: jmanuch@sfu.ca Lecture on July 8, 2008, 5.30pm-8.20pm SFU CMPT-307 2008-2 2 Lecture: Week 9 Binary search trees

More information

Scheme Basics > (butfirst '(help!)) ()

Scheme Basics > (butfirst '(help!)) () Scheme Basics > (butfirst '(help!)) () [The butfirst of a *sentence* containing one word is all but that word, i.e., the empty sentence. (BUTFIRST 'HELP!) without the inner parentheses would be butfirst

More information

Uses for Trees About Trees Binary Trees. Trees. Seth Long. January 31, 2010

Uses for Trees About Trees Binary Trees. Trees. Seth Long. January 31, 2010 Uses for About Binary January 31, 2010 Uses for About Binary Uses for Uses for About Basic Idea Implementing Binary Example: Expression Binary Search Uses for Uses for About Binary Uses for Storage Binary

More information

1 of 5 5/11/2006 12:10 AM CS 61A Spring 2006 Midterm 2 solutions 1. Box and pointer. Note: Please draw actual boxes, as in the book and the lectures, not XX and X/ as in these ASCII-art solutions. Also,

More information

CS 171: Introduction to Computer Science II. Binary Search Trees

CS 171: Introduction to Computer Science II. Binary Search Trees CS 171: Introduction to Computer Science II Binary Search Trees Binary Search Trees Symbol table applications BST definitions and terminologies Search and insert Traversal Ordered operations Delete Symbol

More information

Linked Data Structures. Linked lists. Readings: CP:AMA The primary goal of this section is to be able to use linked lists and trees.

Linked Data Structures. Linked lists. Readings: CP:AMA The primary goal of this section is to be able to use linked lists and trees. Linked Data Structures Readings: CP:AMA 17.5 The primary goal of this section is to be able to use linked lists and trees. CS 136 Fall 2018 11: Linked Data Structures 1 Linked lists Racket s list type

More information

CSE341 Autumn 2017, Final Examination December 12, 2017

CSE341 Autumn 2017, Final Examination December 12, 2017 CSE341 Autumn 2017, Final Examination December 12, 2017 Please do not turn the page until 2:30. Rules: The exam is closed-book, closed-note, etc. except for both sides of one 8.5x11in piece of paper. Please

More information

Functional Programming. Pure Functional Programming

Functional Programming. Pure Functional Programming Functional Programming Pure Functional Programming Computation is largely performed by applying functions to values. The value of an expression depends only on the values of its sub-expressions (if any).

More information

Friday Four Square! 4:15PM, Outside Gates

Friday Four Square! 4:15PM, Outside Gates Binary Search Trees Friday Four Square! 4:15PM, Outside Gates Implementing Set On Monday and Wednesday, we saw how to implement the Map and Lexicon, respectively. Let's now turn our attention to the Set.

More information

HIERARCHICAL DATA What is a Tree? How is it different from a Deep List? When would you use one over the other?

HIERARCHICAL DATA What is a Tree? How is it different from a Deep List? When would you use one over the other? HIERARCHICAL DATA 5 COMPUTER SCIENCE 61AS Concepts and Definitions 1. What is a Tree? How is it different from a Deep List? When would you use one over the other? A Tree is an Abstract Data Type composed

More information

An undirected graph is a tree if and only of there is a unique simple path between any 2 of its vertices.

An undirected graph is a tree if and only of there is a unique simple path between any 2 of its vertices. Trees Trees form the most widely used subclasses of graphs. In CS, we make extensive use of trees. Trees are useful in organizing and relating data in databases, file systems and other applications. Formal

More information

Maps; Binary Search Trees

Maps; Binary Search Trees Maps; Binary Search Trees PIC 10B Friday, May 20, 2016 PIC 10B Maps; Binary Search Trees Friday, May 20, 2016 1 / 24 Overview of Lecture 1 Maps 2 Binary Search Trees 3 Questions PIC 10B Maps; Binary Search

More information

Intro. Scheme Basics. scm> 5 5. scm>

Intro. Scheme Basics. scm> 5 5. scm> Intro Let s take some time to talk about LISP. It stands for LISt Processing a way of coding using only lists! It sounds pretty radical, and it is. There are lots of cool things to know about LISP; if

More information

BST Implementation. Data Structures. Lecture 4 Binary search trees (BST) Dr. Mahmoud Attia Sakr University of Ain Shams

BST Implementation. Data Structures. Lecture 4 Binary search trees (BST) Dr. Mahmoud Attia Sakr University of Ain Shams Lecture 4 Binary search trees (BST) Dr. Mahmoud Attia Sakr mahmoud.sakr@cis.asu.edu.eg Cairo, Egypt, October 2012 Binary Search Trees (BST) 1. Hierarchical data structure with a single reference to root

More information

V Advanced Data Structures

V Advanced Data Structures V Advanced Data Structures B-Trees Fibonacci Heaps 18 B-Trees B-trees are similar to RBTs, but they are better at minimizing disk I/O operations Many database systems use B-trees, or variants of them,

More information

The design recipe. Readings: HtDP, sections 1-5. (ordering of topics is different in lectures, different examples will be used)

The design recipe. Readings: HtDP, sections 1-5. (ordering of topics is different in lectures, different examples will be used) The design recipe Readings: HtDP, sections 1-5 (ordering of topics is different in lectures, different examples will be used) Survival and Style Guides CS 135 Winter 2018 02: The design recipe 1 Programs

More information

2-3 Tree. Outline B-TREE. catch(...){ printf( "Assignment::SolveProblem() AAAA!"); } ADD SLIDES ON DISJOINT SETS

2-3 Tree. Outline B-TREE. catch(...){ printf( Assignment::SolveProblem() AAAA!); } ADD SLIDES ON DISJOINT SETS Outline catch(...){ printf( "Assignment::SolveProblem() AAAA!"); } Balanced Search Trees 2-3 Trees 2-3-4 Trees Slide 4 Why care about advanced implementations? Same entries, different insertion sequence:

More information

Figure 4.1: The evolution of a rooted tree.

Figure 4.1: The evolution of a rooted tree. 106 CHAPTER 4. INDUCTION, RECURSION AND RECURRENCES 4.6 Rooted Trees 4.6.1 The idea of a rooted tree We talked about how a tree diagram helps us visualize merge sort or other divide and conquer algorithms.

More information

CSE 100 Advanced Data Structures

CSE 100 Advanced Data Structures CSE 100 Advanced Data Structures Overview of course requirements Outline of CSE 100 topics Review of trees Helpful hints for team programming Information about computer accounts Page 1 of 25 CSE 100 web

More information

Trees. Eric McCreath

Trees. Eric McCreath Trees Eric McCreath 2 Overview In this lecture we will explore: general trees, binary trees, binary search trees, and AVL and B-Trees. 3 Trees Trees are recursive data structures. They are useful for:

More information

Algorithms in Systems Engineering ISE 172. Lecture 16. Dr. Ted Ralphs

Algorithms in Systems Engineering ISE 172. Lecture 16. Dr. Ted Ralphs Algorithms in Systems Engineering ISE 172 Lecture 16 Dr. Ted Ralphs ISE 172 Lecture 16 1 References for Today s Lecture Required reading Sections 6.5-6.7 References CLRS Chapter 22 R. Sedgewick, Algorithms

More information

Algorithms. Deleting from Red-Black Trees B-Trees

Algorithms. Deleting from Red-Black Trees B-Trees Algorithms Deleting from Red-Black Trees B-Trees Recall the rules for BST deletion 1. If vertex to be deleted is a leaf, just delete it. 2. If vertex to be deleted has just one child, replace it with that

More information

(Provisional) Lecture 08: List recursion and recursive diagrams 10:00 AM, Sep 22, 2017

(Provisional) Lecture 08: List recursion and recursive diagrams 10:00 AM, Sep 22, 2017 Integrated Introduction to Computer Science Hughes (Provisional) Lecture 08: List recursion and recursive diagrams 10:00 AM, Sep 22, 2017 Contents 1 Announcements 1 2 Evaluation Correction 1 3 Lists 2

More information

Typed Racket: Racket with Static Types

Typed Racket: Racket with Static Types Typed Racket: Racket with Static Types Version 5.0.2 Sam Tobin-Hochstadt November 6, 2010 Typed Racket is a family of languages, each of which enforce that programs written in the language obey a type

More information

Trees. Chapter 6. strings. 3 Both position and Enumerator are similar in concept to C++ iterators, although the details are quite different.

Trees. Chapter 6. strings. 3 Both position and Enumerator are similar in concept to C++ iterators, although the details are quite different. Chapter 6 Trees In a hash table, the items are not stored in any particular order in the table. This is fine for implementing Sets and Maps, since for those abstract data types, the only thing that matters

More information

2-3 and Trees. COL 106 Shweta Agrawal, Amit Kumar, Dr. Ilyas Cicekli

2-3 and Trees. COL 106 Shweta Agrawal, Amit Kumar, Dr. Ilyas Cicekli 2-3 and 2-3-4 Trees COL 106 Shweta Agrawal, Amit Kumar, Dr. Ilyas Cicekli Multi-Way Trees A binary search tree: One value in each node At most 2 children An M-way search tree: Between 1 to (M-1) values

More information

V Advanced Data Structures

V Advanced Data Structures V Advanced Data Structures B-Trees Fibonacci Heaps 18 B-Trees B-trees are similar to RBTs, but they are better at minimizing disk I/O operations Many database systems use B-trees, or variants of them,

More information

CSI33 Data Structures

CSI33 Data Structures Outline Department of Mathematics and Computer Science Bronx Community College November 13, 2017 Outline Outline 1 C++ Supplement.1: Trees Outline C++ Supplement.1: Trees 1 C++ Supplement.1: Trees Uses

More information

CSE341 Spring 2017, Final Examination June 8, 2017

CSE341 Spring 2017, Final Examination June 8, 2017 CSE341 Spring 2017, Final Examination June 8, 2017 Please do not turn the page until 8:30. Rules: The exam is closed-book, closed-note, etc. except for both sides of one 8.5x11in piece of paper. Please

More information

CS 310 B-trees, Page 1. Motives. Large-scale databases are stored in disks/hard drives.

CS 310 B-trees, Page 1. Motives. Large-scale databases are stored in disks/hard drives. CS 310 B-trees, Page 1 Motives Large-scale databases are stored in disks/hard drives. Disks are quite different from main memory. Data in a disk are accessed through a read-write head. To read a piece

More information

Computational Optimization ISE 407. Lecture 16. Dr. Ted Ralphs

Computational Optimization ISE 407. Lecture 16. Dr. Ted Ralphs Computational Optimization ISE 407 Lecture 16 Dr. Ted Ralphs ISE 407 Lecture 16 1 References for Today s Lecture Required reading Sections 6.5-6.7 References CLRS Chapter 22 R. Sedgewick, Algorithms in

More information

Why Do We Need Trees?

Why Do We Need Trees? CSE 373 Lecture 6: Trees Today s agenda: Trees: Definition and terminology Traversing trees Binary search trees Inserting into and deleting from trees Covered in Chapter 4 of the text Why Do We Need Trees?

More information

Binary Search Trees. Analysis of Algorithms

Binary Search Trees. Analysis of Algorithms Binary Search Trees Analysis of Algorithms Binary Search Trees A BST is a binary tree in symmetric order 31 Each node has a key and every node s key is: 19 23 25 35 38 40 larger than all keys in its left

More information

11 TREES DATA STRUCTURES AND ALGORITHMS IMPLEMENTATION & APPLICATIONS IMRAN IHSAN ASSISTANT PROFESSOR, AIR UNIVERSITY, ISLAMABAD

11 TREES DATA STRUCTURES AND ALGORITHMS IMPLEMENTATION & APPLICATIONS IMRAN IHSAN ASSISTANT PROFESSOR, AIR UNIVERSITY, ISLAMABAD DATA STRUCTURES AND ALGORITHMS 11 TREES IMPLEMENTATION & APPLICATIONS IMRAN IHSAN ASSISTANT PROFESSOR, AIR UNIVERSITY, ISLAMABAD WWW.IMRANIHSAN.COM LECTURES ADAPTED FROM: DANIEL KANE, NEIL RHODES DEPARTMENT

More information

6.001 Notes: Section 15.1

6.001 Notes: Section 15.1 6.001 Notes: Section 15.1 Slide 15.1.1 Our goal over the next few lectures is to build an interpreter, which in a very basic sense is the ultimate in programming, since doing so will allow us to define

More information

Trees, Part 1: Unbalanced Trees

Trees, Part 1: Unbalanced Trees Trees, Part 1: Unbalanced Trees The first part of this chapter takes a look at trees in general and unbalanced binary trees. The second part looks at various schemes to balance trees and/or make them more

More information

CSC/MAT-220: Lab 6. Due: 11/26/2018

CSC/MAT-220: Lab 6. Due: 11/26/2018 CSC/MAT-220: Lab 6 Due: 11/26/2018 In Lab 2 we discussed value and type bindings. Recall, value bindings bind a value to a variable and are intended to be static for the life of a program. Type bindings

More information

B-Trees. Based on materials by D. Frey and T. Anastasio

B-Trees. Based on materials by D. Frey and T. Anastasio B-Trees Based on materials by D. Frey and T. Anastasio 1 Large Trees n Tailored toward applications where tree doesn t fit in memory q operations much faster than disk accesses q want to limit levels of

More information

Trees. (Trees) Data Structures and Programming Spring / 28

Trees. (Trees) Data Structures and Programming Spring / 28 Trees (Trees) Data Structures and Programming Spring 2018 1 / 28 Trees A tree is a collection of nodes, which can be empty (recursive definition) If not empty, a tree consists of a distinguished node r

More information

Discussion 2C Notes (Week 8, February 25) TA: Brian Choi Section Webpage:

Discussion 2C Notes (Week 8, February 25) TA: Brian Choi Section Webpage: Discussion 2C Notes (Week 8, February 25) TA: Brian Choi (schoi@cs.ucla.edu) Section Webpage: http://www.cs.ucla.edu/~schoi/cs32 Trees Definitions Yet another data structure -- trees. Just like a linked

More information

CS 234. Module 8. November 15, CS 234 Module 8 ADT Priority Queue 1 / 22

CS 234. Module 8. November 15, CS 234 Module 8 ADT Priority Queue 1 / 22 CS 234 Module 8 November 15, 2018 CS 234 Module 8 ADT Priority Queue 1 / 22 ADT Priority Queue Data: (key, element pairs) where keys are orderable but not necessarily distinct, and elements are any data.

More information

March 20/2003 Jayakanth Srinivasan,

March 20/2003 Jayakanth Srinivasan, Definition : A simple graph G = (V, E) consists of V, a nonempty set of vertices, and E, a set of unordered pairs of distinct elements of V called edges. Definition : In a multigraph G = (V, E) two or

More information

Lists of Lists. CS 5010 Program Design Paradigms Bootcamp Lesson 5.3

Lists of Lists. CS 5010 Program Design Paradigms Bootcamp Lesson 5.3 Lists of Lists CS 5010 Program Design Paradigms Bootcamp Lesson 5.3 Mitchell Wand, 2012-2017 This work is licensed under a Creative Commons Attribution-NonCommercial 4.0 International License. 1 Learning

More information

CS115 - Module 3 - Booleans, Conditionals, and Symbols

CS115 - Module 3 - Booleans, Conditionals, and Symbols Fall 2017 Reminder: if you have not already, ensure you: Read How to Design Programs, sections 4-5 Booleans (Bool) , and = are new functions, each of which produces a boolean value (Bool). (< 4 6)

More information

CSCI Trees. Mark Redekopp David Kempe

CSCI Trees. Mark Redekopp David Kempe CSCI 104 2-3 Trees Mark Redekopp David Kempe Trees & Maps/Sets C++ STL "maps" and "sets" use binary search trees internally to store their keys (and values) that can grow or contract as needed This allows

More information

Tree Travsersals and BST Iterators

Tree Travsersals and BST Iterators Tree Travsersals and BST Iterators PIC 10B May 25, 2016 PIC 10B Tree Travsersals and BST Iterators May 25, 2016 1 / 17 Overview of Lecture 1 Sorting a BST 2 In-Order Travsersal 3 Pre-Order Traversal 4

More information

2.2 Syntax Definition

2.2 Syntax Definition 42 CHAPTER 2. A SIMPLE SYNTAX-DIRECTED TRANSLATOR sequence of "three-address" instructions; a more complete example appears in Fig. 2.2. This form of intermediate code takes its name from instructions

More information

! Tree: set of nodes and directed edges. ! Parent: source node of directed edge. ! Child: terminal node of directed edge

! Tree: set of nodes and directed edges. ! Parent: source node of directed edge. ! Child: terminal node of directed edge Trees & Heaps Week 12 Gaddis: 20 Weiss: 21.1-3 CS 5301 Fall 2018 Jill Seaman!1 Tree: non-recursive definition! Tree: set of nodes and directed edges - root: one node is distinguished as the root - Every

More information

CSI33 Data Structures

CSI33 Data Structures Outline Department of Mathematics and Computer Science Bronx Community College October 19, 2016 Outline Outline 1 Chapter 7: Trees Outline Chapter 7: Trees 1 Chapter 7: Trees Uses Of Trees Chapter 7: Trees

More information

Lec 17 April 8. Topics: binary Trees expression trees. (Chapter 5 of text)

Lec 17 April 8. Topics: binary Trees expression trees. (Chapter 5 of text) Lec 17 April 8 Topics: binary Trees expression trees Binary Search Trees (Chapter 5 of text) Trees Linear access time of linked lists is prohibitive Heap can t support search in O(log N) time. (takes O(N)

More information

TREES. Trees - Introduction

TREES. Trees - Introduction TREES Chapter 6 Trees - Introduction All previous data organizations we've studied are linear each element can have only one predecessor and successor Accessing all elements in a linear sequence is O(n)

More information

The syntax and semantics of Beginning Student

The syntax and semantics of Beginning Student The syntax and semantics of Beginning Student Readings: HtDP, Intermezzo 1 (Section 8). We are covering the ideas of section 8, but not the parts of it dealing with section 6/7 material (which will come

More information

The syntax and semantics of Beginning Student

The syntax and semantics of Beginning Student The syntax and semantics of Beginning Student Readings: HtDP, Intermezzo 1 (Section 8). We are covering the ideas of section 8, but not the parts of it dealing with section 6/7 material (which will come

More information

Lists. CS 5010 Program Design Paradigms Bootcamp Lesson 4.1

Lists. CS 5010 Program Design Paradigms Bootcamp Lesson 4.1 Lists CS 5010 Program Design Paradigms Bootcamp Lesson 4.1 Mitchell Wand, 2012-2017 This work is licensed under a Creative Commons Attribution-NonCommercial 4.0 International License. 1 Module 04 Basic

More information