在 Files.walkFileTree 中遍历的顺序

2022-09-03 13:45:35

访问同一级别的文件/目录的顺序是什么?Files.walkFileTree

它似乎没有按大小,上次修改时间或名称的顺序访问它们。我在API文档中也找不到任何内容。

也许该方法可用于指定访问顺序,但什么是默认行为?preVisitDirectory


答案 1

读取子目录的顺序未按照 Java 教程中的以下注释进行定义:

文件树首先进行遍历深度,但不能对访问子目录的迭代顺序做出任何假设。

至于读取文件的顺序,它取决于(在当前实现中)提供的,即在我的计算机上。阅读 DirectoryStream 的 javadoc,您将看到:DirectoryStreamsun.nio.fs.WindowsDirectoryStream

迭代器返回的元素没有特定的顺序。


答案 2

java可以在以后为你排序,这就是我所做的。

public static void printy(Path rootDirPath) {
        //treesets to hold paths alphabetically
        TreeSet<Path> paths = new TreeSet<>();
        try {
            Files.walkFileTree(rootDirPath, new SimpleFileVisitor<Path>() {
                @Override
                public FileVisitResult preVisitDirectory(Path dir, BasicFileAttributes attrs) throws IOException {
                    paths.add(dir);
                    return super.preVisitDirectory(rootDirPath, attrs);
                }
                @Override
                public FileVisitResult visitFile(Path file, BasicFileAttributes attrs) throws IOException {
                    paths.add(file);
                    return super.visitFile(rootDirPath, attrs);
                }
                @Override
                public FileVisitResult visitFileFailed(Path file, IOException exc) throws IOException {
                    return super.visitFileFailed(file, exc);
                }
                @Override
                public FileVisitResult postVisitDirectory(Path dir, IOException exc) throws IOException {
                    return super.postVisitDirectory(rootDirPath, exc);
                }
            });
        //I'm printing the contents alphabetically,.. your impl might vary
        paths.forEach(System.out::println);
        } catch (IOException e) {
            e.printStackTrace();
        }
    }

希望这有帮助


推荐