LeetCode:Balanced Binary Tree(バランスツリーの判断)
2083 ワード
LeetCode:Balanced Binary Tree(バランスツリーの判断)
1、タイトル: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.
2、コード:
3、まとめ:昨日から今日まで书いて、やっと突破して、AC.A、定義:1本の空木またはその左右の2つのサブツリーの高さ差の絶対値は1を超えず、左右の2つのサブツリーはいずれもバランスのとれた二叉木である.タイトルに書いてあるのと似ています.B、高度に相関している以上、まず深さを優先して検索しなければならない.ループの類似に従って、後順ループを選択します.C、左右のサブツリーの高さを取得し、両方のサブツリーがバランスしていることを保証し、現在のノードの高さmax(hleft,hright)+1を算出し、+1を忘れないで!!!
1、タイトル: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.
2、コード:
/** * 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:
//Depth-First Search
bool inorder(TreeNode* root,int &height)
{
if(root)
{
int hleft=0,hright=0;
if(inorder(root->left,hleft)&&inorder(root->right,hright)&&abs(hright-hleft)<=1)
{
height=max(hleft,hright)+1;
}
else
{
return false;
}
}
return true;
}
bool isBalanced(TreeNode* root) {
if(!root) return true;
int height=0;
return inorder(root,height);
}
};
3、まとめ:昨日から今日まで书いて、やっと突破して、AC.A、定義:1本の空木またはその左右の2つのサブツリーの高さ差の絶対値は1を超えず、左右の2つのサブツリーはいずれもバランスのとれた二叉木である.タイトルに書いてあるのと似ています.B、高度に相関している以上、まず深さを優先して検索しなければならない.ループの類似に従って、後順ループを選択します.C、左右のサブツリーの高さを取得し、両方のサブツリーがバランスしていることを保証し、現在のノードの高さmax(hleft,hright)+1を算出し、+1を忘れないで!!!