Java:在不锁定文件的情况下打开和读取文件

2022-09-04 21:31:52

我需要能够用Java模仿“tail -f”。我正在尝试读取日志文件,因为它正在被另一个进程写入,但是当我打开文件读取它时,它会锁定文件,而另一个进程无法再写入它。任何帮助将不胜感激!

以下是我当前使用的代码:

public void read(){
    Scanner fp = null;
    try{
        fp = new Scanner(new FileReader(this.filename));
        fp.useDelimiter("\n");
    }catch(java.io.FileNotFoundException e){
        System.out.println("java.io.FileNotFoundException e");
    }
    while(true){
        if(fp.hasNext()){
            this.parse(fp.next());
        }           
    }       
}

答案 1

由于一些特殊情况,如文件截断和(中间)删除,重建尾部很棘手。要在不锁定的情况下打开文件,请使用新的Java文件API,如下所示:StandardOpenOption.READ

try (InputStream is = Files.newInputStream(path, StandardOpenOption.READ)) {
    InputStreamReader reader = new InputStreamReader(is, fileEncoding);
    BufferedReader lineReader = new BufferedReader(reader);
    // Process all lines.
    String line;
    while ((line = lineReader.readLine()) != null) {
        // Line content content is in variable line.
    }
}

有关我在Java中创建尾巴的尝试,请参阅:

您可以随意从该代码中获取灵感,或者只是复制您需要的部分。如果您发现我不知道的任何问题,请告诉我。


答案 2

在此处查看 FileChannel API。要锁定文件,您可以在此处查看


推荐