是什么导致java.lang.arrayindexoutofboundsexception以及如何防止它?

7tofc5zh  于 2021-06-29  发布在  Java
关注(0)|答案(17)|浏览(472)

是什么 ArrayIndexOutOfBoundsException 我的意思是我该怎么摆脱它?
下面是触发异常的代码示例:

String[] names = { "tom", "bob", "harry" };
for (int i = 0; i <= names.length; i++) {
    System.out.println(names[i]);
}
rxztt3cl

rxztt3cl16#

这意味着您正试图访问无效数组的索引,因为它不在边界之间。
例如,这将初始化一个上界为4的原始整数数组。

int intArray[] = new int[5];

程序员从零开始计数。所以这个例子会抛出一个 ArrayIndexOutOfBoundsException 因为上限是4而不是5。

intArray[5];
cetgtptt

cetgtptt17#

在代码中,您访问了从索引0到字符串数组长度的元素。 name.length 给出字符串对象数组中字符串对象的数目,即3,但最多只能访问索引2 name[2] ,因为可以从索引0到 name.length - 1 你去哪了 name.length 对象数。
即使在使用 for 循环以索引0开始,应该以 name.length - 1 . 在数组a[n]中,可以从a[0]访问a[n-1]。
例如:

String[] a={"str1", "str2", "str3" ..., "strn"};

for(int i=0; i<a.length(); i++)
    System.out.println(a[i]);

就你而言:

String[] name = {"tom", "dick", "harry"};

for(int i = 0; i<=name.length; i++) {
    System.out.print(name[i] +'\n');
}

相关问题