码迷,mamicode.com
首页 > 其他好文 > 详细

Sum Root to Leaf Numbers

时间:2014-12-24 17:39:33      阅读:147      评论:0      收藏:0      [点我收藏+]

标签:

题目:

Given a binary tree containing digits from 0-9 only, each root-to-leaf path could represent a number.

An example is the root-to-leaf path 1->2->3 which represents the number 123.

Find the total sum of all root-to-leaf numbers.

For example,

    1
   /   2   3

 

The root-to-leaf path 1->2 represents the number 12.
The root-to-leaf path 1->3 represents the number 13.

Return the sum = 12 + 13 = 25.

 

思路:

刷题刷到现在了,做这种题已经有点感觉了,之所以拿这道题目出来写到博客上是因为这题比较典型,而且自己用了半小时就ac了,应该是用了最快的算法了,思路非常清晰:先序遍历,用一个容器记录遍历到的节点,遍历到叶子节点时计算此条路径的数字,然后加到result中,result是作为一个引用参数包含在每一次递归中的。

这里尤其要注意一点:最后那句path.pop_back();千万别漏也别放错地方,其实只要把程序如何递归的想想清楚就自然不会写错。

代码:

/**
 * Definition for binary tree
 * struct TreeNode {
 *     int val;
 *     TreeNode *left;
 *     TreeNode *right;
 *     TreeNode(int x) : val(x), left(NULL), right(NULL) {}
 * };
 */
class Solution {
public:
    int sumNumbers(TreeNode *root) {
        int result=0;
        sumNumbers2(root, result);
        
        return result;
    }
    
    void sumNumbers2(TreeNode *root, int &result)
    {
        if(root == NULL)
        {
            return;
        }
        
        path.push_back(root->val);
        
        if(root->left==NULL && root->right==NULL)
        {
            int sum=0;
            for(vector<int>::iterator it=path.begin();it!=path.end();it++)
            {
                sum=sum*10+*it;
            }
            result+=sum;
        }
        
        if(root->left!=NULL)
        {
            sumNumbers2(root->left, result);
        }
        if(root->right!=NULL)
        {
            sumNumbers2(root->right, result);
        }
        path.pop_back();
    }
private:
    vector<int> path;
};

  

效率截图(有一半是归功于c++的功劳):

技术分享

 

本博客内容与代码均为作者Jarvis原创,如若转载请注明。

Sum Root to Leaf Numbers

标签:

原文地址:http://www.cnblogs.com/jarviswhj/p/4182747.html

(0)
(0)
   
举报
评论 一句话评论(0
登录后才能评论!
© 2014 mamicode.com 版权所有  联系我们:gaon5@hotmail.com
迷上了代码!