Maximum binary tree II
September 10, 2022
treeProblem URL: Maximum binary tree II
We will run a simple DFS to find the place and insert the new node there.
# 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 insertIntoMaxTree(self, root: Optional[TreeNode], val: int) -> Optional[TreeNode]:
if not root:
return TreeNode(val)
if root.val < val:
return TreeNode(val, left=root)
def dfs(node, parent, val):
if not node or node.val < val:
parent.right = TreeNode(val, left=parent.right)
return
dfs(node.right, node, val)
dfs(root.right, root, val)
return root
Time Complexity: O(n)
Space Complexity: O(n)