博客
关于我
强烈建议你试试无所不能的chatGPT,快点击我
109. Convert Sorted List to Binary Search Tree
阅读量:6371 次
发布时间:2019-06-23

本文共 1816 字,大约阅读时间需要 6 分钟。

Given a singly linked list where elements are sorted in ascending order, convert it to a height balanced BST.

For this problem, a height-balanced binary tree is defined as a binary tree in which the depth of the two subtrees of every node never differ by more than 1.
Example:

Given the sorted linked list: [-10,-3,0,5,9],One possible answer is: [0,-3,9,-10,null,5], which represents the following height balanced BST:      0     / \   -3   9   /   / -10  5

难度:medium

题目:给定一个单链表其元素为升序排列,将其转换成高度平衡的二叉搜索树

思路:中序遍历

Runtime: 1 ms, faster than 99.17% of Java online submissions for Convert Sorted List to Binary Search Tree.

Memory Usage: 41 MB, less than 9.56% of Java online submissions for Convert Sorted List to Binary Search Tree.

/** * Definition for singly-linked list. * public class ListNode { *     int val; *     ListNode next; *     ListNode(int x) { val = x; } * } *//** * Definition for a binary tree node. * public class TreeNode { *     int val; *     TreeNode left; *     TreeNode right; *     TreeNode(int x) { val = x; } * } */class Solution {    public TreeNode sortedListToBST(ListNode head) {        if (null == head) {            return null;        }        ListNode ptr = head;        int count = 0;        for (; ptr != null; ptr = ptr.next, count++);        ListNode[] headList = {head};                return sortedListToBST(headList, 0, count - 1);    }        public TreeNode sortedListToBST(ListNode[] head, int start, int end) {        if (start > end) {            return null;        }        int mid = start + (end - start) / 2;        TreeNode left = sortedListToBST(head, start, mid - 1);        TreeNode root = new TreeNode(head[0].val);        root.left = left;        head[0] = head[0].next;                root.right = sortedListToBST(head, mid + 1, end);        return root;    }}

转载地址:http://gjyqa.baihongyu.com/

你可能感兴趣的文章
China Unicom and Chunghwa Telecom work together&nb
查看>>
Java图片上查找图片算法
查看>>
Python fabric实现远程操作和部署
查看>>
详解Java中staitc关键字
查看>>
前中情局局长:FBI目的是从根本上改善iPhone
查看>>
大隐隐于市,你身边的那些安全隐患你都知道么?
查看>>
物联网市场迅猛发展 “中国芯”如何把握机会?
查看>>
aws 上使用elb 的多域名问题
查看>>
环球花木网的目标就是致力于打造成为“园林相关行业的专业性门户网站
查看>>
《编写高质量代码:改善c程序代码的125个建议》—— 建议14-1:尽量避免对未知的有符号数执行位操作...
查看>>
《C语言编程魔法书:基于C11标准》——2.2 整数在计算机中的表示
查看>>
全球程序员编程水平排行榜TOP50,中国排名第一
查看>>
HDFS 进化,Hadoop 即将拥抱对象存储?
查看>>
Edge 浏览器奇葩 bug:“123456”打印成“114447”
查看>>
Sirius —— 开源版的 Siri ,由 Google 支持
查看>>
《OpenGL ES应用开发实践指南:Android卷》—— 2.7 小结
查看>>
《Windows Server 2012活动目录管理实践》——第 2 章 部署第一台域控制器2.1 案例任务...
查看>>
Java Date Time 教程-时间测量
查看>>
Selector.wakeup实现注记
查看>>
《Java EE 7精粹》—— 第1章 Java EE 1.1 简介
查看>>