給出一個(gè)所有元素以升序排序的單鏈表堂淡,將它轉(zhuǎn)換成一棵高度平衡的二分查找樹(shù)
您在真實(shí)的面試中是否遇到過(guò)這個(gè)題天吓? Yes
樣例
思路:
這個(gè)題目本質(zhì)上就是一個(gè)找中間值的過(guò)程鲫凶。原型就是題目的示例那樣许布。不斷地找中間值。root箍铭。
利用遞歸的思想泊柬,再將中間值拆分,再(左邊的鏈接)這個(gè)中間值(root->left)诈火。然后中間值->next(右邊的鏈表)的中間值(root->right)兽赁。
每次遞歸直接返回root。
/**
* Definition for ListNode.
* public class ListNode {
* int val;
* ListNode next;
* ListNode(int val) {
* this.val = val;
* this.next = null;
* }
* }
* Definition of TreeNode:
* public class TreeNode {
* public int val;
* public TreeNode left, right;
* public TreeNode(int val) {
* this.val = val;
* this.left = this.right = null;
* }
* }
*/
public class Solution {
/**
* @param head: The first node of linked list.
* @return: a tree node
*/
public TreeNode sortedListToBST(ListNode head) {
// write your code here
//采用遞歸的算法冷守,先算出最簡(jiǎn)單的三個(gè)刀崖。
int count=0;
ListNode l=head;
while(l!=null)
{
l=l.next;
count++;
}//求出整個(gè)個(gè)數(shù)
if(count==0)
return null;
if(count==1)
return new TreeNode(head.val);
int mid=count/2;//中間值
ListNode l1=head;
int left=0;
while(left<mid)
{
l1=l1.next;
left++;
}
ListNode pre=head;
while(pre.next!=l1)
{
pre=pre.next;
}
pre.next=null;
TreeNode root=new TreeNode(l1.val);
root.right=sortedListToBST(l1.next);
root.left=sortedListToBST(head);
return root;
}
}