LeetCode 경로 총화 112

Given a binary tree and a sum, determine if the tree has a root-to-leaf path such that adding up all the values along the path equals the given sum.
Note: A leaf is a node with no children.
Example:
Given the below binary tree and sum = 22 ,
      5
     / \
    4   8
   /   / \
  11  13  4
 /  \      \
7    2      1

return true, as there exist a root-to-leaf path 5->4->11->2 which sum is 22.
이 진 트 리 와 구 화 를 지정 하고 나무 가 뿌리 에서 잎 까지 의 경 로 를 가지 고 있 는 지 확인 하 며 경로 의 모든 값 을 주어진 총화 와 같 게 합 니 다.
사고의 방향
오류 분석
처음에 제 코드 가 이 랬 어 요.
1. 루트 가 NULL 이 고 sum 이 0 이면 경 로 를 찾 는 것 과 같 습 니 다.
2. 그렇지 않 으 면 목표 sum 에서 찾 은 경로 값 을 빼 고 좌우 하위 트 리 에 경로 가 있 는 지 재 귀적 으로 옮 겨 다 닙 니 다.
미결 원인
Input:[]
0
Output:true
Expected:false
즉, 문제 의 뜻 을 잘못 이해 한 것 이다. 뿌리 가 없 을 때 sum 이 0 이 라 고 해도 경 로 를 찾 을 수 없다.
/**
 * Definition for a binary tree node.
 * struct TreeNode {
 *     int val;
 *     struct TreeNode *left;
 *     struct TreeNode *right;
 * };
 */
bool hasPathSum(struct TreeNode* root, int sum) {
    if(!root && sum == 0) return true;
    if(root){
        sum -= root->val;
        return hasPathSum(root->left, sum) || hasPathSum(root->right, sum);
    }
    return false;
}

교정 하 다.
어디 가 틀 렸 지?
트 루 로 돌아 가 는 조건 을 다시 정리 합 니 다. 루트 가 NULL 일 때 트 루 로 돌아 갈 수 없습니다.
그래서 새로운 판단 조건 은 루트 & root - > left = = NULL & & root - > right = = NULL & & sum = = root - > val
여기 sum 은 판단 = = 0 이 아니 라 root - > val 입 니 다.
/**
 * Definition for a binary tree node.
 * struct TreeNode {
 *     int val;
 *     struct TreeNode *left;
 *     struct TreeNode *right;
 * };
 */
bool hasPathSum(struct TreeNode* root, int sum) {
    if(root && root->left == NULL && root->right == NULL && sum == root->val) return true;
    if(root){
        sum -= root->val;
        return hasPathSum(root->left, sum) || hasPathSum(root->right, sum);
    }
    return false;
}

좋은 웹페이지 즐겨찾기