数字和的递归如何在java中工作?

时间:2016-04-23 13:28:22

标签: java recursion

我有这个代码用于通过使用递归方法调查groupSum。 我不明白递归在这个例子中是如何工作的。我使用调试但仍然不理解它。

   public class test {

    public boolean groupSum(int start, int[] nums, int target) {

        if(target == 0) 
            return true;
        if (start == nums.length)
             return false;
        if (groupSum( start+1, nums,  target-nums[start])) // what is the meaning of this line ? can we change this line to make the code easier to understand ?
            return true;
        return groupSum( start+1, nums,  target);

    }


    public static void main(String[] args) {

        int x = 0;
        int y [] = {2,4,8};
        int k = 10;

        test t = new test();
        boolean result = t.groupSum(x,y,k);
        System.out.println(result);
    }

}

由于

1 个答案:

答案 0 :(得分:2)

有两个递归调用

groupSum( start+1, nums,  target-nums[start])

如果我们减去nums[start]

处的值,请尝试查看是否可以达到剩余目标

或者我们可以在没有此号码的情况下达到目标。

groupSum( start+1, nums,  target);

调试器无法帮助您添加调试语句

public static void main(String[] args) {
    int x = 0;
    int[] y = {2, 4, 8};
    int k = 10;

    boolean result = groupSum(x, y, k);
    System.out.println(result);
}

public static boolean groupSum(int start, int[] nums, int target) {
    System.out.println("groupSum(" + start + ", " + Arrays.toString(nums) + ", " + target + ")");
    if (target == 0)
        return true;
    if (start == nums.length)
        return false;
    if (groupSum(start + 1, nums, target - nums[start]))
        return true;
    System.out.print("or ");
    return groupSum(start + 1, nums, target);
}

打印

groupSum(0, [2, 4, 8], 10)
groupSum(1, [2, 4, 8], 8)
groupSum(2, [2, 4, 8], 4)
groupSum(3, [2, 4, 8], -4)
or groupSum(3, [2, 4, 8], 4)
or groupSum(2, [2, 4, 8], 8)
groupSum(3, [2, 4, 8], 0)
true

您可以看到它尝试了所有留下-4的所有值,然后又返回并尝试不包括8,然后它尝试不包括4,结果证明是成功的