[LeetCode 题解]:Path Sum

前言

 

【LeetCode 题解】系列传送门:  http://www.cnblogs.com/double-win/category/573499.html

 

1.题目描述

Given a binary tree and a sum, determine if the tree has a root-to-leaf path such that adding up all the values along the path equals the given sum.

For example:
Given the below binary tree and sum = 22,

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

return true, as there exist a root-to-leaf path 5->4->11->2 which sum is 22.

2. 题意

给定一颗二叉树以及一个数字,请判断在此二叉树中是否存在一条从根节点出发到其中某个叶子节点的路径数值之和与给定数字的值相等。

例如,给定的二叉树如1中图所示。给定的数字为sum=22.其结果是true,这是因为存在一条root-to-leaf的路径5->4->11->2,其路径数值和=5+4+11+2=22.

3. 思路

此题是一个典型的二叉树遍历问题,很容易想到一个递归解法。

需要注意的地方:

(1)边界条件判断,二叉树为空

(2)当前节点是否为叶子节点

(3)递归表达式hasPathSum(root->left)||hasPathSum(root->right).

4: 解法

class Solution {
public:
    bool hasPathSum(TreeNode *root, int sum) {
        if(root==NULL) return false;  //树为空
        if(root->left==NULL && root->right==NULL){   //当前节点为叶子节点
            if(sum-root->val!=0) return false;
            else return true;
        }else{ //当前节点不是叶子节点,递归判断其左右节点是否满足条件
            return hasPathSum(root->left,sum-root->val) || hasPathSum(root->right,sum-root->val);
        }
    }
};
作者:Double_Win
本文版权归作者和博客园共有,欢迎转载,但未经作者同意必须保留此段声明,且在文章页面明显位置给出原文链接,否则作者保留追究法律责任的权利。  若本文对你有所帮助,您的关注推荐是我们分享知识的动力!
posted @ 2014-11-25 16:27  Double_win  阅读(212)  评论(0编辑  收藏  举报