[알고리즘]_[LeetCode]- 112. Path Sum

SAPCO·2022년 7월 27일
0

- [Algorithm]

목록 보기
12/13

📍 1. 문제

LeetCode - 112. Path Sume

📍 2. 풀이

📌 2-1. 풀이 (reculsive)

(1) 방법

DFS 재귀로 풀이하는 방법
문제를 잘 읽자.

if the tree has a root-to-leaf path such that adding up all the values along the path equals targetSum.

A leaf is a node with no children.

루트 - 리프까지 다 더한것이 targetSum과 같아야하며, 리프는 자식이 없는 노드이다.

루트부터 자식까지 한 경로상의 모든 값을 더한 값이 targetSum과 같아야 true이다.

node.val과 targetsum의 범위가 음수까지 있으므로 확인하고 풀어야한다.

(2) 코드

/**
 * Definition for a binary tree node.
 * public class TreeNode {
 *     int val;
 *     TreeNode left;
 *     TreeNode right;
 *     TreeNode() {}
 *     TreeNode(int val) { this.val = val; }
 *     TreeNode(int val, TreeNode left, TreeNode right) {
 *         this.val = val;
 *         this.left = left;
 *         this.right = right;
 *     }
 * }
 */
class Solution {
    public boolean hasPathSum(TreeNode root, int targetSum) {
        if(root == null) return false;
        
        int targetVal = targetSum - root.val;
        if(root.left == null && root.right == null && targetVal == 0) return true;
        
        boolean lS = hasPathSum(root.left, targetVal);
        boolean rS = hasPathSum(root.right, targetVal);
        
        return lS || rS;
        
    }
}

(3) 결과

📍 3. 결론

dfs의 stack
bfs 방법으로도 풀어보기

profile
SAP CO

0개의 댓글