來源:力扣(LeetCode)
連接:https://leetcode-cn.com/problems/maximum-difference-between-node-and-ancestor
著做權歸領釦網絡全部。商業轉載請聯繫官方受權,非商業轉載請註明出處。javascript
給定二叉樹的根節點 root,找出存在於不一樣節點 A 和 B 之間的最大值 V,其中 V = |A.val - B.val|,且 A 是 B 的祖先。java
(若是 A 的任何子節點之一爲 B,或者 A 的任何子節點是 B 的祖先,那麼咱們認爲 A 是 B 的祖先)node
示例:網絡
輸入:[8,3,10,1,6,null,14,null,null,4,7,13]
輸出:7
解釋:
咱們有大量的節點與其祖先的差值,其中一些以下:
|8 - 3| = 5
|3 - 7| = 4
|8 - 1| = 7
|10 - 13| = 3
在全部可能的差值中,最大值 7 由 |8 - 1| = 7 得出。
this
提示:code
樹中的節點數在 2 到 5000 之間。
每一個節點的值介於 0 到 100000 之間。blog
/** * Definition for a binary tree node. * function TreeNode(val) { * this.val = val; * this.left = this.right = null; * } */ /** * @param {TreeNode} root * @return {number} */ var maxAncestorDiff = function(root) { let max = root.val; let min = root.val; if(root){ return Math.max(rode(root.left,max,min),rode(root.right,max,min)); } function rode(root,max,min){ if(root == null) return max-min; if(root.val < min) min = root.val; if(root.val > max) max = root.val; return Math.max(rode(root.left,max,min),rode(root.right,max,min)); } };