Java 如何从目录的文件中读取数据

Java 如何从目录的文件中读取数据,java,Java,如何从目录的第一个文件打印第一个字,从第二个文件打印第二个字,从同一目录的第三个文件打印第三个字 public class FIlesInAFolder { private static BufferedReader br; public static void main(String[] args) throws IOException { File folder = new File("C:/filesexamplefold

如何从目录的第一个文件打印第一个字,从第二个文件打印第二个字,从同一目录的第三个文件打印第三个字

    public class FIlesInAFolder {

        private static BufferedReader br;

        public static void main(String[] args) throws IOException {
            File folder = new File("C:/filesexamplefolder");
            FileReader fr = null;

            if (folder.isDirectory()) {
                for (File fileEntry : folder.listFiles()) {
                    if (fileEntry.isFile()) {
                        try {
                            fr = new FileReader(folder.getAbsolutePath() + "\\" + fileEntry.getName());
                            br = new BufferedReader(fr);
System.out.println(""+br.readLine());
                        }
                        catch (FileNotFoundException e) {
                            e.printStackTrace();
                        }
                        finally {
                            br.close();
                            fr.close();
                        }
                    }
                }
            }
        }
    }

类似下面的内容将从第一个文件读取第一个单词,从第二个文件读取第二个单词。。。第n个文件中的第n个字。您可能需要做一些额外的工作来提高代码的稳定性

i am able to open directory and print the line from each file of the directory,
but tell me how to print the first word from first file and second word from second file and so on . . 

从数据目录中读取数据并不容易…请为每个文件创建不同的流,修改以下问题您有新的FileReader(folder.getAbsolutePath()+“\\”+fileEntry.getName()),其中新的FileReader(fileEntry)将完全读取邮件正文
import java.io.File;
import java.io.IOException;
import java.io.FileReader;
import java.io.BufferedReader;
import java.io.FileNotFoundException;

public class SOAnswer {

    private static void printFirst(File file, int offset) throws FileNotFoundException, IOException {

        FileReader fr = new FileReader(file);
        BufferedReader br = new BufferedReader(fr);

        String line = null;
        while ( (line = br.readLine()) != null ) {
            String[] split = line.split(" ");
            if(split.length >= offset) {
                String targetWord = split[offset];
            } 
            // we do not care if files are read that do not match your requirements, or 
            // for reading complete files as you only care for the first word
            break;
        }

        br.close();
        fr.close(); 
    }

    public static void main(String[] args) throws Exception  {
         File folder = new File(args[0]);
         if(folder.isDirectory()) {
             int offset = 0;
             for(File fileEntry : folder.listFiles()) {
                 if(fileEntry.isFile()) {
                     printFirst(fileEntry, offset++); // handle exceptions if you wish
                }
            }
        }
    }
}