Problem Description
Given the root of a Binary Search Tree (BST), return the minimum difference between the values of any two different nodes in the tree.
Key Insights
- A Binary Search Tree (BST) has the property that for any given node, values in the left subtree are less than the node's value, and values in the right subtree are greater.
- In-order traversal of a BST will yield the values in sorted order.
- The minimum difference between any two nodes will occur between adjacent nodes in this sorted order.
Space and Time Complexity
Time Complexity: O(n), where n is the number of nodes in the tree, since we visit each node once. Space Complexity: O(h), where h is the height of the tree, due to the recursion stack space in a depth-first traversal.
Solution
To find the minimum distance between BST nodes, we can perform an in-order traversal of the tree. This traversal will give us the node values in a sorted order. We simply need to compute the difference between each pair of adjacent values to find the minimum difference.
- Perform an in-order traversal to collect node values in a list.
- Iterate through the list and calculate the differences between adjacent nodes.
- Keep track of the minimum difference found during the iteration.