* 두 갈래 트리 경로 및

1441 단어 LeetCode

*124 두 갈래 트리의 최대 경로 및


비공 두 갈래 트리를 지정하고 최대 경로와 를 되돌려줍니다.
본고에서 경로는 나무의 임의의 노드에서 출발하여 임의의 노드에 도달하는 서열로 정의되었다.이 경로는 루트 노드를 거치지 않고 하나 이상의 노드를 포함합니다.
예 1:
입력: [1,2,3]
       1      /\     2   3
출력: 6 예 2:
입력: [-10,9,20,null,null,15,7]
   -10    /\  9  20     / \   15   7
출력: 42
사고방식: 거슬러 올라가다
class Solution {
    private int max=Integer.MIN_VALUE;
    public int maxPathSum(TreeNode root) {
        maxPath(root);
        return max;
    }

    private int maxPath(TreeNode root){
        if(root==null) return 0;

        //  
        int left=Math.max(maxPath(root.left),0);
        int right=Math.max(maxPath(root.right),0);

        int nowPath=root.val+left+right; // 
        max=Math.max(max,nowPath);
        return root.val+Math.max(left,right);// 
    }
}

*112. 경로 총


두 갈래 나무와 목표를 정하고 이 나무에 뿌리 노드가 잎 노드까지의 경로가 있는지 판단한다. 이 경로에 있는 모든 노드 값은 목표와 같다.
설명: 잎 노드는 하위 노드가 없는 노드를 가리킨다.
예: 다음과 같은 두 갈래 트리와 목표와sum=22,
5/\4 8///\11 134/\\7 2 1은true로 돌아갑니다. 대상과 22의 루트 노드가 잎 노드에 있는 경로 5 -> 4 -> 11 -> 2가 있기 때문입니다.
 public boolean hasPathSum(TreeNode root, int sum) {
        if(root==null) return false;

        sum-=root.val;

        if(root.left==null && root.right==null){
            return sum==0;
        }

        return hasPathSum(root.left,sum) || hasPathSum(root.right,sum);

    }

좋은 웹페이지 즐겨찾기