zoukankan      html  css  js  c++  java
  • Convert Sorted List to Binary Search Tree

    https://leetcode.com/problems/convert-sorted-list-to-binary-search-tree/#/description

    跟数组那题没有什么本质区别,唯一的障碍是,在数组里因为长度已知,所以求中位数很方便。但是链表里找中位数就麻烦一点了。

    快慢指针再一次登场了,快指针一次走两步,慢指针一次走一步。那么当快指针走到尽头的时候,慢指针就刚好指在链表的中间。

    function ListNode(val) {
         this.val = val;
         this.next = null;
     }
    
    function TreeNode(val) {
        this.val = val;
        this.left = this.right = null;
    }
    
    /**
     * @param {ListNode} head
     * @return {TreeNode}
     */
    var sortedListToBST = function(head) {
    
        return ct(head, null);    
    };
    
    function ct(head, tail) {
        if (!head) return null;
        if (head == tail) {return null;}
    
        var mid = head;
        var fast = head;
        while (fast.next !== tail && fast.next.next !== tail) {
            mid  = mid.next;
            fast = fast.next.next;
        }
        var root = new TreeNode(mid.val);
        root.left = ct(head, mid);
        root.right = ct(mid.next, tail);
        return root;
    }
    
    
  • 相关阅读:
    Oracle ASH报告生成和性能分析
    Oracle AWR报告生成和性能分析
    oracle和mysql批量合并对比
    Oracle
    Delphi
    Delphi
    Delphi
    Delphi
    Delphi
    Delphi
  • 原文地址:https://www.cnblogs.com/agentgamer/p/6963372.html
Copyright © 2011-2022 走看看