leetcode No110. Balanced Binary Tree

Question:


Given a binary tree, determine if it is height-balanced.
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.
한 나무가 AVL인지 아닌지를 판단한다. 즉, 그것은 빈 나무이거나 좌우 두 개의 나무의 높이가 절대 1을 넘지 않고 좌우 두 개의 나무는 모두 균형 있는 두 갈래 나무이다.

Algorithm:


좌우 높이의 차이를 판단하고 좌우 두 개의 하위 나무가 AVL인지 아닌지를 차례로 판단한다

Accepted Code:

/**
 * Definition for a binary tree node.
 * struct TreeNode {
 *     int val;
 *     TreeNode *left;
 *     TreeNode *right;
 *     TreeNode(int x) : val(x), left(NULL), right(NULL) {}
 * };
 */
class Solution {  // 1, AVL
public:
    bool isBalanced(TreeNode* root) {
        if(root==NULL)return true;
        int leftDepth=0;
        int rightDepth=0;
        leftDepth=maxDepth(root->left);
        rightDepth=maxDepth(root->right);
        if(abs(leftDepth-rightDepth)>1)
            return false;
        return isBalanced(root->left)&&isBalanced(root->right);
    }
    int maxDepth(TreeNode* root) {
        int deep=0;
        if(root!=NULL)
        {
            int deep_left = maxDepth(root->left);
            int deep_right = maxDepth(root->right);
            deep = (deep_left > deep_right)?deep_left+1:deep_right+1;
        }
        return deep;
    }
};

좋은 웹페이지 즐겨찾기