Java 中的 ArrayIndexOutOfBoundsException 与 IndexOutOfBoundsException?
IndexOutOfBoundsException
当您访问超出其范围的类型(String、数组、集合)索引处的元素时,会抛出此类异常。它是 ArrayIndexOutOfBoundsException 和 StringIndexOutOfBoundsException 的超类。
ArrayIndexOutOfBoundsException
数组是一种数据结构/容器/对象,用于存储相同类型元素的固定大小的顺序集合。数组的大小/长度在创建时确定。
数组中元素的位置称为索引或下标。数组的第一个元素存储在索引 0 处,第二个元素存储在索引 1 处,依此类推。
您可以使用类似于对象的 new 关键字创建一个数组,并使用索引填充它,或者您可以直接使用花括号分配值,用逗号 (,) 将它们分隔开,例如 −
int myArray[] = new int[7]; myArray[0] = 1254; myArray[1] = 1458; myArray[2] = 5687; myArray[3] = 1457; myArray[4] = 4554; myArray[5] = 5445; myArray[6] = 7524; int myArray = {1254, 1458, 5687, 1457, 4554, 5445, 7524};
数组中的每个元素都使用表达式访问,该表达式包含数组的名称,后跟方括号中所需元素的索引。
System.out.println(myArray[3]); //prints 1457
通常,数组的大小是固定的,每个元素都使用索引访问。例如,我们创建了一个大小为 7 的数组。那么访问此数组元素的有效表达式将是 a[0] 到 a[6](长度-1)。
每当您使用 –ve 值或大于或等于数组大小的值时,就会抛出 ArrayIndexOutOfBoundsException。
例如,如果您执行以下代码,它会显示数组中的元素并要求您提供索引以选择元素。由于数组的大小为 7,因此有效索引将为 0 到 6。
示例
import java.util.Arrays; import java.util.Scanner; public class AIOBSample { public static void main(String args[]){ int[] myArray = {1254, 1458, 5687,1457, 4554, 5445, 7524}; System.out.println("数组中的元素为:"); System.out.println(Arrays.toString(myArray)); Scanner sc = new Scanner(System.in); System.out.println("输入所需元素的索引:"); int element = sc.nextInt(); System.out.println("给定索引中的元素是 :: "+myArray[element]); } }
但是,如果您观察以下输出,我们请求了索引为 9 的元素,因为它是无效索引,因此引发了 ArrayIndexOutOfBoundsException 并终止执行。
运行时异常
数组中的元素为: [897, 56, 78, 90, 12, 123, 75] 输入所需元素的索引: 7 Exception in thread "main" java.lang.ArrayIndexOutOfBoundsException: 7 at AIOBSample.main(AIOBSample.java:12)
StringIndexOutOfBoundsException
在 Java 中,字符串用于存储字符序列,它们被视为对象。java.lang 包的 String 类表示一个字符串。
您可以使用 new 关键字(像任何其他对象一样)或通过为文字分配值(像任何其他原始数据类型一样)来创建字符串。
String stringObject = new String("Hello how are you"); String stringLiteral = "Welcome to Tutorialspoint";
由于字符串存储的是字符数组,就像数组一样,每个字符的位置都由索引(从 0 开始)表示。例如,如果我们创建了一个字符串作为 −
String str = "Hello";
其中的字符定位为 −
如果您尝试访问索引大于其长度的字符串的字符,则会抛出 StringIndexOutOfBoundsException。
示例
Java 中的 String 类提供了各种方法来操作字符串。您可以使用此类的 charAt() 方法在特定索引处找到字符。
此方法接受指定字符串索引的整数值,并返回字符串中指定索引处的字符。
在下面的 Java 程序中,我们创建一个长度为 17 的字符串,并尝试打印索引为 40 的元素。
public class Test { public static void main(String[] args) { String str = "Hello how are you"; System.out.println("字符串的长度: "+str.length()); for(int i=0; i<str.length(); i++) { System.out.println(str.charAt(i)); } //访问大于字符串长度的元素 System.out.println(str.charAt(40)); } }
运行时异常
由于我们访问的元素的索引大于其长度,因此会引发 StringIndexOutOfBoundsException。
字符串的长度:17 H e l l o h o w a r e y o u Exception in thread "main" java.lang.StringIndexOutOfBoundsException: String index out of range: 40 at java.base/java.lang.StringLatin1.charAt(Unknown Source) at java.base/java.lang.String.charAt(Unknown Source) at Test.main(Test.java:9)