在开发中有时会遇到这样的问题,遍历所有的文件夹查找某个文件,或者遍历所有的文件进行特定的统计,这个时候就要用到递归算法了。
在此提供一个工具方法,可以很方便地遍历指定目录下的所有文件。拿走不谢。
public static List<File> getAllFileList(File rootFile) {
return getAllFileList(rootFile.getAbsolutePath(), null);
}
/**
* 获取文件夹下所有文件(包括子文件)
*
* @param filePath
* @param fileList
* @return
*/
public static List<File> getAllFileList(String filePath, List<File> fileList) {
if (fileList == null) {
fileList = new ArrayList<File>();
}
File rootFile = new File(filePath);
File[] files = rootFile.listFiles();
if (files != null) {
for (File file : files) {
if (file.isDirectory()) {
fileList.add(file);
getAllFileList(file.getAbsolutePath(), fileList);
} else {
fileList.add(file);
}
}
}
return fileList;
}