预先平衡遍历平衡二叉树

时间:2019-02-15 17:48:56

标签: python-3.x binary-tree binary-search-tree tree-traversal

我正在对由排序数组构成的平衡树进行预排序遍历,但没有得到预期的结果。

我对此事做了很多研究,这是不得已的事情。我尝试了遍历的各种变体(发布和按顺序),这些变体没有产生预期的输出。下面的代码。

import sys


class Node:
    def __init__(self, d):
        self.data = d
        self.left = None
        self.right = None


# function to convert sorted array to a
# balanced BST
# input : sorted array of integers
# output: root node of balanced BST
def sort_array_to_bst(arr):
    if not arr:
        return None

    # find middle
    mid = (len(arr)) / 2
    mid = int(mid)

    # make the middle element the root
    root = Node(arr[mid])

    # left subtree of root has all
    # values <arr[mid]
    root.left = sort_array_to_bst(arr[:mid])

    # right subtree of root has all
    # values >arr[mid]
    root.right = sort_array_to_bst(arr[mid + 1:])
    return root


# A utility function to print the pre-order
# traversal of the BST
def pre_order(node):
    if not node:
        return
    if root:

        sys.stdout.write(str(node.data) + ' ')
        pre_order(node.left)
        #sys.stdout.write(str(node.data) + ' ')
        pre_order(node.right)
        #sys.stdout.write(str(node.data) + ' ')

if __name__ == '__main__':
    arr = []
    for line in sys.stdin.readline().strip().split(" "):
        arr.append(line)
    # arr = [7, 898, 157, 397, 57, 178, 26, 679]
    # Expected Output = 178 57 26 157 679 397 898
    narr = arr[1:]
    narr.sort()
    root = sort_array_to_bst(narr)
    pre_order(root)

通过stdin输入的数组为7 898 157 397 57 178 26 679,预期输出为178 57 26 157 679 397 898。 实际输出为397 178 157 26 679 57 898

1 个答案:

答案 0 :(得分:0)

弄清楚了。数组未正确排序。我将narr.sort()更改为narr = sorted(narr, key=int)。哪个对数组进行了仔细的排序。