-
Notifications
You must be signed in to change notification settings - Fork 1.5k
/
671_Second_Minimum_Node_In_a_Binary_Tree.java
40 lines (38 loc) · 1.23 KB
/
671_Second_Minimum_Node_In_a_Binary_Tree.java
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
class Solution {
/*public void dfs(TreeNode root, Set<Integer> uniques) {
if (root != null) {
uniques.add(root.val);
dfs(root.left, uniques);
dfs(root.right, uniques);
}
}
public int findSecondMinimumValue(TreeNode root) {
// Brute force
Set<Integer> uniques = new HashSet<Integer>();
dfs(root, uniques);
int min1 = root.val;
long ans = Long.MAX_VALUE;
for (int v : uniques) {
if (min1 < v && v < ans) ans = v;
}
return ans < Long.MAX_VALUE ? (int) ans : -1;
}*/
public int findSecondMinimumValue(TreeNode root) {
if (root == null) return -1;
Stack<TreeNode> stack = new Stack<TreeNode>();
int min_val = root.val;
int ans = Integer.MAX_VALUE;
stack.push(root);
while (!stack.empty()) {
TreeNode node = stack.pop();
if (node == null) continue;
if (node.val < ans && node.val > min_val) {
ans = node.val;
} else if (node.val == min_val) {
stack.push(node.left);
stack.push(node.right);
}
}
return ans < Integer.MAX_VALUE ? ans : -1;
}
}