LeetCode-Python-109. 秩序チェーンテーブル変換ツリー

2351 ワード

要素が昇順にソートされ、高度にバランスのとれた二叉検索ツリーに変換される単一チェーンテーブルが与えられます.
本題では,1つの高さバランスツリーとは,1つのツリーの各ノードの左右2つのサブツリーの高さ差の絶対値が1を超えないことを指す.
例:
       : [-10, -3, 0, 5, 9],

        :[0, -3, 9, -10, null, 5],                   :

      0
     / \
   -3   9
   /   /
 -10  5

最初のメロンの考え方:
LeetCode-Python-108と秩序配列を二叉探索ツリーに変換するのは基本的に同じで,まず配列に変換すればよい.
# Definition for singly-linked list.
# class ListNode(object):
#     def __init__(self, x):
#         self.val = x
#         self.next = None

# Definition for a binary tree node.
# class TreeNode(object):
#     def __init__(self, x):
#         self.val = x
#         self.left = None
#         self.right = None

class Solution(object):
    def sortedListToBST(self, head):
        """
        :type head: ListNode
        :rtype: TreeNode
        """
        if not head:
            return None
        l = list()
        while(head):
            l.append(head.val)
            head = head.next
        
        def sortedArrayToBST(nums):
            if not nums:
                return None

            def dfs(start, end):
                if end < start:
                    return 

                mid = (end + start) // 2
                root = TreeNode(nums[mid])

                root.left = dfs(start, mid - 1)
                root.right = dfs(mid + 1, end)

                return root

            return dfs(0, len(nums) - 1)
        
        return sortedArrayToBST(l)
            
        
        

2つ目の考え方:
チェーンテーブルの中点をスナップポインタで見つけ、ツリーを再帰的に作成します.
class Solution(object):
    def sortedListToBST(self, head):
        """
        :type head: ListNode
        :rtype: TreeNode
        """
        if not head:
            return None
        if not head.next:
            return TreeNode(head.val)
        slow, fast = head, head
        pre = head
        while fast and fast.next:        
            pre = slow
            slow = slow.next
            fast = fast.next.next
            # print slow.val, fast.val, pre.val
        pre.next = None
        part1 = head
        part2 = slow.next
        
        root = TreeNode(slow.val)
        root.left = self.sortedListToBST(part1)
        root.right = self.sortedListToBST(part2)
        return root