LeetCode 129. Sum Root to Leaf Numbers

10-10 LeetCode 129. Sum Root to Leaf Numbers

Sum Root to Leaf Numbers

Description

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.

给你一个二叉树,二叉树的结点值只可能为数字0-9中的一个,每一个根结点到叶子结点的路径代表一个数字。

比如一个根结点到叶子结点的路径为1->2->3,代表数字123.

题目要求为找出所有根结点到叶子结点路径代表的数字的和。

举一个例子:
根结点1,左子树2,右子树3.

左边路径代表12,右边代表13,和为12+13=25

Solution 1:

二叉树的题目大多数都是用递归解决的,所以看到题目的第一眼我就想着如何使用递归的算法求解。

递归时将上一个结点的值*10带入下一次递归中就可以实现题目要求的数字表示方法。递归终止条件为到达叶子结点,即没有左右结点,这是将该路径得到的值加入一个全局变量,该全局变量就是最后返回的结果。

递归判断递归条件时也有一些细节,如果一个结点既有左孩子,又有右孩子,则需要递归左孩子和右孩子结点,但是如果只有一个孩子,则只递归该孩子结点,如果没有孩子则将值加入全局变量。

代码如下:

`class Solution(object):

def sumNumbers(self, root):
    """
    :type root: TreeNode
    :rtype: int
    """
    if not root:
        return 0
    result, num = [0], 0
    self.get_sum(root, result, num)
    return result[0]
    
def get_sum(self, root, result, temp):
    if root.left and root.right:
        self.get_sum(root.left, result, temp*10+root.val)
        self.get_sum(root.right, result, temp*10+root.val)
    elif root.left:
        self.get_sum(root.left, result, temp*10+root.val)
    elif root.right:
        self.get_sum(root.right, result, temp*10+root.val)
    else:
        result[0] += temp*10 + root.val`

Solution 2

方法2是对方法1的一个优化。方法1的虽然可以在LeetCode上Accept,但是运行时间排名比较靠后,我参考了一下运行较快的方法。

方法2的大致思想跟方法1是差不多的,都是一个结点一个结点遍历下去。但是递归虽然看起来简洁明了,但是需要额外的堆栈,是一个耗时操作。递归的实现就是通过堆栈,所以自己设计一个堆栈的数据结构就能大大提高运行效率。理解后也十分简单·我的堆栈算法实现如下:

代码

class Solution(object):

def sumNumbers(self, root):
    if not root:
        return 0
    stack, res = [(root, root.val)], 0
    while stack:
        node, value = stack.pop()
        if node:
            if not node.left and not node.right:
                res += value
            if node.right:
                stack.append((node.right, value*10+node.right.val))
            if node.left:
                stack.append((node.left, value*10+node.left.val))
    return res

感想

很尴尬,其实今天做的不是这一题,因为在想做这个长期项目之前,我已经刷了100题左右了,简单一些的题目已经做完了,但是遗憾的是水平没有提高很多,所以经常遇到不会的题目,只好先把之前做过的题目拿出来凑下数。待我钻研出今天的题目,会在以后补上。

你可能感兴趣的:(LeetCode 129. Sum Root to Leaf Numbers)