Java中的文件变更监听器

112

我希望在文件系统中的文件被更改时收到通知。 我只找到了一个轮询lastModified文件属性的线程,显然这个解决方案并不是最优的。


16
注意事项:在我们之前解决这个问题时,发现大文件往往传输得比较慢,而轮询机制常常在文件完全写完之前就发现了新的或更改的文件。为了解决这个问题,采用了一个“两次轮询”的解决方案。轮询程序注意到文件已更改,但只有在连续两次轮询结果相同时才通知系统有新的/更改的文件:也就是说,已经稳定下来了。这样可以避免出现很多坏文件错误。 - Steve Powell
1
顺便提一下,Tomcat在从远程源放置大型WAR文件到webapps文件夹时存在这个问题,并且已经存在很长时间了。 - John Rix
我相信有更优雅的方法来实现它,但你可以保存文件的校验和,然后不断进行比较。 - magicmn
14个回答

119

我曾经编写过一个日志文件监视器,并且发现每秒轮询单个文件的属性几次对系统性能的影响实际上非常小。

Java 7作为NIO.2的一部分,新增了WatchService API

WatchService API是专门为需要通知文件更改事件的应用程序设计的。


12
我理解您的意思是将示例视为查看目录,那么对于单个文件呢? - Archimedes Trajano
@ArchimedesTrajano API会在目录中的文件发生更改时通知您。触发的事件包括已更改的文件的名称。因此,您可以处理特定文件或文件的事件并忽略其他文件。 - Michael
@ArchimedesTrajano https://dev59.com/bWQo5IYBdhLWcg3wMs4L - user1742529

39

我使用Apache Commons的VFS API,这里有一个示例,演示了如何在不影响性能的情况下监控一个文件:

DefaultFileMonitor


27

有一个名为jnotify的库,它包装了linux上的inotify,并且也支持windows。我从未使用过它,也不知道它有多好,但值得一试。


1
它运行完美,使用起来超级简单。我已经使用inotify很多年了。它快速、稳定且可靠。 - oᴉɹǝɥɔ

24

自JDK 1.7以来,让应用程序收到文件变化通知的规范方式是使用WatchService API。 WatchService是事件驱动的。 官方教程提供了一个示例:

/*
 * Copyright (c) 2008, 2010, Oracle and/or its affiliates. All rights reserved.
 *
 * Redistribution and use in source and binary forms, with or without
 * modification, are permitted provided that the following conditions
 * are met:
 *
 *   - Redistributions of source code must retain the above copyright
 *     notice, this list of conditions and the following disclaimer.
 *
 *   - Redistributions in binary form must reproduce the above copyright
 *     notice, this list of conditions and the following disclaimer in the
 *     documentation and/or other materials provided with the distribution.
 *
 *   - Neither the name of Oracle nor the names of its
 *     contributors may be used to endorse or promote products derived
 *     from this software without specific prior written permission.
 *
 * THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS "AS
 * IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO,
 * THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR
 * PURPOSE ARE DISCLAIMED.  IN NO EVENT SHALL THE COPYRIGHT OWNER OR
 * CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL, SPECIAL,
 * EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT LIMITED TO,
 * PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR
 * PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF
 * LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING
 * NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE OF THIS
 * SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE.
 */

import java.nio.file.*;
import static java.nio.file.StandardWatchEventKinds.*;
import static java.nio.file.LinkOption.*;
import java.nio.file.attribute.*;
import java.io.*;
import java.util.*;

/**
 * Example to watch a directory (or tree) for changes to files.
 */

public class WatchDir {

    private final WatchService watcher;
    private final Map<WatchKey,Path> keys;
    private final boolean recursive;
    private boolean trace = false;

    @SuppressWarnings("unchecked")
    static <T> WatchEvent<T> cast(WatchEvent<?> event) {
        return (WatchEvent<T>)event;
    }

    /**
     * Register the given directory with the WatchService
     */
    private void register(Path dir) throws IOException {
        WatchKey key = dir.register(watcher, ENTRY_CREATE, ENTRY_DELETE, ENTRY_MODIFY);
        if (trace) {
            Path prev = keys.get(key);
            if (prev == null) {
                System.out.format("register: %s\n", dir);
            } else {
                if (!dir.equals(prev)) {
                    System.out.format("update: %s -> %s\n", prev, dir);
                }
            }
        }
        keys.put(key, dir);
    }

    /**
     * Register the given directory, and all its sub-directories, with the
     * WatchService.
     */
    private void registerAll(final Path start) throws IOException {
        // register directory and sub-directories
        Files.walkFileTree(start, new SimpleFileVisitor<Path>() {
            @Override
            public FileVisitResult preVisitDirectory(Path dir, BasicFileAttributes attrs)
                throws IOException
            {
                register(dir);
                return FileVisitResult.CONTINUE;
            }
        });
    }

    /**
     * Creates a WatchService and registers the given directory
     */
    WatchDir(Path dir, boolean recursive) throws IOException {
        this.watcher = FileSystems.getDefault().newWatchService();
        this.keys = new HashMap<WatchKey,Path>();
        this.recursive = recursive;

        if (recursive) {
            System.out.format("Scanning %s ...\n", dir);
            registerAll(dir);
            System.out.println("Done.");
        } else {
            register(dir);
        }

        // enable trace after initial registration
        this.trace = true;
    }

