[세 번] Lintcode 1353.뿌리 노드에서 잎 노드로 화합을 구하다

0-9로부터 온 숫자만 포함하는 두 갈래 나무를 지정합니다. 뿌리부터 잎까지의 경로마다 숫자를 표시할 수 있습니다.예를 들어:root-to-leaf 경로1-> 2-> 3, 숫자123를 대표하며, 모든 뿌리에서 잎까지의 수의 총계를 찾습니다.

예제


Example:
Input: [1,2,3]
    1
   / \
  2   3
Output: 25
Explanation:
The root-to-leaf path 1->2 represents the number 12.
The root-to-leaf path 1->3 represents the number 13.
Therefore, sum = 12 + 13 = 25.

Example 2:
Input: [4,9,0,5,1]
    4
   / \
  9   0
 / \
5   1
Output: 1026
Explanation:
The root-to-leaf path 4->9->5 represents the number 495.
The root-to-leaf path 4->9->1 represents the number 491.
The root-to-leaf path 4->0 represents the number 40.
Therefore, sum = 495 + 491 + 40 = 1026.

주의사항


잎 노드는 하위 노드가 없는 노드이다

문제 해결 방법:


DFS.
/**
 * Definition of TreeNode:
 * public class TreeNode {
 *     public int val;
 *     public TreeNode left, right;
 *     public TreeNode(int val) {
 *         this.val = val;
 *         this.left = this.right = null;
 *     }
 * }
 */

public class Solution {
    /**
     * @param root: the root of the tree
     * @return: the total sum of all root-to-leaf numbers
     */
    public int sumNumbers(TreeNode root) {
        // write your code here
        return dfs(root, 0);
    }
    
    private int dfs(TreeNode root, int prev){
        if(root == null) 
            return 0;

        int sum = root.val + prev * 10;
        if(root.left == null && root.right == null) {
            return sum;
        }

        return dfs(root.left, sum) + dfs(root.right, sum);
    }
}

좋은 웹페이지 즐겨찾기