zoukankan      html  css  js  c++  java
  • 110. Balanced Binary Tree

    一、题目

      1、审题

      2、分析

        给出一棵二叉树,判断其是否是一棵二叉平衡树。

    二、解答

      1、思路:

        方法一、

          采用递归;

          每次获取 root 结点的左子树、右子树的高度,比较高度差是否小于等于 1;

          同时判断左子树、右子树是否也是二叉平衡树。

    public boolean isBalanced(TreeNode root) {
            if(root == null)
                return true;
    
            int left = getDepthHelper(root.left);
            int right = getDepthHelper(root.right);
            
            return Math.abs(left -  right) <= 1 && isBalanced(root.left) && isBalanced(root.right);
        }
        
    
        private int getDepthHelper(TreeNode root) {
            if(root == null)
                return 0;
            
            return Math.max(getDepthHelper(root.left), getDepthHelper(root.right)) + 1;
        }

      方法二、

        采用深度优先遍历的方式获取深度,并且获取时比较该节点的子树是否平衡,若不平衡,返回 -1,否则返回高度。

    public boolean isBalanced(TreeNode root) {
            return dfsHeight(root) != -1;
        }
        private int dfsHeight(TreeNode root) {
            if(root == null)
                return 0;
            
            int leftHeight = dfsHeight(root.left);
            if(leftHeight == -1) return -1;
            int rightHeight = dfsHeight(root.right);
            if(rightHeight == -1) return -1;
            
            if(Math.abs(leftHeight - rightHeight) > 1) return -1;
            
            return Math.max(leftHeight, rightHeight) + 1;
        }
  • 相关阅读:
    树形结构的数据库表Schema设计-基于左右值编码
    windows下的coreseek安装及PHP调用入门
    C#string详解
    C#(Wpf)实现小键盘
    c#实现任务栏添加控制按钮
    c#解析Lrc歌词文件
    wpf仿QQ之窗体翻转
    C#(wpf)迷你词典
    wpf常见枚举收集
    最新百度音乐api
  • 原文地址:https://www.cnblogs.com/skillking/p/9734889.html
Copyright © 2011-2022 走看看