記憶系列-Java IO的緩存輸入輸出流(高效流) 發佈於 7 個月前 (09月02日) – 325 次檢閱
- 2020 年 4 月 9 日
- 筆記
在之前我自己也mark了位元組和字符的流,但是呢讀取數據量比較大時,速度是8是會有點慢?影響到你郭良俊自己的脾氣呢?
好了~那就在內存/不怕被坑情況下自己弄一下唄~好了馬記錄起~
緩衝流,根據流的分類:位元組緩衝流和字符緩衝流。目的可能提高IO流的讀寫速度,至於利弊嘛–>出門右拐–>百度/谷歌走起~
位元組緩衝流:BufferedInputStream、BufferedOutputStream
字符緩衝流:BufferedReader、BufferedWriter
它們的內部都包含了一個緩衝區,通過緩衝區讀寫,就可以提高了IO流的讀寫速度,做到緩存的作用~
位元組緩衝流例子
String destFile = "D:"+File.separator+"destfile.txt"; String lineSeparator = System.getProperty("line.separator"); //位元組緩衝輸出流 try(FileOutputStream fos = new FileOutputStream(destFile,true); BufferedOutputStream bos = new BufferedOutputStream(fos)) { bos.write(lineSeparator.getBytes()); bos.write("hello FileOutputStream".getBytes()); //使用try-with-resources優雅關閉資源(https://199604.com/1241) //bos.close(); } catch (FileNotFoundException e) { e.printStackTrace(); } catch (IOException e) { e.printStackTrace(); } //位元組緩衝輸入流 try { FileInputStream fis = new FileInputStream(destFile); BufferedInputStream bis = new BufferedInputStream(fis); byte[] buffer = new byte[1024]; int len = -1; while ((len = bis.read(buffer))!=-1){ System.out.println(new String(buffer,0,len)); } fis.close(); bis.close(); } catch (FileNotFoundException e) { e.printStackTrace(); }catch (IOException e1){ e1.printStackTrace(); }
字符緩衝流例子
tring destFile = "D:"+File.separator+"destfile.txt"; String lineSeparator = System.getProperty("line.separator"); //字符輸出流 try(BufferedWriter out = new BufferedWriter(new FileWriter(destFile,true))){ out.write("郭大傻?"); out.write(lineSeparator); out.write("結束~"); //使用try-with-resources優雅關閉資源(https://199604.com/1241) //out.close(); } catch (IOException e) { e.printStackTrace(); } //字符輸入流 try(BufferedReader in = new BufferedReader(new FileReader(destFile))) { String line = null; while ((line= in.readLine())!=null){ System.out.println(line); } } catch (FileNotFoundException e) { e.printStackTrace(); } catch (IOException e) { e.printStackTrace(); }