This notebook was prepared by Donne Martin. Source and license info is on GitHub.
Insert will be tested through the following traversal:
If the root
input is None
, return a tree with the only element being the new root node.
You do not have to code the in-order traversal, it is part of the unit test.
Refer to the Solution Notebook. If you are stuck and need a hint, the solution notebook's algorithm discussion might be a good place to start.
class Node(object):
def __init__(self, data):
# TODO: Implement me
pass
class Bst(object):
def insert(self, data):
# TODO: Implement me
pass
The following unit test is expected to fail until you solve the challenge.
%run dfs.py
%run ../utils/results.py
# %load test_bst.py
import unittest
class TestTree(unittest.TestCase):
def __init__(self, *args, **kwargs):
super(TestTree, self).__init__()
self.results = Results()
def test_tree_one(self):
bst = Bst()
bst.insert(5)
bst.insert(2)
bst.insert(8)
bst.insert(1)
bst.insert(3)
in_order_traversal(bst.root, self.results.add_result)
self.assertEqual(str(self.results), '[1, 2, 3, 5, 8]')
self.results.clear_results()
def test_tree_two(self):
bst = Bst()
bst.insert(1)
bst.insert(2)
bst.insert(3)
bst.insert(4)
bst.insert(5)
in_order_traversal(bst.root, self.results.add_result)
self.assertEqual(str(self.results), '[1, 2, 3, 4, 5]')
print('Success: test_tree')
def main():
test = TestTree()
test.test_tree_one()
test.test_tree_two()
if __name__ == '__main__':
main()
Review the Solution Notebook for a discussion on algorithms and code solutions.