OutputStream 的使用
OutputStream 同样只是一个抽象类,要使用还需要具体的实现类。我们现在还是只关心写入文件中,所以使用 FileOutputStream.
flush 的作用 :
我们知道 I/O 的速度是很慢的,所以,大多的 OutputStream 为了减少设备操作的次数,在写数据的时候都会将数据先暂时写入内存的一个指定区域里,直到该区域满了或者其他指定条件时才真正将数据写入设备中,这个区域一般称为缓冲区。但造成一个结果,就是我们写的数据,很可能会遗留一部分在缓冲区中。需要在最后或者合适的位置,调用 flush(刷新)操作,将数据刷到设备中。
public class Main { public static void main(String[] args) throws IOException { try (OutputStream os = new FileOutputStream("output.txt")) { os.write('H'); os.write('e'); os.write('l'); os.write('l'); os.write('o'); // 不要忘记 flush os.flush(); } } }
文件操作案例
扫描指定目录,并找到名称或者内容中包含指定字符的所有普通文件(不包含目录)
我们可以遍历目录, 遍历过程中查找文件内容, 类似于检索功能.
目录结构, 是 “N” 叉树, 数本身就是递归定义的, 通过递归来查找比较合理.
具体步骤 :
- 先递归遍历目录, 递归的把所给定目录下的所有文件都列举出来.
- 每次都打开一个文件, 并读取文件内容 (转化为String)
- 判定要查找的内容, 是否在上述文件内容中存在, 如果存在 即为所求.
这种查找方式是比较低效的, 小规模搜索还行, 如果要大规模搜索还得依赖 “倒排索引” 这样的数据结构.
public class IODemo { public static void main(String[] args) { Scanner scanner = new Scanner(System.in); //先让用户指定一个要搜索的根目录 System.out.printf("请输入要扫描的根目录: "); File file = new File(scanner.next()); //判断该目录是否存在 if(!file.isDirectory()) { return; } //让用户输入要查找的词 System.out.printf("请输入要查找的词: "); String str = scanner.next(); //递归进行文件内容/目录的遍历 FileTraversal(file,str); } private static void FileTraversal(File file, String str) { //列出当前 file 的内容 File[] files = file.listFiles(); //如果目录为空. 就遍历结束 if(files == null) { return; } //遍历目录中的元素 for (File f : files) { System.out.println("当前搜索到: " + f.getAbsolutePath()); if(f.isFile()) { //如果是普通文件, 则读取内容进行比较 String s = readFile(f); //将内容读取出来 if(s.contains(str) || f.getName().contains(str)) { //比较 System.out.println(f.getAbsolutePath() + " 包含要查找的关键字!"); } }else if(f.isDirectory()) { //如果是目录, 则进行递归操作 FileTraversal(f,str); }else { //不是普通文件也不是目录, 不做处理 } } } private static String readFile(File file) { //读取文件的整个内容, 并进行返回 StringBuilder stringBuilder = new StringBuilder(); try(Reader reader = new FileReader(file)) { while(true) { int c = reader.read(); if(c == -1) { break; } //强制转换为字符型, 进行拼接 stringBuilder.append((char)c); } } catch (IOException e) { e.printStackTrace(); } return stringBuilder.toString(); } }
输出 :