-
Notifications
You must be signed in to change notification settings - Fork 27
/
Copy path1302. Deepest Leaves Sum
48 lines (42 loc) · 1.13 KB
/
1302. Deepest Leaves Sum
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
class Solution {
int sum = 0;
public int deepestLeavesSum(TreeNode root) {
int maxDepth = maxDepth(root);
findSum(root, 1, maxDepth);
return sum;
}
public int maxDepth(TreeNode node) {
if(node == null) return 0;
return 1 + Math.max(maxDepth(node.left), maxDepth(node.right));
}
public void findSum(TreeNode node, int curr, int depth) {
if(node != null) {
if(curr == depth) {
sum+=node.val;
}
findSum(node.left, curr+1, depth);
findSum(node.right, curr+1, depth);
}
}
}
class Solution {
int sum = 0;
int maxDepth = 0;
public int deepestLeavesSum(TreeNode root) {
findSum(root, 1);
return sum;
}
public void findSum(TreeNode node, int curr) {
if(node != null) {
if(curr > maxDepth) {
sum = 0;
maxDepth = curr;
}
if(curr == maxDepth) {
sum+=node.val;
}
findSum(node.left, curr+1);
findSum(node.right, curr+1);
}
}
}