2

我正在尝试使用缓冲阅读器读取文件,但有时会跳过一行中的第一个字符。这是文件,我正在阅读: http: //files.moonmana.com/forums/Rectangle.h

这是结果,我得到:

LINE: #ifndef RECTANGLE_H
LINE: include "Shape.h"
LINE: lass Rectangle : public Shape {
LINE: rivate:
LINE: double _width;
LINE: std::vector<b2Vec2*>* _vertices;
LINE: ublic:
LINE: Rectangle(std::vector<b2Vec2*>* vertices) { _vertices = vertices;};
LINE: void createVertices();
LINE: bool isMimePoint(b2Vec2);
LINE: double getWidth(){return _width;};
LINE: void setWidth(double width);
LINE: void setHeights(double heights);
LINE: ShapeType getType();
LINE: void moveOn( b2Vec2 ,b2Vec2*);
LINE: virtual b2Vec2* getCenter();
LINE: ;
LINE: endif

这是我的源代码:

String path = file.getPath();
BufferedReader _br;
    try {
        _br = new BufferedReader(new FileReader(path));

        do {
            System.out.println("LINE: " + _br.readLine());
            lines.add(_br.readLine());
        } while (_br.read() != -1);

        _br.close();
    } catch (Exception e) {
        System.out.println("Error reading file: " + e.getMessage());
    }
4

2 回答 2

8

您正在打印每隔一行并保存每隔一行并跳过每隔一行的开头。您在三个地方读取数据并以不同的方式使用它。一旦你有 _br.read() 一个字符,它就不会再次读取它,因此它不会出现在行中。

更好的方法是使用

String line;
while((line = _br.readLine()) != null) {
   System.out.println(line);
   lines.add(line);
}

如您所见,它在一个地方读取,并且一致使用该值。

于 2012-04-19T12:14:18.517 回答
3

read-method消耗一个字符,检查 readLine 是否返回null

...
String line;
while ((line = _br.readLine()) != null) {
    System.out.println("LINE: " + line);
    lines.add(line);
}
...
于 2012-04-19T12:14:59.420 回答