1

如果你有一个文本文件:

AAA:123:123:AAAA
BBB:456:456:BBBB

起初,当文本文件中没有空行并且您读取和检索数据时。一切都很好。

当您将文件写入新文件并替换数据或更新时

AAA:9993:9993:AAAA
BBB:456:456:BBBB
-------- This is a blank line-----------

发生这种情况后,会弹出 NoSuchElementException。如果不删除空行,总是会弹出错误。

try {
File fileCI = new File("CI.txt");
FileWriter fileWriter = new FileWriter(fileCI);
BufferedWriter bw = new BufferedWriter(fileWriter); 

for (Customer ci : custList){
if (inputUser.equals(ci.getUserName()) && inputPass.equals(ci.getPassword())) {
    ci.setCardNo(newCardNo);
    ci.setCardType(newCardType);
}
    String text = ci.getRealName() + ";" + ci.getUserName() + ";" + ci.getPassword() + ";" + ci.getAddress() + ";" + ci.getContact() + ";" + ci.getcardType() + ";" + ci.getcardNo() + System.getProperty("line.separator");                                
    bw.write(text);
}
    bw.close();
    fileWriter.close();
}
catch (IOException e) {
    e.printStackTrace();
}

如果我不添加 System.getProperty("line.separator"); 字符串将被添加,所有内容都将组合成一行,没有新的分隔符。但是这个分隔符在文本文件的末尾添加了一个空行。我能做些什么来避免这个问题吗?

我应该在我阅读文件的地方解决吗?或者在我将文件写入新文件的地方解决它。

    try {
        Scanner read = new Scanner(file);

        read.useDelimiter(";|\n");
        String tmp = "";
        while (read.hasNextLine()){
            if (read.hasNext()){
                custList.add(new Customer(read.next(), read.next(), read.next(), read.next(), read.next(), read.next(), read.next()));
            } else {
                break;
            }
        }
        read.close();
    }
    catch (IOException e) {
        e.printStackTrace();
    }

编辑:上面的阅读现在完美无缺!

4

1 回答 1

1

我认为您到达文件末尾(EOF),没有剩余行,您仍在尝试读取 line 。所以你得到 NoSuchElementException(如果没有找到行)。

尝试这个:

String tmp="";
while (reader.hasNextLine()){  
   tmp = s.nextLine();
   // then do something

}

我认为您不必\n在分隔符中使用。由于我们使用scanner.hasNextLine(). 如果你想使用scanner.next(). 然后

read.useDelimiter(";|\n");

上面的行应该是:

read.useDelimiter(";|\\n");// use escape character.

并以这种方式循环。

while(s.hasNext()){ 
    //do something.
}
于 2013-04-29T13:00:26.173 回答