如何将文件移动到非空目录?

2022-09-04 06:53:36

我是Java的nio包的新手,我不知道如何将文件从一个目录到另一个目录。我的程序应该根据某些条件读取目录及其子目录和进程文件。我可以使用Files.walkFileTree获取所有文件,但是当我尝试移动它们时,我得到一个java.nio.file.AccessDeniedException。

如果我尝试复制它们,我会得到一个 DirectoryNotEmptyException。我无法在谷歌上找到任何帮助。我确信必须有一种简单的方法将文件从一个目录移动到另一个目录,但我无法弄清楚。

这就是我正在尝试获取 DirectoryNotEmptyException 的内容:

private static void findMatchingPdf(Path file, ArrayList cgbaFiles) {
    Iterator iter = cgbaFiles.iterator();
    String pdfOfFile = file.getFileName().toString().substring(0, file.getFileName().toString().length() - 5) + ".pdf";
    while (iter.hasNext()){
        Path cgbaFile = (Path) iter.next();
        if (cgbaFile.getFileName().toString().equals(pdfOfFile)) {
            try {
                Files.move(file, cgbaFile.getParent(), StandardCopyOption.REPLACE_EXISTING);
            } catch (IOException ex) {
                ex.printStackTrace();
            }
        }
    }
}

我正在迭代文件列表,尝试将.meta文件与同名.pdf相匹配。找到匹配项后,我将元数据文件移动到包含 pdf 的目录中。

我得到这个例外: java.nio.file.DirectoryNotEmptyException: C:\test\CGBA-RAC\Part-A at sun.nio.fs.WindowsFileCopy.move(WindowsFileCopy.java:372) at sun.nio.fs.WindowsFileSystemProvider.move(WindowsFileSystemProvider.java:287) at java.nio.file.files.move(Files.java:1347) at cgba.rac.errorprocessor.ErrorProcessor.findMatchingPdf(ErrorProcessor.java:149) at cgba.rac.errorprocessor.ErrorProcessor.matchErrorFile(ErrorProcessor.java:81) atcgba.rac.errorprocessor.ErrorProcessor.main(ErrorProcessor.java:36)


答案 1
Files.move(file, cgbaFile.getParent(), StandardCopyOption.REPLACE_EXISTING);

对于目标,您将提供要将文件移动到的目录。这是不正确的。目标应该是您希望文件具有的新路径名 - 新目录加上文件名。

例如,假设您要移动到该目录。您在应该呼叫的时候打电话。/tmp/foo.txt/var/tmpFiles.move("/tmp/foo.txt", "/var/tmp")Files.move("/tmp/foo.txt", "/var/tmp/foo.txt")

您收到该特定错误,因为 JVM 正在尝试删除目标目录,以便将其替换为该文件。

其中一个应该生成正确的目标路径:

Path target = cgbaFile.resolveSibling(file.getFileName());

Path target = cgbaFile.getParent().resolve(file.getFileName());

答案 2
Path source = Paths.get("Var");
Path target = Paths.get("Fot", "Var");
try {
    Files.move(
        source,
        target,  
        StandardCopyOption.REPLACE_EXISTING);
} catch (IOException e) {
    e.printStackTrace();
}

java.nio.file.Files是必需品,所以这里是编辑过的解决方案。请查看它是否有效,因为我以前从未使用过新的 Files 类


推荐