Created
May 2, 2014 20:15
-
-
Save rioshen/e687fc48c789722d5cb4 to your computer and use it in GitHub Desktop.
[leetcode] Convert Sorted Array to Binary Search Tree
This file contains hidden or bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
#!/usr/bin/env python | |
__author__ = 'Rio' | |
class TreeNode: | |
def __init__(self, x): | |
self.val = x | |
self.next = None | |
class Solution: | |
def convert_array_bst(self, num): | |
""" Converts a sorted array to a binary search tree. | |
Approach: | |
Utilizes BST definition - the left node is no greater than | |
the root and right is no less than the root. So the root should be | |
the middle element in the array, left child should be the mid of left | |
half and so on. | |
This pattern is easily to found and works fine using Divide and Conquer. | |
""" | |
if not num: | |
return None | |
return self.build(num, 0, len(num)-1) | |
def build(self, num, start, end): | |
if start > end: | |
return None | |
mid = (start+end) / 2 | |
node = TreeNode(num[mid]) | |
node.left = self.build(num, start, mid-1) | |
node.right = self.build(num, mid+1, end) | |
return node |
Sign up for free
to join this conversation on GitHub.
Already have an account?
Sign in to comment