1

我调查了 java nio2 的可能性。

我知道我可以使用FileVisitor界面搜索文件。为了实现这个功能,我使用 glob 模式。

我的示例代码:

访客界面实现:

class MyFileFindVisitor extends SimpleFileVisitor<Path> {
    private PathMatcher matcher;
    public MyFileFindVisitor(String pattern){
        try {
            matcher = FileSystems.getDefault().getPathMatcher(pattern);
        } catch(IllegalArgumentException iae) {
            System.err.println("Invalid pattern; did you forget to prefix \"glob:\"? (as in glob:*.java)");
            System.exit(1);
        }
    }
    public FileVisitResult visitFile(Path path, BasicFileAttributes fileAttributes){
        find(path);
        return FileVisitResult.CONTINUE;
    }
    private void find(Path path) {
        Path name = path.getFileName();
        if(matcher.matches(name))
            System.out.println("Matching file:" + path.getFileName());
    }
    public FileVisitResult preVisitDirectory(Path path, BasicFileAttributes fileAttributes){
        find(path);
        return FileVisitResult.CONTINUE;
    }
}

主要方法:

public static void main(String[] args) {
        Path startPath = Paths.get("E:\\folder");
        String pattern = "glob:*";
        try {
            Files.walkFileTree(startPath, new MyFileFindVisitor(pattern));
            System.out.println("File search completed!");
        } catch (IOException e) {
            e.printStackTrace();
        }
    }

main 方法的这种变体可以正常工作,但是如果我更改:

Path startPath = Paths.get("E:\\folder");

Path startPath = Paths.get("E:\\"); 

我看到以下堆栈跟踪:

Exception in thread "main" java.lang.NullPointerException
    at sun.nio.fs.WindowsFileSystem$2.matches(WindowsFileSystem.java:312)
    at io.nio.MyFileFindVisitor.find(FileTreeWalkFind.java:29)
    at io.nio.MyFileFindVisitor.preVisitDirectory(FileTreeWalkFind.java:33)
    at io.nio.MyFileFindVisitor.preVisitDirectory(FileTreeWalkFind.java:13)
    at java.nio.file.FileTreeWalker.walk(FileTreeWalker.java:192)
    at java.nio.file.FileTreeWalker.walk(FileTreeWalker.java:69)
    at java.nio.file.Files.walkFileTree(Files.java:2600)
    at java.nio.file.Files.walkFileTree(Files.java:2633)
    at io.nio.FileTreeWalkFind.main(FileTreeWalkFind.java:42)

我不是这个问题的原因。

如何解决?

4

1 回答 1

2

您收到空指针异常的原因是,当您的访问者测试第一个路径 (E:\) 时,没有要测试的实际文件名 - 这是一个卷根目录。来自 JDK 文档:

Path getFileName()

Returns the name of the file or directory denoted by this path as a Path object. The file name is the farthest element from the root in the directory hierarchy.

Returns:
    a path representing the name of the file or directory, or null if this path has zero elements

在这种情况下,“元素”是指名称中的目录元素。'E:\' 没有目录元素,因为它是卷的根目录。

您不应该假设文件名总是不为空。

private void find(Path path) {          
    Path name = path.getFileName();
    if (name != null) {
        if(matcher.matches(name)) {
            System.out.println("Matching file:" + path.getFileName());
        }
    }
}

在运行 Windows 文件系统时可能需要注意的其他事项包括:

  • 系统保护的目录,例如回收站,您的 walker 可能无法进入
  • NTFS 连接点可能会导致递归目录自行循环,从而导致您的代码循环,直到您用完堆或堆栈
于 2014-08-12T00:01:27.507 回答