[세 번] 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);
}
}
이 내용에 흥미가 있습니까?
현재 기사가 여러분의 문제를 해결하지 못하는 경우 AI 엔진은 머신러닝 분석(스마트 모델이 방금 만들어져 부정확한 경우가 있을 수 있음)을 통해 가장 유사한 기사를 추천합니다:
[BOJ] 5568 카드 놓기아이디어 Level이 0일 때, 즉 아직 카드를 고르지 않았을 때 StringBuilder를 생성하고 sb에 고른 카드를 담도록 하였다. 이후 해당 노드 탐색을 종료하면 sb에 담은 카드를 삭제해 주었다....
텍스트를 자유롭게 공유하거나 복사할 수 있습니다.하지만 이 문서의 URL은 참조 URL로 남겨 두십시오.
CC BY-SA 2.5, CC BY-SA 3.0 및 CC BY-SA 4.0에 따라 라이센스가 부여됩니다.