/**
基本思路:先利用快慢指针找到链表的中点,将这个中点作为二叉树的根节点。此时链表被中点分为前后两个部分,继续对前后两个部分递归找各部分的中点,将前部分的中点作为根节点的左儿子,后部分的中点作为根节点的右儿子。如此递归下去。
* Definition for singly-linked list.
* struct ListNode {
* int val;
* ListNode *next;
* ListNode(int x) : val(x), next(NULL) {}
* };
*/
/**
* Definition for binary tree
* struct TreeNode {
* int val;
* TreeNode *left;
* TreeNode *right;
* TreeNode(int x) : val(x), left(NULL), right(NULL) {}
* };
*/
class Solution {
public:
TreeNode *sortedListToBST(ListNode *head) {
return toBST(head,NULL);
}
private:
TreeNode *toBST(ListNode *head, ListNode *end){
if(head==end)return NULL;
ListNode *fast,*slow;
fast=slow=head;
while(fast!=end&&fast->next!=end){
slow=slow->next;
fast=fast->next->next;
}
TreeNode *root=new TreeNode(slow->val);//这里创立节点千万不能 TreeNode *root; root->val=slow->val;
//因为这样只是声明了一个节点,而没有分配内存空间。
root->left=toBST(head,slow);
root->right=toBST(slow->next,end);
return root;
}
};