    /**
     * Process all events for keys queued to the watcher
     */
    void processEvents() {
        for (;;) {

            // wait for key to be signalled
            WatchKey key;
            try {
                key = watcher.take();
            } catch (InterruptedException x) {
                return;
            }

            Path dir = keys.get(key);
            if (dir == null) {
                System.err.println("WatchKey not recognized!!");
                continue;
            }

            for (WatchEvent<?> event: key.pollEvents()) {
                WatchEvent.Kind kind = event.kind();

                // TBD - provide example of how OVERFLOW event is handled
                if (kind == OVERFLOW) {
                    continue;
                }

                // Context for directory entry event is the file name of entry
                WatchEvent<Path> ev = cast(event);
                Path name = ev.context();
                Path child = dir.resolve(name);

                // print out event
                System.out.format("%s: %s\n", event.kind().name(), child);

                // if directory is created, and watching recursively, then
                // register it and its sub-directories
                if (recursive && (kind == ENTRY_CREATE)) {
                    try {
                        if (Files.isDirectory(child, NOFOLLOW_LINKS)) {
                            registerAll(child);
                        }
                    } catch (IOException x) {
                        // ignore to keep sample readbale
                    }
                }
            }

            // reset key and remove from set if directory no longer accessible
            boolean valid = key.reset();
            if (!valid) {
                keys.remove(key);

                // all directories are inaccessible
                if (keys.isEmpty()) {
                    break;
                }
            }
        }
    }

    static void usage() {
        System.err.println("usage: java WatchDir [-r] dir");
        System.exit(-1);
    }

    public static void main(String[] args) throws IOException {
        // parse arguments
        if (args.length == 0 || args.length > 2)
            usage();
        boolean recursive = false;
        int dirArg = 0;
        if (args[0].equals("-r")) {
            if (args.length < 2)
                usage();
            recursive = true;
            dirArg++;
        }

        // register directory and process its events
        Path dir = Paths.get(args[dirArg]);
        new WatchDir(dir, recursive).processEvents();
    }
}

对于单个文件,有多种解决方案,例如:

请注意,Apache VFS使用轮询算法,虽然可能提供更多功能。此外,请注意该API不提供确定文件是否已关闭的方法。


3
这个 API 太过复杂,它强制你实现/管理一个带有“无限”循环的线程才能使用它。然后你还必须注意所谓的“溢出”事件,意味着你错过了一些东西,但是谁知道是什么呢。这实际上给程序员增加了工作量,对于通常过度的本地目录更改通知来说(即使文件系统支持,否则它默认为内部轮询),它实际上是在增加工作量。如果它遵循简单的监听器模式会更好,例如:WatchService.watch(File f, FileListener listener),其中 f 可以是目录或文件。太糟糕了。 - Chris Janicki

8
Java commons-io有一个FileAlterationObserver。它与FileAlterationMonitor一起进行轮询,类似于commons VFS。其优点是它具有更少的依赖关系。
编辑:依赖关系较少不是真的,它们对于VFS来说是可选的。但是它使用Java File而不是VFS抽象层。

5

你能具体一些或者提供文档链接吗?我好像找不到相关信息... - Luciano
似乎是java.nio.file包。请参考教程 - David L.
1
https://docs.oracle.com/javase/tutorial/essential/io/notification.html - Chris Janicki

5

每次读取属性文件时,我都会运行这段代码,只有在自上次读取以来文件已被修改时才实际读取文件。希望对某些人有所帮助。

private long timeStamp;
private File file;

private boolean isFileUpdated( File file ) {
  this.file = file;
  this.timeStamp = file.lastModified();

  if( this.timeStamp != timeStamp ) {
    this.timeStamp = timeStamp;
    //Yes, file is updated
    return true;
  }
  //No, file is not updated
  return false;
}

在Log4J中也使用了类似的方法FileWatchdog


2
如果您愿意花一些钱,JNIWrapper是一个有用的库,带有Winpack,可以在某些文件上获得文件系统事件。不幸的是,它仅适用于Windows操作系统。
请参见https://www.teamdev.com/jniwrapper
否则,诉诸本地代码并不总是坏事,特别是当提供的最佳机制是轮询机制而不是本地事件时。
我注意到Java文件系统操作在某些计算机上可能很慢,如果处理不好,很容易影响应用程序的性能。

2
您可以使用FileReader监听文件更改。请参见下面的示例。
// File content change listener 
private String fname;
private Object lck = new Object();
... 
public void run()
{
    try
    {
        BufferedReader br = new BufferedReader( new FileReader( fname ) );
        String s;
        StringBuilder buf = new StringBuilder();
        while( true )
        {
            s = br.readLine();
            if( s == null )
            {
                synchronized( lck )
                {
                    lck.wait( 500 );
                }
            }
            else
            {
               System.out.println( "s = " + s );
            }

        }
    }
    catch( Exception e )
    {
        e.printStackTrace();
    }
}

1
轮询最后修改的文件属性是一个简单而有效的解决方案。只需定义一个扩展我的FileChangedWatcher类并实现onModified()方法即可:
import java.io.File;

public abstract class FileChangedWatcher
{
    private File file;

    public FileChangedWatcher(String filePath)
    {
        file = new File(filePath);
    }

    public void watch() throws InterruptedException
    {
        long currentModifiedDate = file.lastModified();

        while (true)
        {
            long newModifiedDate = file.lastModified();

            if (newModifiedDate != currentModifiedDate)
            {
                currentModifiedDate = newModifiedDate;
                onModified();
            }

            Thread.sleep(100);
        }
    }

    public String getFilePath()
    {
        return file.getAbsolutePath();
    }

    protected abstract void onModified();
}

网页内容由stack overflow 提供, 点击上面的
可以查看英文原文,
原文链接