博客
关于我
强烈建议你试试无所不能的chatGPT,快点击我
[LeetCode] Sum Root to Leaf Numbers 求根到叶节点数字之和
阅读量:6561 次
发布时间:2019-06-24

本文共 1014 字,大约阅读时间需要 3 分钟。

 

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.

 

这道求根到叶节点数字之和的题跟之前的求很类似,都是利用DFS递归来解,这道题由于不是单纯的把各个节点的数字相加,而是每到一个新的数字,要把原来的数字扩大10倍之后再相加。代码如下:

 

/** * 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) {        return sumNumbersDFS(root, 0);    }    int sumNumbersDFS(TreeNode *root, int sum) {        if (!root) return 0;        sum = sum * 10 + root->val;        if (!root->left && !root->right) return sum;        return sumNumbersDFS(root->left, sum) + sumNumbersDFS(root->right, sum);    }};

 

转载地址:http://vtzjo.baihongyu.com/

你可能感兴趣的文章
MySQL的主从复制与读写分离原理
查看>>
创建https型的webServices
查看>>
luaCPU性能测试
查看>>
mysql优化
查看>>
【批处理】for循环中产生不同的随机数
查看>>
Gradle -help
查看>>
/etc/security/limits.conf
查看>>
js 框架
查看>>
android 实现ListView中添加RaidoButton单选
查看>>
IOS属性--UIWebView
查看>>
CAS简单理解
查看>>
局域网不能访问 CentOS 的端口解决方案
查看>>
使用OkHttp实现HttpClient请求
查看>>
vue--变异方法
查看>>
js操作集合类
查看>>
Python3学习日志 面向对象编程
查看>>
ubuntu安装git
查看>>
添加自定义监控项目、邮件告警
查看>>
Redis服务器设置密码后,使用service redis stop 会出现以下信息:Waiting for Redis to shutdown ......
查看>>
如何从eclipse编程工具中的项目移植到idea编程工具
查看>>