0

我有一个遍历目录的函数,应该读取每个文件并将其写入生成的 HTML 文件。BufferedReader 应该正确读取,因为我在其他地方使用相同的东西。但是,在生成的 HTML 文件中,我只从目录中的原始文件中获取每隔一行的数据。这是应该完成此操作的方法:

// Tests to see if "File" is actually a directory or file,
// then writes out the file if it passes the test
void writeFiles(File directory, BufferedWriter bw) {
    try{
        for( File file : directory.listFiles() ){
            if(!file.isDirectory()) {//is a file lets read it
                FileInputStream filestream = new FileInputStream(file);
                DataInputStream in = new DataInputStream(filestream);
                BufferedReader br = new BufferedReader(new InputStreamReader(in));
                String buff = new String();
                bw.write("<b>////////////////////////////////</b><br/>");
                bw.write("<b>File: " + file.getName() + "</b><br/>");
                bw.write("<b>////////////////////////////////</b><br/>");
                while((buff=br.readLine()) != null){
                    bw.write(br.readLine() + "<br/>");
                }
                bw.write("`<br/>`");
                bw.write("`<br/>`");

           }else {//will make it a recursive search
               writeFiles(file, bw);
           }
        }
    }catch(FileNotFoundException fnf){
        fnf.printStackTrace();
    }
    catch(IOException io){
        io.printStackTrace();
    }
}

对于问题中代码的错误格式,我深表歉意。由于 HTML,预格式化的文本不会让我的代码正确显示。但是,我绝对认为我的代码中存在文件 I/O 问题。有谁知道它是 BufferedReader 还是 BufferedWriter?谢谢。

4

1 回答 1

6

这是你的问题:

while((buff=br.readLine()) != null){
  bw.write(br.readLine() + "<br/>");
}

您正在调用 br.readLine() 两次。

尝试:

while((buff=br.readLine()) != null){
  bw.write(buff + "<br/>");
}
于 2012-07-11T19:25:31.933 回答