Professor Abdul-Quader
Lesson 5
Suppose we are developing a newsfeed app for devices with very small amounts of memory. The app should store links to major news stories as they come in, subject to the following considerations:
Implementation considerations:
Circular Queue Overview video:
Let’s implement a circular queue together (video shows me using an old-style JUnit in IntelliJ).
A tree is a set of nodes with the following relationships:
Idea: if our tree is a balanced, binary search tree, we can hope for \(O(\log n)\) for all operations: insertion, removal, lookups. (Compare to a list structure.)
Idea: a binary search tree has the following property for any node:
This means we can use the “binary search” algorithm on the tree to look for elements.
Generic type needs to implement Comparable: see Lesson 1.
Static inner class:
What does this output if the tree contains the following:
What about if we modified the code to use a pre-order traversal:
What would happen if we used a post-order traversal:
root == null
, create a new node with this data item, and make that the new root.item < root
, recursively insert into the root node’s left subtree.public void insert(T item) {
root = insert(root, item);
}
private TreeNode<T> insert(TreeNode<T> subtree, T item) {
if (subtree == null) {
return new TreeNode<T>(item, null, null);
}
int comparison = item.compareTo(subtree.data);
if (comparison < 0) {
subtree.left = insert(subtree.left, item);
} else if (comparison > 0) {
subtree.right = insert(subtree.right, item);
} // if comparison == 0, then it's a duplicate, we ignore it.
// some tree implementations allow duplicates, then we'd have a decision to make.
return subtree;
}
Implement the contains method. Use a similar paradigm:
int comparison = item.compareTo(subtree.data);
You don’t need to submit this, but think about how you might implement the remove method. It’s a bit more involved, so we can talk about it more next time, but try to think it through yourself. Think about the following questions: