Problem Description
Implement the BSTIterator
class that represents an iterator over the in-order traversal of a binary search tree (BST). The class should provide methods to initialize the iterator, check if there are more elements to iterate, and retrieve the next element in the traversal.
Key Insights
- The in-order traversal of a BST visits nodes in ascending order.
- We can use a stack to keep track of the nodes as we traverse the tree.
- The
next()
method should efficiently return the next smallest element, whilehasNext()
checks if there are more elements available.
Space and Time Complexity
Time Complexity:
hasNext()
: O(1)next()
: O(1) on average Space Complexity: O(h), where h is the height of the tree, for storing the stack of nodes.
Solution
To solve the problem, we will implement the BSTIterator
class using a stack to facilitate in-order traversal. The constructor will push all left children of the root onto the stack. The next()
function will pop the top of the stack and push its right child (if it exists) and all its left children onto the stack. The hasNext()
function simply checks if the stack is non-empty.