Minimum absolute difference in bst
November 1, 2022
treeProblem URL: Minimum absolute difference in bst
We will traverse the tree with inorder traversal, that way we will get a sorted array. We will keep track of the minimum difference between two consecutive elements in the array, return it as the result.
# Definition for a binary tree node.
# class TreeNode:
# def __init__(self, val=0, left=None, right=None):
# self.val = val
# self.left = left
# self.right = right
class Solution:
def getMinimumDifference(self, root: Optional[TreeNode]) -> int:
def dfs(root):
if not root:
return []
return dfs(root.left) + [root.val] + dfs(root.right)
values = dfs(root)
return min(b-a for a, b in zip(values, values[1:]))
Time complexity: O(n)
Space complexity: O(n)