0

我不确定为什么当我打印出来时,我的数组开头会出现 nullPointerException(请参阅最后一个 println)。我以前见过 nullPointException 但它位于数组的末尾。我不明白为什么是一开始。另外,如果有人可以帮助摆脱异常,我将不胜感激。

import java.io.File;
import java.io.FileNotFoundException;
import java.util.Scanner;


public class Main {
    public static void main(String[] args) throws FileNotFoundException {

        File file = new File("Book.txt");
        Scanner sc = new Scanner(file);

        Book[] books = new Book[20];

        int x = 0;
        while(sc.hasNext()){
            int id, year;
            String name, author;

            //scan data for each book and create new book object
            id = Integer.valueOf(sc.next());
            year = Integer.valueOf(sc.nextLine().trim());
            name = sc.nextLine();
            author = sc.nextLine();

            books[x] = new Book(id, name, year, author);
            x++;
        }

        for(Book b : books){
            System.out.println(b.toString());
        }

    }

}
4

1 回答 1

4

您的程序非常脆弱。它期望文件正好有 20 本书:如果输入的书少于 20 本书,您将在打印循环中得到一个空指针异常;如果输入超过 20 本书,在阅读循环中会出现数组索引越界异常。

您应该使用简单的 更改for-in循环for,并为从文件中读取的书籍数量添加限制,如下所示:

while(sc.hasNext() && x < 20) {
    ...
}
for (int i = 0 ; i != x ; i++) {
    System.out.println(books[i].toString());
}

如上所述重组的程序的宽容度要小得多:它不会在输入少于 20 本书时崩溃,而是会打印与文件中一样多的条目。当文件中的书籍多于您预先分配的数组中的书籍时,第 20 本书之后的书籍将被悄悄地忽略。

于 2013-02-22T01:21:34.830 回答