JAVA实现遍历文件夹下的所有文件(递归调用和非递归调用)

时间:2021-11-18 09:06:08

JAVA 遍历文件夹下的所有文件(递归调用和非递归调用)

1.不使用递归的方法调用.

?
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
public void traverseFolder1(String path) {
    int fileNum = 0, folderNum = 0;
    File file = new File(path);
    if (file.exists()) {
      LinkedList<File> list = new LinkedList<File>();
      File[] files = file.listFiles();
      for (File file2 : files) {
        if (file2.isDirectory()) {
          System.out.println("文件夹:" + file2.getAbsolutePath());
          list.add(file2);
          fileNum++;
        } else {
          System.out.println("文件:" + file2.getAbsolutePath());
          folderNum++;
        }
      }
      File temp_file;
      while (!list.isEmpty()) {
        temp_file = list.removeFirst();
        files = temp_file.listFiles();
        for (File file2 : files) {
          if (file2.isDirectory()) {
            System.out.println("文件夹:" + file2.getAbsolutePath());
            list.add(file2);
            fileNum++;
          } else {
            System.out.println("文件:" + file2.getAbsolutePath());
            folderNum++;
          }
        }
      }
    } else {
      System.out.println("文件不存在!");
    }
    System.out.println("文件夹共有:" + folderNum + ",文件共有:" + fileNum);
 
  }

2.使用递归的方法调用.

?
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
public void traverseFolder2(String path) {
 
    File file = new File(path);
    if (file.exists()) {
      File[] files = file.listFiles();
      if (files.length == 0) {
        System.out.println("文件夹是空的!");
        return;
      } else {
        for (File file2 : files) {
          if (file2.isDirectory()) {
            System.out.println("文件夹:" + file2.getAbsolutePath());
            traverseFolder2(file2.getAbsolutePath());
          } else {
            System.out.println("文件:" + file2.getAbsolutePath());
          }
        }
      }
    } else {
      System.out.println("文件不存在!");
    }
  }

3,

?
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
public static List<File> getFileList(String strPath) {
    File dir = new File(strPath);
    File[] files = dir.listFiles(); // 该文件目录下文件全部放入数组
    if (files != null) {
      for (int i = 0; i < files.length; i++) {
        String fileName = files[i].getName();
        if (files[i].isDirectory()) { // 判断是文件还是文件夹
          getFileList(files[i].getAbsolutePath()); // 获取文件绝对路径
        } else if (fileName.endsWith("avi")) { // 判断文件名是否以.avi结尾
          String strFileName = files[i].getAbsolutePath();
          System.out.println("---" + strFileName);
          filelist.add(files[i]);
        } else {
          continue;
        }
      }
 
    }
    return filelist;
  }

以上就是本文的全部内容,希望对大家的学习有所帮助,也希望大家多多支持服务器之家。

原文链接:http://blog.csdn.net/lyl953147712/article/details/54636759