|
| 1 | +''' |
| 2 | +Given the root of a binary tree, find the maximum value V for which there exists different nodes A and B where V = |A.val - B.val| and A is an ancestor of B. |
| 3 | +(A node A is an ancestor of B if either: any child of A is equal to B, or any child of A is an ancestor of B.) |
| 4 | +
|
| 5 | +
|
| 6 | +Example 1: |
| 7 | + 8 |
| 8 | + / \ |
| 9 | + 3 10 |
| 10 | + / \ \ |
| 11 | +1 6 14 |
| 12 | + / \ / |
| 13 | + 4 7 13 |
| 14 | +
|
| 15 | +Input: [8,3,10,1,6,null,14,null,null,4,7,13] |
| 16 | +Output: 7 |
| 17 | +Explanation: |
| 18 | +We have various ancestor-node differences, some of which are given below : |
| 19 | +|8 - 3| = 5 |
| 20 | +|3 - 7| = 4 |
| 21 | +|8 - 1| = 7 |
| 22 | +|10 - 13| = 3 |
| 23 | +Among all possible differences, the maximum value of 7 is obtained by |8 - 1| = 7. |
| 24 | + |
| 25 | +
|
| 26 | +Note: |
| 27 | +
|
| 28 | +The number of nodes in the tree is between 2 and 5000. |
| 29 | +Each node will have value between 0 and 100000. |
| 30 | +''' |
| 31 | + |
| 32 | +# Definition for a binary tree node. |
| 33 | +# class TreeNode(object): |
| 34 | +# def __init__(self, x): |
| 35 | +# self.val = x |
| 36 | +# self.left = None |
| 37 | +# self.right = None |
| 38 | + |
| 39 | +class Solution(object): |
| 40 | + |
| 41 | + def maxAncestorDiff(self, root): |
| 42 | + """ |
| 43 | + :type root: TreeNode |
| 44 | + :rtype: int |
| 45 | + """ |
| 46 | + |
| 47 | + def utility_fun(root, res): |
| 48 | + if not root: |
| 49 | + return 2147483648, -2147483648, res |
| 50 | + if not root.left and not root.right: |
| 51 | + return root.val, root.val, res |
| 52 | + left_t, lmax_t, res = utility_fun(root.left, res) |
| 53 | + right_t, rmax_t, res = utility_fun(root.right, res) |
| 54 | + m_val = min(left_t, right_t) |
| 55 | + max_val = max(lmax_t, rmax_t) |
| 56 | + |
| 57 | + res = max(res, max(abs(root.val-m_val), abs(root.val-max_val))) |
| 58 | + # print res |
| 59 | + return min(m_val, root.val), max(max_val, root.val), res |
| 60 | + |
| 61 | + x, x2, res = utility_fun(root, -2147483648) |
| 62 | + return abs(res) |
0 commit comments