LeetCode 43 Convert Sorted List to Binary Search Tree

Given a singly linked list where elements are sorted in ascending order, convert it to a height balanced BST.
분석:
두 갈래 나무를 보고 먼저 돌아가고 싶다.
정렬된 체인 테이블을 균형 두 갈래 나무로 바꾸려면 중간 노드는 루트로 하고 앞뒤 두 단락에 균형 두 갈래 나무를 만들면 된다.
중간 노드를 찾으면 빠르고 느린 지침법을 사용한다.
/**
 * Definition for singly-linked list.
 * public class ListNode {
 *     int val;
 *     ListNode next;
 *     ListNode(int x) { val = x; next = null; }
 * }
 */
/**
 * Definition for binary tree
 * public class TreeNode {
 *     int val;
 *     TreeNode left;
 *     TreeNode right;
 *     TreeNode(int x) { val = x; }
 * }
 */
public class Solution {
    public TreeNode sortedListToBST(ListNode head) {
        return sortedListToBST(head, null);
    }
    private TreeNode sortedListToBST(ListNode head, ListNode tail){
        if(head==null || head==tail)
            return null;
        ListNode fast = head;
        ListNode slow = head;
        while(fast != tail && fast.next != tail){
            fast = fast.next.next;
            slow = slow.next;
        }
        TreeNode root = new TreeNode(slow.val);
        root.left = sortedListToBST(head, slow);
        root.right = sortedListToBST(slow.next, tail);
        return root;
    }
}

좋은 웹페이지 즐겨찾기