使用递归反转子数组的顺序

时间:2014-04-15 01:45:01

标签: java

我试图严格使用递归来反转开始和结束索引之间的子数组的顺序。例如,如果子阵列是1,2,3,4,它将变为4,3,2,1。

但是,我收到以下运行时错误:

java.lang.ArrayIndexOutOfBoundsException:-1

在finalExam.reverse(finalExam.java:13)

在finalExam.reverse(finalExam.java:17)

我不知道如何解决这个问题。

感谢。

 double[] reverse (double[] a, int start, int end) {
 if (start == end) {return a;}
 else {
 a[start] = a[end];
 a[end] = a[start];}


 return reverse (a, start+1, end-1);
}

1 个答案:

答案 0 :(得分:1)

(因为你提到考试结束了)。以下是您的代码存在的问题:

  • 您的支票应为start >= end
  • 您交换两个号码的代码不正确。

这是正确的解决方案:

public static double[] reverse (double[] a, int start, int end) {
    if (start >= end) {
        return a;
    }
    else {
        // this code will swap two elements
        double temp = a[start];
        a[start] = a[end];
        a[end] = temp;
    }
    return reverse (a, start+1, end-1);
}