使用Java中的Divide and Conquer查找最大数字

时间:2015-10-03 01:46:56

标签: java recursion divide-and-conquer

我试图使用Divide and Conquer Method(递归)在数组中找到最大数字。但是当我编译这段代码时,我得到的是ArrayIndexOutOfBounds异常。

我不知道我哪里出错了。这是我的代码片段:

public class ... {
  int[] A = {2,4,5,1,6,7,9,3};
  int max;

  public void solution() {
    max = findMax(0, A.length-1);
    //print max
  }

  private int findMax(int a, int b){    
    if(b-a == 1){
        return A[a]>A[b] ? A[a] : A[b];
    }
    else if(a==b){
        return A[a];
    }

    return findMax(findMax(a, (a+b)/2), findMax((a+b)/2 +1, b));
  }

}

2 个答案:

答案 0 :(得分:1)

我不认为这是递归的最佳用法。但是,我认为这会更容易理解。希望它有所帮助,欢呼!

public static int maxI(int[] x, i index){
  if (index > 0) 
  {
    return Math.max(x[i], maxI(x, i-1))
  } 
  else 
  {
    return x[0];
  }
}

答案 1 :(得分:1)

问题出在你的最后一行:

return findMax(findMax(a, (a+b)/2), findMax((a+b)/2 +1, b));

这将使用findMax()方法的结果作为另一个findMax()调用的参数,这意味着它们将用作数组的索引。这会给你一个错误的结果或导致ArrayIndexOutOfBoundsException

您要做的是返回两个findMax()来电的最大值:

return Math.max(findMax(a, (a+b)/2), findMax((a+b)/2 + 1, b));