530.二叉搜索树的最小绝对差
题目:530. 二叉搜索树的最小绝对差 - 力扣(LeetCode)
题解:代码随想录 (programmercarl.com)
验证搜索树的进阶,二叉树中的双指针,思考过程中发现容易弄混递归向下传播和向上回溯的过程
solution:
public class Solution {public int min = int.MaxValue;public TreeNode pre = null;public int GetMinimumDifference(TreeNode root) {Traversal(root);return min;}public void Traversal(TreeNode node){if (node == null) return;Traversal(node.left);if(pre != null) min = node.val - pre.val < min ? node.val - pre.val : min;pre = node;Traversal(node.right);}
}
summary:
key:
指针如何初始化:
在for循环中,pre指针初始值为null,遍历第一个节点时初始化,在二叉树递归时其实是一样的
501.二叉搜索树中的众数
题目:501. 二叉搜索树中的众数 - 力扣(LeetCode)
题解:代码随想录 (programmercarl.com)
简单的思路遍历一遍然后用哈希表统计,但那跟二叉搜索树的性质就没有关系了。。。
还是利用双指针在遍历的时候同时统计,思路比较清晰,但需要注意的细节比较多
solution:
public class Solution {public int count = 0;public int result = 0;public List<int> results = new List<int>();public TreeNode pre = null;public int[] FindMode(TreeNode root) {FindTraversal(root);return results.ToArray();}public void FindTraversal(TreeNode node){if (node == null) return;FindTraversal(node.left);if(pre != null && pre.val == node.val) count ++;else count = 1;if(count >= result){if(count > result) results.Clear();result = count;results.Add(node.val);}pre = node;FindTraversal(node.right);}
}
summary:
错误 & key:
count和result的更新:
原始代码:
if(pre == null) count ++;
else if(pre.val == node.val) count ++;
else count = 1;
本来的做法考虑的比较复杂,但其实count只分两种情况,重置与增加,遍历到第一个节点和值第一次出现的节点时重置,注意重置为1,不是第一个节点且值与上一个节点相同时增加,如下代码
if(pre != null && pre.val == node.val) count ++;
else count = 1;
236.二叉树的最近公共祖先
题目:236. 二叉树的最近公共祖先 - 力扣(LeetCode)
题解:代码随想录 (programmercarl.com)
将题目拆解了一下:
怎么求一个节点的祖先:前序遍历将经过接
怎么求多个节点的公共祖先
solution:
我的遍体鳞伤解法
public class Solution {private List<TreeNode> pathUtil = new List<TreeNode>();public TreeNode LowestCommonAncestor(TreeNode root, TreeNode p, TreeNode q) {List<TreeNode> pathp = new List<TreeNode>();List<TreeNode> pathq = new List<TreeNode>();if (!pathTraversal(root, p, pathp) || !pathTraversal(root, q, pathq)) {return null; // 如果任意一个节点未找到,则返回 null}int count = Math.Min(pathp.Count, pathq.Count);TreeNode result = null;for (int i = 0; i < count; i++) {if (pathp[i] == pathq[i]) {result = pathp[i];} else {break;}}return result;}private bool pathTraversal(TreeNode root, TreeNode target, List<TreeNode> path) {if (root == null) return false;path.Add(root);if (root == target) return true;if (pathTraversal(root.left, target, path) || pathTraversal(root.right, target, path)) {return true;}path.RemoveAt(path.Count - 1); // 回溯return false;}
}
优雅解法
public class Solution {public TreeNode LowestCommonAncestor(TreeNode root, TreeNode p, TreeNode q) {// 如果当前节点为空,或者当前节点是p或q,则直接返回当前节点if (root == null || root == p || root == q) {return root;}// 在左子树中递归查找TreeNode left = LowestCommonAncestor(root.left, p, q);// 在右子树中递归查找TreeNode right = LowestCommonAncestor(root.right, p, q);// 如果左子树和右子树都能找到目标节点,则当前节点就是最近公共祖先if (left != null && right != null) {return root;}// 否则,返回非空的子树(如果有),或者返回nullreturn left != null ? left : right;}
}