2

我正在尝试使用 opencsv ( http://opencsv.sourceforge.net/ )。opencsv 的下载中包含示例。这是他们创建动态数组的示例的摘录:

CSVReader reader = new CSVReader(new FileReader(ADDRESS_FILE));
String [] nextLine;
while ((nextLine = reader.readNext()) != null) {
    System.out.println("Name: [" + nextLine[0] + "]\nAddress: [" + nextLine[1] + "]\nEmail: [" + nextLine[2] + "]");
}

它读取的 CSV 文件如下:

Joe Demo,"2 Demo Street, Demoville, Australia. 2615",joe@someaddress.com
Jim Sample,"3 Sample Street, Sampleville, Australia. 2615",jim@sample.com
Jack Example,"1 Example Street, Exampleville, Australia. 2615",jack@example.com

如果我将 println 语句移到 while 循环之外,我会在 Eclipse 中得到一个错误:“空指针访问:变量 nextLine 在这个位置只能为空。”

我的猜测是 nextLine 有一个指针当前指向它的最后一个位置或超过它的最后一个位置。我想我的问题是,我如何控制那个指针?

4

1 回答 1

2

你退出循环,当nextLine == null. 因此,当您将println语句移出循环时,nextLine就是null. 这个错误"Null pointer access: the variable nextLine can only be null at this location."完全有道理。

要访问您在循环之后读取的所有内容,您可以执行以下操作:

在进入循环之前添加:

List<String[]> readLines = new ArrayList<>();

并在循环中这样做:

readLines.add(nextLine);

因此,在循环之后,您可以从列表中读取所有已读取的行readLines

于 2012-11-10T23:21:12.187 回答