530.二叉搜索树的最小绝对差
题目链接:530. 二叉搜索树的最小绝对差
思路:二叉搜索树的中序遍历是有序的。根据二叉搜索树的这个特性来解题。
class Solution {// 同样利用二叉树中序遍历是一个有序数组。private List<Integer> list = new ArrayList<>();public int getMinimumDifference(TreeNode root) {int res = Integer.MAX_VALUE;inorder(root);for (int i = 0; i < list.size() - 1; i++) {int temp = list.get(i + 1) - list.get(i);res = Math.min(res, temp);}return res;}public void inorder(TreeNode node) {if (node == null) return;inorder(node.left);list.add(node.val);inorder(node.right);}
}
另一种解法,中序遍历会有序遍历BST
的节点,遍历过程中计算最小差值即可。
class Solution {public int getMinimumDifference(TreeNode root) {traverse(root);return res;}TreeNode prev = null;int res = Integer.MAX_VALUE;// 遍历函数void traverse(TreeNode root) {if (root == null) {return;}traverse(root.left);// 中序遍历位置if (prev != null) {res = Math.min(res, root.val - prev.val);}prev = root;traverse(root.right);}
}
501.二叉搜索树中的众数
题目链接:501. 二叉搜索树中的众数
思路:同样利用二叉搜索树的特性(二叉搜索树中序遍历是一个有序数组)。中序递归遍历,如果当前节点与前一个节点值相同,则记录count的值,如果count的值大于或者等于最大相同节点个数,就要更新结果。
class Solution {List<Integer> list = new ArrayList<>();int count; // 记录当前节点元素的重复次数int maxCount; // 记录最大相同节点个数TreeNode pre = null; // 指向前一个节点public int[] findMode(TreeNode root) {inorder(root);int[] res = new int[list.size()];for (int i = 0; i < list.size(); i++) {res[i] = list.get(i);}return res;}public void inorder(TreeNode node) {if (node == null) return;inorder(node.left);// 如果是第一个节点,或者当前节点与前一个节点值不同if (pre == null || pre.val != node.val) {count = 1;} else {count++;}// 更新结果if (count > maxCount) {list.clear();list.add(node.val);maxCount = count;} else if (count == maxCount) {list.add(node.val);}pre = node;inorder(node.right);}
}
236. 二叉树的最近公共祖先
题目链接:236. 二叉树的最近公共祖先
思路:通过后序递归遍历(因为要从下往上返回,所以要采用后序遍历的顺序)。先给出递归函数的定义:给该函数输入三个参数 root
,p
,q
,它会返回一个节点。根据定义,分情况讨论进行解题。
class Solution {public TreeNode lowestCommonAncestor(TreeNode root, TreeNode p, TreeNode q) {// base caseif (root == null) return null;if (root == p || root == q) return root;TreeNode left = lowestCommonAncestor(root.left, p, q);TreeNode right = lowestCommonAncestor(root.right, p, q);// 如果 p 和 q 都在以 root 为根的树中,那么 left 和 right 一定分别是 p 和 qif (left != null && right != null) {return root;}// 如果 p 和 q 都不在以 root 为根的树中,直接返回 nullif (left == null && right == null) {return null;}// 如果 p 和 q 只有一个存在于 root 为根的树中,函数返回该节点return left == null ? right : left;}
}