对文件处理的java.io.File
以及对内容读取的 java.io.BufferedReader
, 虽然了解, 但到具体操作时候其实还需要搜索, 借着工作中的一个需求, 现整理一下.
需求:
读取某文件夹下所有以log结尾的文件, 并对每一个文件的每一行进行处理, 文件处理完成后移动到另一个文件夹中.
代码
1.列出目录下以.log结尾(或者其他结尾)的文件
public static List<String> listFilenames(String path, String type) {
List<String> fileList = new ArrayList<>();
MyFilter filter = new MyFilter(type);
String[] files = new File(path).list(filter);
if (null != files)
fileList = Arrays.asList(files);
return fileList;
}
// 过滤定义
static class MyFilter implements FilenameFilter {
private String type;
public MyFilter(String type) {
this.type = type;
}
public boolean accept(File dir, String name) {
return name.endsWith(type);
}
}
// 调用
类.listFilenames('/xx/xx','.log');
2. 读取文件, 并按行处理
FileReader reader = new FileReader("./data/a.log");
BufferedReader br = new BufferedReader(reader);
while ((str = br.readLine()) != null) {
// str即每一行的数据
}
// 用完要关闭, 注意关闭顺序
br.close();
reader.close();
3. 写文件
FileWriter fw = null;
fw = new FileWriter("D:/cun.txt");
List list = Arrays.asList("1234", "fsdfsdf", "fsdfsdf");
for (String ele : list) {
fw.write(ele + "\r\n");
}
fw.close();
4. 移动文件(移动到当前目录下的complete目录)
public static void renameFile(String path){
File file = new File(path);
File targetPath = new File(new File(path).getParent() + "/complete/");
File targetFile = new File(targetPath.getPath() + "/" + file.getName());
if (file.exists())
{
if (!targetPath.exists())
{
targetPath.mkdir();
}
file.renameTo(targetFile);
}
}