JAVA文件过滤 java.io.FileFilter
2018年08月02日 10:37:58 werewolf2017 阅读数:62 标签: Java
FileFilter是Java文件过滤的一个接口,若需实现文件过滤,则需要自定义一个实现了FileFilter的类,重写接口的 public boolean accept(File file) 方法。该方法返回true时,文件则通过,不会被过滤掉。
自定义一个Mp3FileFilter类实现FileFilter接口,重写accept方法,获取mp3文件:
public class Mp3FileFilter implements FileFilter {
@Override
public boolean accept(File file) {
if(file.isDirectory())
return false;
String name = file.getName();
if(name.endsWith(".mp3")) //mp3则返回true
return true;
return false;
}
}
- 1
- 2
- 3
- 4
- 5
- 6
- 7
- 8
- 9
- 10
- 11
- 12
使用Mp3FileFilter获取制定目录下所有的mp3文件的路径的列表:
/**
* 返回rootPath目录下所有的mp3文件的路径的列表
* @param rootPath
* @return
*/
public List<String> getAllPath(String rootPath){
File rootFile = new File(rootPath);
//获取目录下的文件时添加文件过滤对象
File[] files = rootFile.listFiles(new Mp3FileFilter());
ArrayList<String> list = new ArrayList<>();
for(File file: files){
try {
list.add(file.getCanonicalPath());
} catch (IOException e) {
e.printStackTrace();
}
}
return list;
}
- 1
- 2
- 3
- 4
- 5
- 6
- 7
- 8
- 9
- 10
- 11
- 12
- 13
- 14
- 15
- 16
- 17
- 18
- 19
此外,java.io.FilenameFilter的作用也与此相似,只不过其重写的方法为 public boolean accept(File dir, String name) 。