劍指offer 平衡二叉樹

2021-09-29 01:21:06 字數 1743 閱讀 6921

時間限制:1秒 空間限制:32768k 熱度指數:253889

本題知識點: 樹

輸入一棵二叉樹,判斷該二叉樹是否是平衡二叉樹。

這題想錯了,我的想法是:

維護乙個maxn為最大層數,

同時維護當前節點的深度depth,

當遍歷到根節點時判斷depth和maxn差值是否為1。

但是,這個思路會被hack掉。

比如[1,2,3,4,5,#,6,#,#,7]

當遍歷到3的左節點的時候,為空節點,此時depth為2,而記錄的maxn為4,差值為2.但是這是乙個平衡樹。

//wa的**

class solution

bool isbalanced(treenode* proot, int depth)

depth ++ ;

if(depth > maxn)

return isbalanced(proot->left,depth) && isbalanced(proot->right,depth);}};

這時,回到平衡樹的定義,對於根節點,左右子樹的最大深度值相差不超過1。所以應該維護左右子樹的最大深度,然後判斷是否差值不超過1。

class solution 

return abs(getdepth(proot->left) - getdepth(proot->right)) <= 1 ?

isbalanced_solution(proot->left) && isbalanced_solution(proot->right) : false;

}int getdepth(treenode* proot)

};

//後序遞迴版本

class solution

int depth = 0;

return getdepth(proot,depth);

}bool getdepth(treenode* proot, int &depth)

int ldepth = 0;//記錄左子樹高度

int rdepth = 0;//記錄右子樹高度

if(getdepth(proot->left, ldepth) && getdepth(proot->right,rdepth))

if(res == -1) depth = rdepth + 1;

else depth = ldepth + 1;

return true;

}return false;}};

//剪枝的版本,只要子樹不平衡,那樹就不是平衡樹

class solution

return getdepth(proot) == -1 ? false : true;

}int getdepth(treenode* proot)

int ldepth = 0, rdepth = 0;

if(proot->left != null)

if(proot->right != null)

return abs(ldepth - rdepth) <= 1? 1 + max(ldepth, rdepth) : -1;}};

劍指offer 平衡二叉樹

輸入一棵二叉樹,判斷該二叉樹是否是平衡二叉樹 1 重複遍歷結點 參考上一題求二叉樹的深度,先求出根結點的左右子樹的深度,然後判斷它們的深度相差不超過1,如果否,則不是一棵二叉樹 如果是,再用同樣的方法分別判斷左子樹和右子樹是否為平衡二叉樹,如果都是,則這就是一棵平衡二叉樹。但上面的方法在判斷子樹是否...

劍指offer 平衡二叉樹

本文首發於我的個人部落格 尾尾部落 題目描述 輸入一棵二叉樹,判斷該二叉樹是否是平衡二叉樹。解題思路 定義 平衡二叉查詢樹,簡稱平衡二叉樹。可以是空樹。假如不是空樹,任何乙個結點的左子樹與右子樹都是平衡二叉樹,並且高度之差的絕對值不超過1。遍歷每個結點,借助乙個獲取樹深度的遞迴函式,根據該結點的左右...

劍指Offer 平衡二叉樹

輸入一棵二叉樹的根結點,判斷該樹是不是平衡二叉樹。如果某二叉樹中任意結點的左右子樹的深度相差不超過1,那麼它就是一棵平衡二叉樹。注意 規定空樹也是一棵平衡二叉樹。definition for a binary tree node.class treenode object def init self...