美文网首页
112.路径总和

112.路径总和

作者: 皮蛋豆腐酱油 | 来源:发表于2019-06-04 11:18 被阅读0次

    给定一个二叉树和一个目标和,判断该树中是否存在根节点到叶子节点的路径,这条路径上所有节点值相加等于目标和。
    说明: 叶子节点是指没有子节点的节点。

    /**
     * Definition for a binary tree node.
     * public class TreeNode {
     *     int val;
     *     TreeNode left;
     *     TreeNode right;
     *     TreeNode(int x) { val = x; }
     * }
     */
    class Solution {
        public boolean hasPathSum(TreeNode root, int sum) {
            if(root == null){
                return false;
            }
            if(root.left == null && root.right == null && root.val == sum){
                return true;
            }
            if(root.left == null && root.right == null && root.val != sum){
                return false;
            }
            boolean left = false, right = false;
            sum -= root.val;
            if(root.left != null){
                left = hasPathSum(root.left, sum);
            }
            if(root.right != null){
                right = hasPathSum(root.right, sum);
            }
            if(left || right){
                return true;
            }
            return false;
        }
        
    }
    

    相关文章

      网友评论

          本文标题:112.路径总和

          本文链接:https://www.haomeiwen.com/subject/pnklxctx.html