其他分享
首页 > 其他分享> > LeetCode 0129 Sum Root to Leaf Numbers

LeetCode 0129 Sum Root to Leaf Numbers

作者:互联网

原题传送门

1. 题目描述


2. Solution 1

1、思路分析
DFS,从根结点开始,遍历每个结点,如果遇到叶子结点,则将叶子结点对应的数字加到数字之和。如果当前不是叶子结点,则计算其子结点对应的数字,然后对子节点递归遍历。

2、代码实现

package Q0199.Q0129SumRoottoLeafNumbers;

import DataStructure.TreeNode;

// DFS
public class Solution {
    public int sumNumbers(TreeNode root) {
        return sumAux(root, 0);
    }

    private int sumAux(TreeNode root, int res) {
        if (root == null) return 0;
        if (root.right == null && root.left == null) return res * 10 + root.val;
        return sumAux(root.left, res * 10 + root.val) + sumAux(root.right, res * 10 + root.val);
    }
}

3、复杂度分析
时间复杂度: O(n)
空间复杂度: O(n)

标签:结点,return,val,res,Sum,0129,sumAux,Leaf,root
来源: https://www.cnblogs.com/junstat/p/16287140.html