简体   繁体   English

在Java中递归删除目录

[英]Delete directories recursively in Java

Is there a way to delete entire directories recursively in Java?有没有办法在Java中递归删除整个目录?

In the normal case it is possible to delete an empty directory.在正常情况下,可以删除一个空目录。 However when it comes to deleting entire directories with contents, it is not that simple anymore.但是,当涉及到删除包含内容的整个目录时,就不再那么简单了。

How do you delete entire directories with contents in Java?如何在 Java 中删除包含内容的整个目录?

You should check out Apache's commons-io .您应该查看Apache 的 commons-io It has a FileUtils class that will do what you want.它有一个FileUtils类,可以做你想做的事。

FileUtils.deleteDirectory(new File("directory"));

With Java 7, we can finally do this with reliable symlink detection.使用 Java 7,我们终于可以通过可靠的符号链接检测来做到这一点。 (I don't consider Apache's commons-io to have reliable symlink detection at this time, as it doesn't handle links on Windows created with mklink .) (我不认为 Apache 的 commons-io 目前没有可靠的符号链接检测,因为它不处理 Windows 上使用mklink创建的链接。)

For the sake of history, here's a pre-Java 7 answer, which follows symlinks.为了历史起见,这是一个 Java 7 之前的答案,它遵循符号链接。

void delete(File f) throws IOException {
  if (f.isDirectory()) {
    for (File c : f.listFiles())
      delete(c);
  }
  if (!f.delete())
    throw new FileNotFoundException("Failed to delete file: " + f);
}

In Java 7+ you can use Files class.在 Java 7+ 中,您可以使用Files类。 Code is very simple:代码很简单:

Path directory = Paths.get("/tmp");
Files.walkFileTree(directory, new SimpleFileVisitor<Path>() {
   @Override
   public FileVisitResult visitFile(Path file, BasicFileAttributes attrs) throws IOException {
       Files.delete(file);
       return FileVisitResult.CONTINUE;
   }

   @Override
   public FileVisitResult postVisitDirectory(Path dir, IOException exc) throws IOException {
       Files.delete(dir);
       return FileVisitResult.CONTINUE;
   }
});

One-liner solution (Java8) to delete all files and directories recursively including starting directory:递归删除所有文件和目录(包括起始目录)的单线解决方案(Java8)

try (var dirStream = Files.walk(Paths.get("c:/dir_to_delete/"))) {
    dirStream
        .map(Path::toFile)
        .sorted(Comparator.reverseOrder())
        .forEach(File::delete);
}

We use a comparator for reversed order, otherwise File::delete won't be able to delete possibly non-empty directory.我们使用比较器来反转顺序,否则 File::delete 将无法删除可能非空的目录。 So, if you want to keep directories and only delete files just remove the comparator in sorted() or remove sorting completely and add files filter:因此,如果您想保留目录并仅删除文件,只需删除 sorted() 中的比较器完全删除排序并添加文件过滤器:

try (var dirStream = Files.walk(Paths.get("c:/dir_to_delete/"))) {
    dirStream
        .filter(Files::isRegularFile)
        .map(Path::toFile)
        .forEach(File::delete);
}

Java 7 added support for walking directories with symlink handling: Java 7 添加了对带有符号链接处理的遍历目录的支持:

import java.nio.file.*;

public static void removeRecursive(Path path) throws IOException
{
    Files.walkFileTree(path, new SimpleFileVisitor<Path>()
    {
        @Override
        public FileVisitResult visitFile(Path file, BasicFileAttributes attrs)
                throws IOException
        {
            Files.delete(file);
            return FileVisitResult.CONTINUE;
        }

        @Override
        public FileVisitResult visitFileFailed(Path file, IOException exc) throws IOException
        {
            // try to delete the file anyway, even if its attributes
            // could not be read, since delete-only access is
            // theoretically possible
            Files.delete(file);
            return FileVisitResult.CONTINUE;
        }

        @Override
        public FileVisitResult postVisitDirectory(Path dir, IOException exc) throws IOException
        {
            if (exc == null)
            {
                Files.delete(dir);
                return FileVisitResult.CONTINUE;
            }
            else
            {
                // directory iteration failed; propagate exception
                throw exc;
            }
        }
    });
}

I use this as a fallback from platform-specific methods (in this untested code):我将其用作特定于平台的方法的后备方法(在此未经测试的代码中):

public static void removeDirectory(Path directory) throws IOException
{
    // does nothing if non-existent
    if (Files.exists(directory))
    {
        try
        {
            // prefer OS-dependent directory removal tool
            if (SystemUtils.IS_OS_WINDOWS)
                Processes.execute("%ComSpec%", "/C", "RD /S /Q \"" + directory + '"');
            else if (SystemUtils.IS_OS_UNIX)
                Processes.execute("/bin/rm", "-rf", directory.toString());
        }
        catch (ProcessExecutionException | InterruptedException e)
        {
            // fallback to internal implementation on error
        }

        if (Files.exists(directory))
            removeRecursive(directory);
    }
}

(SystemUtils is from Apache Commons Lang . Processes is private but its behavior should be obvious.) (SystemUtils 来自Apache Commons Lang 。进程是私有的,但它的行为应该是显而易见的。)

Just saw my solution is more or less the same as erickson's, just packaged as a static method.刚刚看到我的解决方案和erickson的差不多,只是封装成静态方法。 Drop this somewhere, it's much lighter weight than installing all of Apache Commons for something that (as you can see) is quite simple.把它放在某个地方,它比安装所有 Apache Commons 的东西(如您所见)非常简单的重量要轻得多。

public class FileUtils {
    /**
     * By default File#delete fails for non-empty directories, it works like "rm". 
     * We need something a little more brutual - this does the equivalent of "rm -r"
     * @param path Root File Path
     * @return true iff the file and all sub files/directories have been removed
     * @throws FileNotFoundException
     */
    public static boolean deleteRecursive(File path) throws FileNotFoundException{
        if (!path.exists()) throw new FileNotFoundException(path.getAbsolutePath());
        boolean ret = true;
        if (path.isDirectory()){
            for (File f : path.listFiles()){
                ret = ret && deleteRecursive(f);
            }
        }
        return ret && path.delete();
    }
}

A solution with a stack and without recursive methods:具有堆栈且没有递归方法的解决方案:

File dir = new File("/path/to/dir");
File[] currList;
Stack<File> stack = new Stack<File>();
stack.push(dir);
while (! stack.isEmpty()) {
    if (stack.lastElement().isDirectory()) {
        currList = stack.lastElement().listFiles();
        if (currList.length > 0) {
            for (File curr: currList) {
                stack.push(curr);
            }
        } else {
            stack.pop().delete();
        }
    } else {
        stack.pop().delete();
    }
}

If you have Spring, you can use FileSystemUtils.deleteRecursively :如果你有 Spring,你可以使用FileSystemUtils.deleteRecursively

import org.springframework.util.FileSystemUtils;

boolean success = FileSystemUtils.deleteRecursively(new File("directory"));

Guava had Files.deleteRecursively(File) supported until Guava 9 .Guava 9之前, Guava一直支持Files.deleteRecursively(File)

From Guava 10 :番石榴10

Deprecated.已弃用。 This method suffers from poor symlink detection and race conditions.此方法存在较差的符号链接检测和竞争条件。 This functionality can be supported suitably only by shelling out to an operating system command such as rm -rf or del /s .仅通过使用诸如rm -rfdel /s之类的操作系统命令才能适当地支持此功能。 This method is scheduled to be removed from Guava in Guava release 11.0.此方法计划在 Guava 11.0 版中从 Guava 中删除。

Therefore, there is no such method in Guava 11 .因此, Guava 11中没有这种方法。

for(Path p : Files.walk(directoryToDelete).
        sorted((a, b) -> b.compareTo(a)). // reverse; files before dirs
        toArray(Path[]::new))
{
    Files.delete(p);
}

Or if you want to handle the IOException :或者,如果您想处理IOException

Files.walk(directoryToDelete).
    sorted((a, b) -> b.compareTo(a)). // reverse; files before dirs
    forEach(p -> {
        try { Files.delete(p); }
        catch(IOException e) { /* ... */ }
      });
public void deleteRecursive(File path){
    File[] c = path.listFiles();
    System.out.println("Cleaning out folder:" + path.toString());
    for (File file : c){
        if (file.isDirectory()){
            System.out.println("Deleting file:" + file.toString());
            deleteRecursive(file);
            file.delete();
        } else {
            file.delete();
        }
    }
    path.delete();
}
public static void deleteDirectory(File path) 
{
    if (path == null)
        return;
    if (path.exists())
    {
        for(File f : path.listFiles())
        {
            if(f.isDirectory()) 
            {
                deleteDirectory(f);
                f.delete();
            }
            else
            {
                f.delete();
            }
        }
        path.delete();
    }
}

Two ways to fail with symlinks and the above code... and don't know the solution.符号链接和上述代码失败的两种方法......并且不知道解决方案。

Way #1方式#1

Run this to create a test:运行这个来创建一个测试:

echo test > testfile
mkdir dirtodelete
ln -s badlink dirtodelete/badlinktodelete

Here you see your test file and test directory:在这里您可以看到您的测试文件和测试目录:

$ ls testfile dirtodelete
testfile

dirtodelete:
linktodelete

Then run your commons-io deleteDirectory().然后运行你的 commons-io deleteDirectory()。 It crashes saying the file is not found.它崩溃说找不到文件。 Not sure what the other examples do here.不确定其他示例在这里做了什么。 The Linux rm command would simply delete the link, and rm -r on the directory would also. Linux rm 命令会简单地删除链接,并且目录上的 rm -r 也会。

Exception in thread "main" java.io.FileNotFoundException: File does not exist: /tmp/dirtodelete/linktodelete

Way #2方式#2

Run this to create a test:运行这个来创建一个测试:

mkdir testdir
echo test > testdir/testfile
mkdir dirtodelete
ln -s ../testdir dirtodelete/dirlinktodelete

Here you see your test file and test directory:在这里您可以看到您的测试文件和测试目录:

$ ls dirtodelete testdir
dirtodelete:
dirlinktodelete

testdir:
testfile

Then run your commons-io deleteDirectory() or the example code people posted.然后运行您的 commons-io deleteDirectory() 或人们发布的示例代码。 It deletes not only the directory, but your testfile which is outside the directory being deleted.它不仅会删除目录,还会删除被删除目录之外的测试文件。 (It dereferences the directory implicitly, and deletes the contents). (它隐式地取消引用目录,并删除内容)。 rm -r would delete the link only. rm -r 只会删除链接。 You need to use something like this delete the dereferenced files: "find -L dirtodelete -type f -exec rm {} \;".您需要使用类似这样的方法删除取消引用的文件:“find -L ditodelete -t​​ype f -exec rm {} \;”。

$ ls dirtodelete testdir
ls: cannot access dirtodelete: No such file or directory
testdir:

You could use:你可以使用:

org.apache.commons.io.FileUtils.deleteQuietly(destFile);

Deletes a file, never throwing an exception.删除文件,从不抛出异常。 If file is a directory, delete it and all sub-directories.如果文件是一个目录,删除它和所有子目录。 The difference between File.delete() and this method are: A directory to be deleted does not have to be empty. File.delete() 和这个方法的区别是: 要删除的目录不一定是空的。 No exceptions are thrown when a file or directory cannot be deleted.无法删除文件或目录时不会引发异常。

An optimal solution that handles exception consistently with the approach that an exception thrown from a method should always describe what that method was trying (and failed) to do:处理异常的最佳解决方案与从方法引发的异常应始终描述该方法尝试(和失败)执行的方法一致:

private void deleteRecursive(File f) throws Exception {
    try {
        if (f.isDirectory()) {
            for (File c : f.listFiles()) {
                deleteRecursive(c);
            }
        }
        if (!f.delete()) {
            throw new Exception("Delete command returned false for file: " + f);
        }
    } 
    catch (Exception e) {
        throw new Exception("Failed to delete the folder: " + f, e);
    }
}

In legacy projects, I need to create native Java code.在遗留项目中,我需要创建本机 Java 代码。 I create this code similar to Paulitex code.我创建此代码类似于 Paulitex 代码。 See that:看到:

public class FileHelper {

   public static boolean delete(File fileOrFolder) {
      boolean result = true;
      if(fileOrFolder.isDirectory()) {
         for (File file : fileOrFolder.listFiles()) {
            result = result && delete(file);
         }
      }
      result = result && fileOrFolder.delete();
      return result;
   } 
}

And the unit test:和单元测试:

public class FileHelperTest {

    @Before
    public void setup() throws IOException {
       new File("FOLDER_TO_DELETE/SUBFOLDER").mkdirs();
       new File("FOLDER_TO_DELETE/SUBFOLDER_TWO").mkdirs();
       new File("FOLDER_TO_DELETE/SUBFOLDER_TWO/TEST_FILE.txt").createNewFile();
    }

    @Test
    public void deleteFolderWithFiles() {
       File folderToDelete = new File("FOLDER_TO_DELETE");
       Assert.assertTrue(FileHelper.delete(folderToDelete));
       Assert.assertFalse(new File("FOLDER_TO_DELETE").exists());
    }

}

Below code recursively delete all contents in a given folder.下面的代码递归删除给定文件夹中的所有内容。

boolean deleteDirectory(File directoryToBeDeleted) {
    File[] allContents = directoryToBeDeleted.listFiles();
    if (allContents != null) {
        for (File file : allContents) {
            deleteDirectory(file);
        }
    }
    return directoryToBeDeleted.delete();
}

Guava provides a one-liner: MoreFiles.deleteRecursively() . Guava提供了一个单行: MoreFiles.deleteRecursively()

Unlike many of the examples shared, it accounts for symbolic links and will not (by default) delete files outside the provided path.与许多共享的示例不同,它考虑了符号链接,并且不会(默认情况下)删除提供的路径之外的文件。

Here is a bare bones main method that accepts a command line argument, you may need to append your own error checking or mold it to how you see fit.这是一个接受命令行参数的简单主要方法,您可能需要附加自己的错误检查或将其塑造成您认为合适的方式。

import java.io.File;
import java.io.FileNotFoundException;
import java.io.IOException;

public class DeleteFiles {

/**
 * @param intitial arguments take in a source to read from and a 
 * destination to read to
 */
    public static void main(String[] args)
                     throws FileNotFoundException,IOException {
        File src = new File(args[0]);
        if (!src.exists() ) {
            System.out.println("FAILURE!");
        }else{
            // Gathers files in directory
            File[] a = src.listFiles();
            for (int i = 0; i < a.length; i++) {
                //Sends files to recursive deletion method
                fileDelete(a[i]);
            }
            // Deletes original source folder
            src.delete();
            System.out.println("Success!");
        }
    }

    /**
     * @param srcFile Source file to examine
     * @throws FileNotFoundException if File not found
     * @throws IOException if File not found
     */
    private static void fileDelete(File srcFile)
                     throws FileNotFoundException, IOException {
        // Checks if file is a directory
        if (srcFile.isDirectory()) {
            //Gathers files in directory
            File[] b = srcFile.listFiles();
            for (int i = 0; i < b.length; i++) {
                //Recursively deletes all files and sub-directories
                fileDelete(b[i]);
            }
            // Deletes original sub-directory file
            srcFile.delete();
        } else {
            srcFile.delete();
        }
    }
}

I hope that helps!我希望这会有所帮助!

Without Commons IO and < Java SE 7没有 Commons IO 和 < Java SE 7

public static void deleteRecursive(File path){
            path.listFiles(new FileFilter() {
                @Override
                public boolean accept(File pathname) {
                    if (pathname.isDirectory()) {
                        pathname.listFiles(this);
                        pathname.delete();
                    } else {
                        pathname.delete();
                    }
                    return false;
                }
            });
            path.delete();
        }

rm -rf was much more performant than FileUtils.deleteDirectory . rm -rfFileUtils.deleteDirectory性能好得多。

After extensive benchmarking, we found that using rm -rf was multiple times faster than using FileUtils.deleteDirectory .经过广泛的基准测试,我们发现使用rm -rf比使用FileUtils.deleteDirectory快几倍。

Of course, if you have a small or simple directory, it won't matter but in our case we had multiple gigabytes and deeply nested sub directories where it would take over 10 minutes with FileUtils.deleteDirectory and only 1 minute with rm -rf .当然,如果您有一个小型或简单的目录,那没关系,但在我们的例子中,我们有多个千兆字节和深度嵌套的子目录,使用FileUtils.deleteDirectory需要 10 多分钟,而使用rm -rf只需 1 分钟。

Here's our rough Java implementation to do that:这是我们的粗略 Java 实现:

// Delete directory given and all subdirectories and files (i.e. recursively).
//
static public boolean deleteDirectory( File file ) throws IOException, InterruptedException {

    if ( file.exists() ) {

        String deleteCommand = "rm -rf " + file.getAbsolutePath();
        Runtime runtime = Runtime.getRuntime();

        Process process = runtime.exec( deleteCommand );
        process.waitFor();

        return true;
    }

    return false;

}

Worth trying if you're dealing with large or complex directories.如果您正在处理大型或复杂的目录,则值得尝试。

// Java 8 with lambda & stream, if param is directory // 带有 lambda 和流的 Java 8,如果参数是目录

static boolean delRecursive(File dir) {
    return Arrays.stream(dir.listFiles()).allMatch((f) -> f.isDirectory() ? delRecursive(f) : f.delete()) && dir.delete();
}

// if param is file or directory // 如果参数是文件或目录

static boolean delRecursive(File fileOrDir) {
    return fileOrDir.isDirectory() ? Arrays.stream(fileOrDir.listFiles()).allMatch((f) -> delRecursive(f)) && fileOrDir.delete() : fileOrDir.delete();
}

Guava 21.0 and later Guava 21.0 及更高版本

There is the void deleteRecursively(Path path, RecursiveDeleteOption... options) throws IOException static method of the MoreFiles class available since Guava 21.0.自 Guava 21.0 起可用的MoreFiles类的void deleteRecursively(Path path, RecursiveDeleteOption... options) throws IOException静态方法。

Please, see the Javadoc documentation :请参阅Javadoc 文档

public static void deleteRecursively ( Path path, RecursiveDeleteOption ... options) throws IOException public static void deleteRecursively ( Path path, RecursiveDeleteOption ... options) 抛出IOException

Deletes the file or directory at the given path recursively.递归删除给定path的文件或目录。 Deletes symbolic links, not their targets (subject to the caveat below).删除符号链接,而不是它们的目标(受以下警告)。

If an I/O exception occurs attempting to read, open or delete any file under the given directory, this method skips that file and continues.如果尝试读取、打开或删除给定目录下的任何文件时发生 I/O 异常,则此方法会跳过该文件并继续。 All such exceptions are collected and, after attempting to delete all files, an IOException is thrown containing those exceptions as suppressed exceptions .收集所有此类异常,并在尝试删除所有文件后,抛出IOException包含这些异常作为抑制异常

Maybe a solution for this problem might be to reimplement the delete method of the File class using the code from erickson's answer:也许这个问题的解决方案可能是使用来自 erickson 的答案的代码重新实现 File 类的 delete 方法:

public class MyFile extends File {

  ... <- copy constructor

  public boolean delete() {
    if (f.isDirectory()) {
      for (File c : f.listFiles()) {
        return new MyFile(c).delete();
      }
    } else {
        return f.delete();
    }
  }
}

While files can easily be deleted using file.delete(), directories are required to be empty to be deleted.虽然可以使用 file.delete() 轻松删除文件,但目录必须为空才能删除。 Use recursion to do this easily.使用递归很容易做到这一点。 For example:例如:

public static void clearFolders(String[] args) {
        for(String st : args){
            File folder = new File(st);
            if (folder.isDirectory()) {
                File[] files = folder.listFiles();
                if(files!=null) { 
                    for(File f: files) {
                        if (f.isDirectory()){
                            clearFolders(new String[]{f.getAbsolutePath()});
                            f.delete();
                        } else {
                            f.delete();
                        }
                    }
                }
            }
        }
    }

i coded this routine that has 3 safety criteria for safer use.我编写了这个具有 3 个安全标准的例程,以便更安全地使用。

package ch.ethz.idsc.queuey.util;

import java.io.File;
import java.io.IOException;

/** recursive file/directory deletion
 * 
 * safety from erroneous use is enhanced by three criteria
 * 1) checking the depth of the directory tree T to be deleted
 * against a permitted upper bound "max_depth"
 * 2) checking the number of files to be deleted #F
 * against a permitted upper bound "max_count"
 * 3) if deletion of a file or directory fails, the process aborts */
public final class FileDelete {
    /** Example: The command
     * FileDelete.of(new File("/user/name/myapp/recordings/log20171024"), 2, 1000);
     * deletes given directory with sub directories of depth of at most 2,
     * and max number of total files less than 1000. No files are deleted
     * if directory tree exceeds 2, or total of files exceed 1000.
     * 
     * abort criteria are described at top of class
     * 
     * @param file
     * @param max_depth
     * @param max_count
     * @return
     * @throws Exception if criteria are not met */
    public static FileDelete of(File file, int max_depth, int max_count) throws IOException {
        return new FileDelete(file, max_depth, max_count);
    }

    // ---
    private final File root;
    private final int max_depth;
    private int removed = 0;

    /** @param root file or a directory. If root is a file, the file will be deleted.
     *            If root is a directory, the directory tree will be deleted.
     * @param max_depth of directory visitor
     * @param max_count of files to delete
     * @throws IOException */
    private FileDelete(final File root, final int max_depth, final int max_count) throws IOException {
        this.root = root;
        this.max_depth = max_depth;
        // ---
        final int count = visitRecursively(root, 0, false);
        if (count <= max_count) // abort criteria 2)
            visitRecursively(root, 0, true);
        else
            throw new IOException("more files to be deleted than allowed (" + max_count + "<=" + count + ") in " + root);
    }

    private int visitRecursively(final File file, final int depth, final boolean delete) throws IOException {
        if (max_depth < depth) // enforce depth limit, abort criteria 1)
            throw new IOException("directory tree exceeds permitted depth");
        // ---
        int count = 0;
        if (file.isDirectory()) // if file is a directory, recur
            for (File entry : file.listFiles())
                count += visitRecursively(entry, depth + 1, delete);
        ++count; // count file as visited
        if (delete) {
            final boolean deleted = file.delete();
            if (!deleted) // abort criteria 3)
                throw new IOException("cannot delete " + file.getAbsolutePath());
            ++removed;
        }
        return count;
    }

    public int deletedCount() {
        return removed;
    }

    public void printNotification() {
        int count = deletedCount();
        if (0 < count)
            System.out.println("deleted " + count + " file(s) in " + root);
    }
}

Well, let's assume an example,好吧,让我们假设一个例子,

import java.io.File;
import java.io.IOException;

public class DeleteDirectory
{
   private static final String folder = "D:/project/java";
 
   public static void main(String[] args) throws IOException
   {
      File fl = new File(folder);
      if(!fl.exists()) // checking if directory exists
      {
         System.out.println("Sorry!! directory doesn't exist.");
      }
      else
      {
         DeleteDirectory dd = new DeleteDirectory();
         dd.deleteDirectory(fl);
      }
   }
 
   public void deleteDirectory(File file) throws IOException
   {
      if(file.isDirectory())
      {
         if(file.list().length == 0)
         { 
            deleteEmptyDirectory(file); // here if directory is empty delete we are deleting
         }
         else
         {
            File fe[] = file.listFiles();
            for(File deleteFile : fe)
            {
               deleteDirectory(deleteFile); // recursive call
            }
            if(file.list().length == 0)
            {
               deleteEmptyDirectory(file);
            }
         }
      }
      else
      {
         file.delete();
         System.out.println("File deleted : " + file.getAbsolutePath());
      }
   }
 
   private void deleteEmptyDirectory(File fi)
   {
      fi.delete();
      System.out.println("Directory deleted : " + fi.getAbsolutePath());
   }
}

For more information refer below resources有关更多信息,请参阅以下资源

Delete directory 删除目录

声明:本站的技术帖子网页,遵循CC BY-SA 4.0协议,如果您需要转载,请注明本站网址或者原文地址。任何问题请咨询:yoyou2525@163.com.

 
粤ICP备18138465号  © 2020-2024 STACKOOM.COM