2018-03-04 02:27:05 +00:00
|
|
|
# Tree_sort algorithm
|
|
|
|
# Build a BST and in order traverse.
|
|
|
|
|
|
|
|
class node():
|
|
|
|
# BST data structure
|
|
|
|
def __init__(self, val):
|
|
|
|
self.val = val
|
|
|
|
self.left = None
|
|
|
|
self.right = None
|
|
|
|
|
|
|
|
def insert(self,val):
|
|
|
|
if self.val:
|
|
|
|
if val < self.val:
|
2018-10-17 21:28:57 +00:00
|
|
|
if self.left is None:
|
2018-03-04 02:27:05 +00:00
|
|
|
self.left = node(val)
|
|
|
|
else:
|
|
|
|
self.left.insert(val)
|
|
|
|
elif val > self.val:
|
2018-10-17 21:28:57 +00:00
|
|
|
if self.right is None:
|
2018-03-04 02:27:05 +00:00
|
|
|
self.right = node(val)
|
|
|
|
else:
|
|
|
|
self.right.insert(val)
|
|
|
|
else:
|
|
|
|
self.val = val
|
|
|
|
|
|
|
|
def inorder(root, res):
|
|
|
|
# Recursive travesal
|
|
|
|
if root:
|
|
|
|
inorder(root.left,res)
|
|
|
|
res.append(root.val)
|
|
|
|
inorder(root.right,res)
|
|
|
|
|
2019-05-25 13:41:24 +00:00
|
|
|
def tree_sort(arr):
|
2018-03-04 02:27:05 +00:00
|
|
|
# Build BST
|
|
|
|
if len(arr) == 0:
|
|
|
|
return arr
|
|
|
|
root = node(arr[0])
|
|
|
|
for i in range(1,len(arr)):
|
|
|
|
root.insert(arr[i])
|
|
|
|
# Traverse BST in order.
|
|
|
|
res = []
|
|
|
|
inorder(root,res)
|
|
|
|
return res
|
|
|
|
|
2019-05-25 13:41:24 +00:00
|
|
|
if __name__ == '__main__':
|
|
|
|
print(tree_sort([10,1,3,2,9,14,13]))
|