[LeetCode] 113. Path Sum II
2022/1/9 6:05:48
本文主要是介绍[LeetCode] 113. Path Sum II,对大家解决编程问题具有一定的参考价值,需要的程序猿们随着小编来一起学习吧!
Given the root of a binary tree and an integer targetSum, return all root-to-leaf paths where the sum of the node values in the path equals targetSum. Each path should be returned as a list of the node values, not node references. A root-to-leaf path is a path starting from the root and ending at any leaf node. A leaf is a node with no children.
Example1:
Input: root = [5,4,8,11,null,13,4,7,2,null,null,5,1], targetSum = 22 Output: [[5,4,11,2],[5,8,4,5]] Explanation: There are two paths whose sum equals targetSum: 5 + 4 + 11 + 2 = 22 5 + 8 + 4 + 5 = 22
Example2:
Input: root = [1,2,3], targetSum = 5 Output: []
Example3:
Input: root = [1,2], targetSum = 0 Output: []
Constraints:
- The number of nodes in the tree is in the range [0, 5000].
- -1000 <= Node.val <= 1000
- -1000 <= targetSum <= 1000
这道题其实和Path Sum很相似。不同的是需要把path给记下来。其实知道题就是dfs(深度优先搜索), 每次都要到叶子结点满足条件才算是真的满足条件。
注意:
- DFS中每次回到前面的结点都要把之前加入的那个值去掉,不然的话path就不对了
- 把path加到最后返回的list的时候,需要做一次深度copy,不然的话path改变,结果的list也跟着改变。
- 深度copy的时候怎么写
/** * 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 List<List<Integer>> pathSum(TreeNode root, int targetSum) { List<List<Integer>> rst = new ArrayList<>(); if (root == null) { return rst; } List<Integer> path = new ArrayList<>(); process(root, targetSum, rst, path); return rst; } private void process(TreeNode root, int targetSum, List<List<Integer>> rst, List<Integer> path) { if (root == null) { return; } path.add(root.val); if (root.left == null && root.right == null && root.val == targetSum) { rst.add(new ArrayList(path)); } process(root.left, targetSum - root.val, rst, path); process(root.right, targetSum - root.val, rst, path); path.remove(path.size() - 1); } }
这篇关于[LeetCode] 113. Path Sum II的文章就介绍到这儿,希望我们推荐的文章对大家有所帮助,也希望大家多多支持为之网!
- 2024-11-23增量更新怎么做?-icode9专业技术文章分享
- 2024-11-23压缩包加密方案有哪些?-icode9专业技术文章分享
- 2024-11-23用shell怎么写一个开机时自动同步远程仓库的代码?-icode9专业技术文章分享
- 2024-11-23webman可以同步自己的仓库吗?-icode9专业技术文章分享
- 2024-11-23在 Webman 中怎么判断是否有某命令进程正在运行?-icode9专业技术文章分享
- 2024-11-23如何重置new Swiper?-icode9专业技术文章分享
- 2024-11-23oss直传有什么好处?-icode9专业技术文章分享
- 2024-11-23如何将oss直传封装成一个组件在其他页面调用时都可以使用?-icode9专业技术文章分享
- 2024-11-23怎么使用laravel 11在代码里获取路由列表?-icode9专业技术文章分享
- 2024-11-22怎么实现ansible playbook 备份代码中命名包含时间戳功能?-icode9专业技术文章分享