題152-題154javascript
來源:力扣(LeetCode)
連接:https://leetcode-cn.com/problems/dui-cheng-de-er-cha-shu-lcof
著做權歸領釦網絡全部。商業轉載請聯繫官方受權,非商業轉載請註明出處。java
請實現一個函數,用來判斷一棵二叉樹是否是對稱的。若是一棵二叉樹和它的鏡像同樣,那麼它是對稱的。node
例如,二叉樹 [1,2,2,3,4,4,3] 是對稱的。網絡
1
/ \
2 2
/ \ / \
3 4 4 3
可是下面這個 [1,2,2,null,3,null,3] 則不是鏡像對稱的:函數
1
/ \
2 2
\ \
3 3ui
示例 1:this
輸入:root = [1,2,2,3,4,4,3]
輸出:true
示例 2:code
輸入:root = [1,2,2,null,3,null,3]
輸出:false
blog
限制:ip
0 <= 節點個數 <= 1000
注意:本題與主站 101 題相同:https://leetcode-cn.com/problems/symmetric-tree/
/** * Definition for a binary tree node. * function TreeNode(val) { * this.val = val; * this.left = this.right = null; * } */ /** * @param {TreeNode} root * @return {boolean} */ var isSymmetric = function(root) { function isMirror(r1,r2){ if(!r1 && !r2) return true; if(!r1 || !r2) return false; return r1.val == r2.val && isMirror(r1.left,r2.right) && isMirror(r1.right,r2.left); } return isMirror(root,root); };
來源:力扣(LeetCode)
連接:https://leetcode-cn.com/problems/ping-heng-er-cha-shu-lcof
著做權歸領釦網絡全部。商業轉載請聯繫官方受權,非商業轉載請註明出處。
輸入一棵二叉樹的根節點,判斷該樹是否是平衡二叉樹。若是某二叉樹中任意節點的左右子樹的深度相差不超過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 。
限制:
1 <= 樹的結點個數 <= 10000
注意:本題與主站 110 題相同:https://leetcode-cn.com/problems/balanced-binary-tree/
/** * Definition for a binary tree node. * function TreeNode(val) { * this.val = val; * this.left = this.right = null; * } */ /** * @param {TreeNode} root * @return {boolean} */ var isBalanced = function(root) { let flag = true; judge(root); return flag; function judge(root){ if(!root) return null; let left = judge(root.left); let right = judge(root.right); if(Math.abs(left-right) > 1) flag = false; return left > right ? left+1:right+1; } };
來源:力扣(LeetCode)
連接:https://leetcode-cn.com/problems/er-cha-shu-de-shen-du-lcof
著做權歸領釦網絡全部。商業轉載請聯繫官方受權,非商業轉載請註明出處。
輸入一棵二叉樹的根節點,求該樹的深度。從根節點到葉節點依次通過的節點(含根、葉節點)造成樹的一條路徑,最長路徑的長度爲樹的深度。
例如:
給定二叉樹 [3,9,20,null,null,15,7],
3
/ \
9 20
/ \
15 7
返回它的最大深度 3 。
提示:
節點總數 <= 10000
注意:本題與主站 104 題相同:https://leetcode-cn.com/problems/maximum-depth-of-binary-tree/
/** * Definition for a binary tree node. * function TreeNode(val) { * this.val = val; * this.left = this.right = null; * } */ /** * @param {TreeNode} root * @return {number} */ var maxDepth = function(root) { if(!root) return 0; let max = 0; rode(root,0); function rode(root,num){ if(!root.left && !root.right){ if(max < num+1) max = num+1; } if(root.left) rode(root.left,num+1); if(root.right) rode(root.right,num+1); } return max; };