美文网首页
二叉树中和为某一值的路径

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

作者: su945 | 来源:发表于2020-05-09 23:57 被阅读0次

题目描述

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

问题分析

每次遍历,我们先把root的值压入tmp,然后判断现有root是否同时满足:

  • 与给定数值相减为0;
  • 左子树为空;
  • 右子树为空。
    如果满足条件,就将tmp压入result中,否则,依次遍历左右子树。需要注意的是,遍历左右子树的时候,全局变量tmp是不清空的,直到到了根结点才请空tmp。

解题思路1

/*
struct TreeNode {
    int val;
    struct TreeNode *left;
    struct TreeNode *right;
    TreeNode(int x) :
            val(x), left(NULL), right(NULL) {
    }
};*/
class Solution {
public:
    vector<int> tmp ;
    vector<vector<int>> result ;
    vector<vector<int> > FindPath(TreeNode* root,int expectNumber) {
        if(root == NULL || expectNumber == 0)
        {
            return result ;
        }
        tmp.push_back(root->val);
        if((expectNumber-root->val == 0) && root->left == NULL && root->right == NULL)
        {
            result.push_back(tmp);
        }
        FindPath(root->left,expectNumber-root->val);
        FindPath(root->right,expectNumber-root->val);
        tmp.pop_back();
        return result;
    }
};

相关文章

网友评论

      本文标题:二叉树中和为某一值的路径

      本文链接:https://www.haomeiwen.com/subject/nuvrnhtx.html