-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy path1026_Maximum_Difference_Between_Node_and_Ancestor.cpp
65 lines (61 loc) · 1.88 KB
/
1026_Maximum_Difference_Between_Node_and_Ancestor.cpp
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
/*
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.
(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.)
*/
/**
* Definition for a binary tree node.
* struct TreeNode {
* int val;
* TreeNode *left;
* TreeNode *right;
* TreeNode(int x) : val(x), left(NULL), right(NULL) {}
* };
*/
#include <stdlib.h>
struct TreeNode {
int val;
TreeNode *left;
TreeNode *right;
TreeNode(int x) : val(x), left(NULL), right(NULL) {}
};
class Solution {
private:
int maxAncestorDiff(TreeNode* root, int& max_child, int& min_child){
if(NULL==root){
max_child = -1;
min_child = -1;
return 0;
}
// left
int temp_min_l, temp_max_l;
int temp_res_l = maxAncestorDiff(root->left, temp_max_l, temp_min_l);
// right
int temp_min_r, temp_max_r;
int temp_res_r = maxAncestorDiff(root->right, temp_max_r, temp_min_r);
// compute
int res = 0;
max_child = root->val;
min_child = root->val;
if(temp_min_l>=0){
res = (abs(root->val-temp_min_l)>res)?abs(root->val-temp_min_l):res;
res = (abs(root->val-temp_max_l)>res)?abs(root->val-temp_max_l):res;
max_child = (temp_max_l>max_child)?temp_max_l:max_child;
min_child = (temp_min_l<min_child)?temp_min_l:min_child;
}
if(temp_min_r>=0){
res = (abs(root->val-temp_min_r)>res)?abs(root->val-temp_min_r):res;
res = (abs(root->val-temp_max_r)>res)?abs(root->val-temp_max_r):res;
max_child = (temp_max_r>max_child)?temp_max_r:max_child;
min_child = (temp_min_r<min_child)?temp_min_r:min_child;
}
res = (res>temp_res_l)?res:temp_res_l;
res = (res>temp_res_r)?res:temp_res_r;
// return
return res;
}
public:
int maxAncestorDiff(TreeNode* root) {
int max_val, min_val;
return maxAncestorDiff(root, max_val, min_val);
}
};