| 1234567891011121314151617181920212223242526272829303132333435363738 | 1.1 This simple program implements persistent functional binary searchtrees, so that if tree2-insert(x,tree1), then tree1 is till availablefor lookups even while tree2 can be used.type key = stringdatatype tree = LEAF | TREE of tree * key * treeval empty = LEAFfun insert (key, LEAF) = TREE(LEAF, key, LEAF)  | insert (key, TREE(l,k,r)) =      if key < k        then TREE(insert(key,l),k,r)      else if key > k        then TREE(l,k,insert(key,r))      else TREE(l,key,r)a. implement a `member` function that returns `true` if the item isfound, else `false`b. Extend the program to include not just membership, but the mappingof keys to bindings:datatype 'a tree = ...insert: 'a tree * key * 'a -> 'a treelookup: 'a tree * key -> 'ac. These trees are not balanced; demonstrate the behavior on thefollowing two sequences of insertions:   (a) t s p i p f b s t   (b) a b c d e f g h id*. Research balanced search trees in Sedgewick [1997] and recommend abalanced-tree data structure for functional symbol tables. Hint: Topreserve a functional style, the algorithm should be one thatrebalances on insertion but not on lookup, so a data structure such assplay trees is not appropriate.
 |