10

我有几个类旨在模拟图书目录。我有一个书籍类(isbn、title 等)、一个 BookNode 类、一个 BookCatalog(它是书籍的 LinkedList)和一个驱动程序类(gui)。我的问题是我在 BookCatalog 中有一个 toString() 方法,它应该返回所有书籍的字符串表示形式。Book 类还覆盖 toString()。我应该让书的每个字段用“标签”分隔,每本书用“新行”分隔。当我尝试使用 PrintStream 将图书目录打印到 .txt 文件时,\n 没有注册。

我试图将其更改为 System.getProperty(line.separator) 以正确显示书目。但是现在,我遇到了一个问题,即扫描程序无法正确读取文件并引发“NoSuchElementException”。如何让扫描仪 1) 忽略 line.separator 或 2) 使用 printStream \n?

图书.java

public String toString(){
        return isbn+"\t"+lastName+"\t"+firstName+"\t"+title+"\t"+year+"\t"+
            String.format("%.2f",price);

图书目录.java

public String toString() {
        BookNode current = front;
        String s="";
        System.out.println(s);
        while (current!=null){
            //each book is listed on separate line
            s+=current.getData().toString()+"\n ";//System.getProperty("line.separator")
            current = current.getNext();
        }
        return s;
    }

驱动程序.java

public void loadDirectory() throws FileNotFoundException {
        if (f.exists()){
            Scanner input = new Scanner(f);
            while (input.hasNextLine()){
                String bookLine = input.nextLine();
                processBookLine(bookLine);
            }
        }
    }

public void processBookLine(String line){
        Scanner input = new Scanner(line);
        String isbn = input.next();
        String lastName = input.next();
        String firstName = input.next();

        String title = input.next();
        while (input.hasNext() && !input.hasNextInt()){//while next token is not an integer
            title += " "+input.next();
        }
        int year = input.nextInt();
        double price = input.nextDouble();
        Book book = Book.createBook(isbn, lastName, firstName, title, year, price);
        if (book!=null){
            catalog.add(book);
        }
    }
4

1 回答 1

31

换行符\n不是某些操作系统中的行分隔符(例如 Windows,它是“\r\n”) - 我的建议是你改用\r\n它,然后它只会看到换行符\nand \r\n,我使用它从来没有任何问题。

此外,您应该考虑使用 aStringBuilder而不是String在 while 循环中连接 at BookCatalog.toString(),它更有效。例如:

public String toString() {
        BookNode current = front;
        StringBuilder sb = new StringBuilder();
        while (current!=null){
            sb.append(current.getData().toString()+"\r\n ");
            current = current.getNext();
        }
        return sb.toString();
}
于 2013-03-19T23:29:57.033 回答