Leetcode 112. 路径总和

112. 路径总和

之前做过257. 二叉树的所有路径,最直接的想法就是在这个基础上改一改。

先把找所有路径的代码撸出来:

    public static List> binaryTreePaths(TreeNode root) {
        List> res = new ArrayList<>();
        if (root == null){
            return res;
        }
        List path = new ArrayList<>();
        path.add(root);
        travel(root, res, path);
        return res;
    }

    private static void travel(TreeNode root, List> res, List path){
        if (root.left==null&&root.right==null){
            List tmp = Arrays.asList(new TreeNode[path.size()]);
            Collections.copy(tmp, path);
            res.add(tmp);
        }
        if (root.left!=null){
            path.add(root.left);
            travel(root.left, res, path);
            path.remove(path.size()-1);//回溯
        }
        if (root.right!=null){
            path.add(root.right);
            travel(root.right, res, path);
            path.remove(path.size()-1);//回溯
        }
    }

改一改:

    public boolean hasPathSum(TreeNode root, int targetSum) {
        List> res = new ArrayList<>();
        if (root == null){
            return false;
        }
        List path = new ArrayList<>();
        path.add(root);
        travel(root, res, path);

        boolean flag = false;
        for( List item: res){
            int sum = 0;
            for (TreeNode node:item){
                sum += node.val;
            }
            if (sum==targetSum){
                flag = true;
                return flag;
            }
        }
        return flag;
    }

    private void travel(TreeNode root, List> res, List path){
        if (root.left==null&&root.right==null){
            List tmp = Arrays.asList(new TreeNode[path.size()]);
            Collections.copy(tmp, path);
            res.add(tmp);
        }
        if (root.left!=null){
            path.add(root.left);
            travel(root.left, res, path);
            path.remove(path.size()-1);
        }
        if (root.right!=null){
            path.add(root.right);
            travel(root.right, res, path);
            path.remove(path.size()-1);
        }
    }

更简单的方法:

    public boolean haspathsum2(TreeNode root, int targetsum) {

        if (root == null) return false; // 为空退出

        // 叶子节点判断是否符合
        if (root.left == null && root.right == null) return root.val == targetsum;

        // 求两侧分支的路径和
        return haspathsum2(root.left, targetsum - root.val) || haspathsum2(root.right, targetsum - root.val);
    }

你可能感兴趣的:(LeetCode,leetcode,算法,java)