力扣刷題日記 2020/08/18
阿新 • • 發佈:2020-08-18
給定一個單鏈表,其中的元素按升序排序,將其轉換為高度平衡的二叉搜尋樹。
本題中,一個高度平衡二叉樹是指一個二叉樹每個節點 的左右兩個子樹的高度差的絕對值不超過 1。
示例:
給定的有序連結串列: [-10, -3, 0, 5, 9],
一個可能的答案是:[0, -3, 9, -10, null, 5], 它可以表示下面這個高度平衡二叉搜尋樹:
0
/ \
-3 9
/ /
-10 5
來源:力扣(LeetCode)
連結:https://leetcode-cn.com/problems/convert-sorted-list-to-binary-search-tree
思路:
按照升序排列的單鏈表,我們只需要找到他的中間結點,讓他成為樹的根節點,中間結點前面的就是根節點左子樹的所有節點,中間節點後面的就是根節點右子樹的所有節點,然後使用遞迴的方式再分別對左右子樹進行相同的操作
程式碼如下
public class Test01 { public static void main(String[] args) { ListNode head = new ListNode(-10); ListNode listNode1 = new ListNode(-3); ListNode listNode2 = new ListNode(0); ListNode listNode3 = new ListNode(5); ListNode listNode4 = new ListNode(9); head.next = listNode1; listNode1.next = listNode2; listNode2.next = listNode3; listNode3.next = listNode4; TreeNode1 treeNode1 = Solution.sortedListToBST(head); System.out.println(treeNode1); } } //Definition for singly-linked list.class ListNode { int val; ListNode next; ListNode() { } ListNode(int val) { this.val = val; } ListNode(int val, ListNode next) { this.val = val; this.next = next; } } // * Definition for a binary tree node. class TreeNode1 { int val; TreeNode1 left; TreeNode1 right; TreeNode1() { } TreeNode1(intval) { this.val = val; } TreeNode1(int val, TreeNode1 left, TreeNode1 right) { this.val = val; this.left = left; this.right = right; } } class Solution { public static TreeNode1 sortedListToBST(ListNode head) { //邊界條件的判斷 if (head == null) return null; if (head.next == null) return new TreeNode1(head.val); //這裡通過快慢指標找到連結串列的中間結點slow,pre就是中間 //結點slow的前一個結點 ListNode slow = head, fast = head, pre = null; while (fast != null && fast.next != null) { pre = slow; slow = slow.next; fast = fast.next.next; } //連結串列斷開為兩部分,一部分是node的左子節點,一部分是node //的右子節點 pre.next = null; //node就是當前節點 TreeNode1 node = new TreeNode1(slow.val); //從head節點到pre節點是node左子樹的節點 node.left = sortedListToBST(head); //從slow.next到連結串列的末尾是node的右子樹的結點 node.right = sortedListToBST(slow.next); return node; } }