输入一棵二叉树的根节点,判断该树是不是平衡二叉树。如果某二叉树中任意节点的左右子树的深度相差不超过1,那么它就是一棵平衡二叉树。
示例 1:
给定二叉树 [3,9,20,null,null,15,7] 3 / \ 9 20 / \ 15 7
返回 true 。
示例 2:
给定二叉树 [1,2,2,3,3,null,null,4,4] 1 / \ 2 2 / \ 3 3 / \ 4 4
返回 false 。
限制:
来源:力扣(LeetCode)
链接:https://leetcode-cn.com/problems/ping-heng-er-cha-shu-lcof
著作权归领扣网络所有。商业转载请联系官方授权,非商业转载请注明出处。
用后序遍历自底向上遍历每个节点左右子树的深度,如果发现有一个节点的左右子树深度差超过1,就返回-1作为以该节点为根的子树的深度;在向上递归后如果发现有子树的深度是-1就直接返回-1;最后在main函数里判断整棵二叉树的深度是不是-1。
时间复杂度O(n),空间复杂度O(n)。
/** * 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 { public: bool isBalanced(TreeNode* root) { return dfs(root) >= 0; } int dfs(TreeNode* root) { if(!root) return 0; int leftDepth = dfs(root->left); int rightDepth = dfs(root->right); if(leftDepth == -1 || rightDepth == -1 || abs(leftDepth - rightDepth) > 1) { return -1; } return max(leftDepth, rightDepth) + 1; } };