我正在编写一个简单的Java代码,在输入第一个输入后出现此错误:

Exception in thread "main" java.lang.ArrayIndexOutOfBoundsException: Index 0 out of bounds for length 0
at university.GetStudentSpect(university.java:26)
at university.main(university.java:11)


码:

import java.util.Scanner;
public class university {
    public static Scanner Reader = new Scanner(System.in);
    public static int n;
    public static int m=0;
    public static int l;
    public static StringBuilder SConverter = new StringBuilder();
    public static void main(String[] args) {
        GetStudentsNumber();
        GetStudentSpect();
    }

    public static void GetStudentsNumber() {
        System.out.println("enter the number of students");
        n = Reader.nextInt();
    }
    public static String [][] StudentSpect = new String [n][2];

    public static void GetStudentSpect() {
        for (int i=0;i<n;i++) {
            System.out.println("enter the name of the student");
            StudentSpect[i][0] = SConverter.append(Reader.nextInt()).toString();
            System.out.println("enter the id of the student");
            StudentSpect[i][1] = SConverter.append(Reader.nextInt()).toString();
            System.out.println("enter the number of courses of the student");
            l = Reader.nextInt();
            m += l;
            StudentSpect[i][2] = SConverter.append(l).toString();
        }
    }
}

最佳答案

首次加载该类时,将执行静态代码。这意味着,您必须在StudentSpec方法运行之前初始化main。这又意味着尚未为n分配值,因此它默认为0。因此,StudentSpec是尺寸为零乘以2的数组。 (请注意,是否将代码与所有其他变量一起使用来初始化StudentSpec还是稍后在类中使用,所有静态内容都首先被初始化。)

然后,您在main中的代码将运行,并调用GetStudentsNumber,它会设置n,但不会再次初始化StudentSpec。然后GetStudentSpect运行,当您尝试访问StudentSpec时,程序崩溃,因为它是一个零元素数组。

要解决此问题,请在读取StudentSpec后在GetStudentsNumber中初始化n,即,将代码从静态初始值设定项移至此方法。

10-06 07:28