We use cookies (including Google cookies) to personalize ads and analyze traffic. By continuing to use our site, you accept our Privacy Policy.

All Elements in Two Binary Search Trees

Difficulty: Medium


Problem Description

Given two binary search trees root1 and root2, return a list containing all the integers from both trees sorted in ascending order.


Key Insights

  • Both trees are binary search trees (BST), meaning that for each node, all elements in the left subtree are smaller and all elements in the right subtree are larger.
  • An in-order traversal of a BST yields elements in sorted order.
  • By performing an in-order traversal on both trees, we can retrieve all elements in sorted order and then merge the two sorted lists.

Space and Time Complexity

Time Complexity: O(n + m), where n and m are the number of nodes in root1 and root2, respectively. This accounts for the time taken to traverse both trees and merge the results. Space Complexity: O(n + m) for storing the elements from both trees in separate lists before merging.


Solution

To solve this problem, we can utilize in-order traversal to extract elements from both binary search trees in sorted order. We will then merge the two sorted lists to obtain the final result. The process involves:

  1. Performing in-order traversal on each tree to get two sorted lists.
  2. Merging the two sorted lists into one sorted list.

Code Solutions

def inorder_traversal(root, elements):
    if root:
        inorder_traversal(root.left, elements)
        elements.append(root.val)
        inorder_traversal(root.right, elements)

def getAllElements(root1, root2):
    elements1, elements2 = [], []
    inorder_traversal(root1, elements1)
    inorder_traversal(root2, elements2)
    return merge_sorted_lists(elements1, elements2)

def merge_sorted_lists(list1, list2):
    merged = []
    i, j = 0, 0
    while i < len(list1) and j < len(list2):
        if list1[i] < list2[j]:
            merged.append(list1[i])
            i += 1
        else:
            merged.append(list2[j])
            j += 1
    merged.extend(list1[i:])
    merged.extend(list2[j:])
    return merged
← Back to All Questions