为什么在第二个For循环中给我ArrayIndexOutOfBoundsException
?
public class Ass1Ques2 {
void rotate() {
int[] a = {3, 8, 9, 7, 6};
int r = 2;
int[] t1 = new int[(a.length - r) + 1];
int[] t2 = new int[r + 1];
for (int y = 0; y <= r; y++) {
t2[y] = a[y];
}
// This loop is giving error
for (int i = 0; i <= a.length - r; i++) {
t1[i] = a[i + r];
}
for (int f = 0; f <= t1.length; f++) {
System.out.println(t1[f] + " ");
}
for (int n = 0; n <= t2.length; n++) {
System.out.println(t2[n] + " ");
}
}
public static void main(String[] args) {
Ass1Ques2 r = new Ass1Ques2();
r.rotate();
}
}
我不知道如何解决这个错误,我想我给了t2正确的长度 我想根据r。
在内部顺时针旋转阵列答案 0 :(得分:1)
您访问a[i+r]
,考虑循环的最后一次迭代。 i = a.length-r
所以i+r = a.length-r + r = a.length
超出范围。
如果要旋转数组,我建议使用模数(%)运算符来计算索引的新位置。所以在实践中,将旋转添加到所有索引并在数组长度上模数以获得新位置。
答案 1 :(得分:0)
在循环的最后一次迭代中,您将访问a.length,它返回从1开始的数组的整个长度;这会导致IndexOutOfBounds异常,因为索引从0开始。为了解决这个问题,只需执行:
for (int i = 0; i < a.length - r; i++) {
t1[i] = a[i + r];
}
这将阻止for循环以等号迭代到数组的 very 最后一个位置,这会导致IndexOutOfBounds异常。