경로 합계 - 이진 트리

4918 단어 javascriptleetcode
이진 트리의 루트와 정수 targetSum이 주어지면 경로를 따라 모든 값을 더하면 targetSum과 같은 루트-리프 경로가 트리에 있는 경우 true를 반환합니다.

리프는 자식이 없는 노드입니다.

예 1:

입력: 루트 = [5,4,8,11,null,13,4,7,2,null,null,null,1], targetSum = 22
출력: 참
설명: 대상 합계가 있는 루트-리프 경로는 22입니다.

/**
 * Definition for a binary tree node.
 * function TreeNode(val, left, right) {
 *     this.val = (val===undefined ? 0 : val)
 *     this.left = (left===undefined ? null : left)
 *     this.right = (right===undefined ? null : right)
 * }
 */
/**
 * @param {TreeNode} root
 * @param {number} targetSum
 * @return {boolean}
 */
var hasPathSum = function(root, targetSum) {
    if (root === null) {
    return false;
  }
  const currentSum = 0;
  return checkSum(root, targetSum, currentSum);
};

const checkSum = (root, targetSum, currentSum) => {
  if (root === null) {
    return false;
  }
  currentSum = currentSum + root.val;
  if (root.left === null && root.right === null) {
    return currentSum === targetSum;
  }

  if (root.left) {
    let bool = checkSum(root.left, targetSum, currentSum);
    if (bool) {
      return bool;
    }
  }
  if (root.right) {
    let bool = checkSum(root.right, targetSum, currentSum);
    if (bool) {
      return bool;
    }
  }
    return false;
};


좋은 웹페이지 즐겨찾기