671. 二叉树中第二小的节点
671. Second Minimum Node In a Binary Tree
题目描述
给定一个非空特殊的二叉树,每个节点都是正数,并且每个节点的子节点数量只能为 2 或 0。如果一个节点有两个子节点的话,那么这个节点的值不大于它的子节点的值。
给出这样的一个二叉树,你需要输出所有节点中的第二小的值。如果第二小的值不存在的话,输出 -1。
每日一算法
2019/5/12Day 9
LeetCode671. Second Minimum Node In a Binary Tree
示例 1:
输入:
2
/ 2 5
/ 5 7
输出: 5
说明: 最小的值是 2,第二小的值是 5。
示例 2:
输入:
2
/ 2 2
输出: -1
说明: 最小的值是 2,但是不存在第二小的值。
Java 实现
Recursive Solution
class TreeNode {
int val;
TreeNode left;
TreeNode right;
TreeNode(int x) {
val = x;
}
}
class Solution {
public int findSecondMinimumValue(TreeNode root) {
if (root == null) {
return -1;
}
if (root.left == null && root.right == null) {
return -1;
}
int left = root.left.val;
int right = root.right.val;
if (left == root.val) {
left = findSecondMinimumValue(root.left);
}
if (right == root.val) {
right = findSecondMinimumValue(root.right);
}
if (left != -1 && right != -1) {
return Math.min(left, right);
} else if (left != -1) {
return left;
} else {
return right;
}
}
}
相似题目
- 230. 二叉搜索树中第K小的元素
参考资料
- https://leetcode.com/problems/second-minimum-node-in-a-binary-tree/
- https://leetcode-cn.com/problems/second-minimum-node-in-a-binary-tree/
原文地址:https://www.cnblogs.com/hglibin/p/10851924.html
时间: 2024-11-08 20:22:11