LeeCode打卡第二十八天
第一题:路径总和II(LeeCode第437题):
给定一个二叉树的根节点 root ,和一个整数 targetSum ,求该二叉树里节点值之和等于 targetSum 的 路径 的数目。
路径 不需要从根节点开始,也不需要在叶子节点结束,但是路径方向必须是向下的(只能从父节点到子节点)。
解法一:深度优先搜索
主要思想:穷举的方法,从根节点开始遍历,每找到一条路径就记录一次。
/**
* Definition for a binary tree node.
* public class TreeNode {
* int val;
* TreeNode left;
* TreeNode right;
* TreeNode() {}
* TreeNode(int val) { this.val = val; }
* TreeNode(int val, TreeNode left, TreeNode right) {
* this.val = val;
* this.left = left;
* this.right = right;
* }
* }
*/
class Solution {
public int pathSum(TreeNode root, long targetSum) {
if(root == null) return 0;
int ret = rootSum(root, targetSum);
ret += pathSum(root.left,targetSum);
ret += pathSum(root.right,targetSum);
return ret;
}
public int rootSum(TreeNode root, long targetSum){
int ret = 0;
if(root == null) return 0;
int val = root.val;
if(val == targetSum) ret++;
ret += rootSum(root.left, targetSum - val);
ret += rootSum(root.right, targetSum - val);
return ret;
}
}
第二题:二叉树的最近公共祖先(LeeCode第236题):
给定一个二叉树, 找到该树中两个指定节点的最近公共祖先。百度百科中最近公共祖先的定义为:“对于有根树 T 的两个节点 p、q,最近公共祖先表示为一个节点 x,满足 x 是 p、q 的祖先且 x 的深度尽可能大(一个节点也可以是它自己的祖先)。”
主要思想:用递归的方式,如果p,q分别在某节点的左右子树上,则祖先节点为该节点,不然,p,q都在该节点的左子树或者右子树上,再向下递归寻找,
/**
* Definition for a binary tree node.
* public class TreeNode {
* int val;
* TreeNode left;
* TreeNode right;
* TreeNode(int x) { val = x; }
* }
*/
class Solution {
public TreeNode lowestCommonAncestor(TreeNode root, TreeNode p, TreeNode 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) return right;
if(right == null) return left;
return root;
}
}
第三题:二叉树中的最大路径和(LeeCode第124题):
二叉树中的 路径 被定义为一条节点序列,序列中每对相邻节点之间都存在一条边。同一个节点在一条路径序列中 至多出现一次 。该路径 至少包含一个 节点,且不一定经过根节点。路径和 是路径中各节点值的总和。给你一个二叉树的根节点 root ,返回其 最大路径和 。
主要思想:用递归的方式,从左下方的节点开始,以该节点为起点,依次向后遍历,用ans存储最小值,将每次遍历后的结果与ans进行比较,取最大值,
/**
* Definition for a binary tree node.
* public class TreeNode {
* int val;
* TreeNode left;
* TreeNode right;
* TreeNode(int x) { val = x; }
* }
*/
class Solution {
public TreeNode lowestCommonAncestor(TreeNode root, TreeNode p, TreeNode 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) return right;
if(right == null) return left;
return root;
}
}
标签:right,TreeNode,val,LeeCode,第二十八,打卡,root,节点,left
From: https://blog.csdn.net/qq_48527330/article/details/142330856