二叉树中和为某一值的路径

Posted dazhu123

tags:

篇首语:本文由小常识网(cha138.com)小编为大家整理,主要介绍了二叉树中和为某一值的路径相关的知识,希望对你有一定的参考价值。

1:题目描述

输入一棵二叉树和一个整数,打印出二叉树中节点值的和为输入整数的所有路径。从树的根节点开始往下一直到叶节点所经过的节点形成一条路径。

 

示例:
给定如下二叉树,以及目标和 sum = 22

              5
             /             4   8
           /   /           11  13  4
         /      /         7    2  5   1

返回:

[
   [5,4,11,2],
   [5,8,4,5]
]

2:题目解析

首先这是一道二叉树的遍历问题,我们可以通过前序遍历到叶子节点后,然后判断该路径是不是满足要求,如果满足则标记下来,存取结果,否则重新遍历其他的叶子节点!注意的是,我们采用stack记录当前的路径,所有每次遍历一个节点的归来过程都要stack.pop。

3:代码示例

    public List<List<Integer>> resultList = new ArrayList<List<Integer>>();
    public Stack<Integer> stack = new Stack<Integer>();

    public List<List<Integer>> pathSum(TreeNode root, int sum) {
        preOrder(root,sum);
        return resultList;
    }
    public void preOrder(TreeNode root,int sum){
        //如果root为null,则结束本次递归,回到上次
        if(root ==null){
            return ;
        }
        //将当前节点val加入stack
        stack.push(root.val);
        //求stack之和
        List<Integer> stackSumList =  new ArrayList<Integer>(stack);
        int stackSum = 0;
        //如果当前节点为叶子节点则计算所有路径之和。
        if(root.left ==null && root.right ==null) {
            for (int temp : stackSumList) {
                stackSum = stackSum + temp;
            }
            //如果当前stackSum之和等于sum。则意味着找到一条路径了,不在继续递归。
            if(stackSum == sum)
                resultList.add(stackSumList);
        }
        //当然,所有前序遍历的归来过程都要将当前加入的节点pop出来为其他路径留空间。
        preOrder(root.left, sum);
        preOrder(root.right, sum);
        stack.pop();
    }

 

以上是关于二叉树中和为某一值的路径的主要内容,如果未能解决你的问题,请参考以下文章

二叉树中和为某一值的路径-剑指Offer

34二叉树中和为某一值的路径 //代码未通过

二叉树中和为某一值的路径

二叉树中和为某一值的路径

二叉树中和为某一值的路径

剑指offer---二叉树中和为某一值的路径