LeetCode 面试题55 - II. 平衡二叉树(树的高度的预处理、DFS)
程序员文章站
2022-05-20 20:25:24
...
在这篇博客平衡二叉树里,时间复杂为
原因是,每一次计算高度时,都要去遍历树。
如果用的时间去预处理,然后直接使用就好了。
下面是改进版。
/**
* 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) {
getHeight(root);
return dfs(root);
}
bool dfs(TreeNode *root){
if(!root){
return true;
}
int lh = root->left?root->left->val:0;
int rh = root->right?root->right->val:0;
if(abs(lh-rh)>1) return false;
if(!dfs(root->left) || !dfs(root->right)) return false;
return true;
}
int getHeight(TreeNode *root){
if(!root) return 0;
return root->val=1+max(getHeight(root->left),getHeight(root->right));
}
};
上一篇: 迷宫(1)---利用顺序栈实现