Java進階核心之InputStream流深入講解

Java核心包 java.io包介紹

IO: Input / Ouput 即輸入輸出

  • 輸出流:程序(內存) —>外界設備
  • 輸入流:外界設備—>程序(內存)

處理理數據類型分類

  • 字符流:處理字符相關,如處理文本數據(如txt文件), Reader/Writer
  • 字節流: 處理字節相關,如聲音或者圖片等二進制,InputStream/OutputStream

兩者區別:

  • 字節流以字節(8bit)為單位,字符流以字符為單位,根據碼表映射字符,一次可能讀多個字節
  • 字節流可以處理幾乎所有文件,字符流隻能處理字符類型的數據

功能不同,但是具有共性內容,通過不斷抽象形成4個抽象類,抽象類下面有很多子類是具體的實現

  • 字符流 Reader/Writer
  • 字節流 InputStream/OutputStream

IO流相關類體系概覽

Java輸入流Inputstream講解

InputStream是輸入字節流的父類,它是一個抽象類(一般用他的子類)

int read()
講解:從輸⼊入流中讀取單個字節,返回0到255范圍內的int字節值,字節數據可直接轉換為int類
型, 如果已經到達流末尾⽽而沒有可⽤用的字節,則返回- 1
int read(byte[] buf)
講解:從輸⼊入流中讀取⼀一定數量量的字節,並將其存儲在緩沖區數組buf中, 返回實際讀取的字節
數,如果已經到達流末尾⽽而沒有可⽤用的字節,則返回- 1
long skip(long n)
講解:從輸⼊入流中跳過並丟棄 n 個字節的數據。
int available()
講解:返回這個流中有多少個字節數,可以把buf數組⻓長度定為這個
void close() throws IOException
講解:關閉輸⼊入流並釋放與該流關聯的系統資源

常見子類

FilelnputStream

  • 抽象類InputStream用來具體實現類的創建對象,文件字節輸入流,對文件數據以字節的形式進行讀取操作
  • 常用構造函數
//傳⼊入⽂文件所在地址
public FileInputStream(String name) throws FileNotFoundException
//傳⼊入⽂文件對象
public FileInputStream(File file) throws FileNotFoundException

例如:

package domee.chapter10_2;

import java.io.*;

public class Main {

 public static void main(String[] args)throws IOException {

  String dir = "C:\\Users\\阮相歌\\Desktop\\test";

  String name = "a.txt";

  File file = new File(dir,name);

  InputStream inputStream = new FileInputStream(file);

  testRead(inputStream);
  testSkip(inputStream);
  testReadByteArr(inputStream);
 }



 public static void testReadByteArr(InputStream inputStream)throws IOException{

  //如果buf的長度為0,則不讀取任何字節並返回0;每次讀取的字節數最多等於buf的長度
  //byte[] buf = new byte[1024];
  byte[] buf = new byte[inputStream.available()];

  int length;

  //循環讀取文件內容,輸入流中將最多的buf.length
  // 個字節數據讀入一個buf數組中,返回類型是讀取到的字節數
  //如果這個緩沖區沒有滿的話,則返回真實的字節數
  while ((length = inputStream.read(buf))!= -1){


   //中文亂碼問題,換成GBK,或者UTF-8
   System.out.print(new String(buf,0,length));
   System.out.print(new String(buf,0,length,"UTF-8"));
   System.out.println(new String(buf,0,length));
  }
 }
 public static void testRead(InputStream inputStream)throws IOException{

  //對於漢字等 unicode中的字符不能正常讀取,隻能以亂碼的形式顯示
  int read = inputStream.read();
  System.out.println(read);
  System.out.println((char)read);
 }
 public static void testSkip(InputStream inputStream)throws IOException{

  long skipSize = inputStream.skip(2);
  System.out.println(skipSize);

  int read = inputStream.read();
  System.out.println(read);
  System.out.println((char)read);
 }
}

編碼小知識(節省空間)

操作的中文內容多則推薦GBK:

  • GBK中英文也是兩個字節,用GBK節省瞭空間,UTF-8編碼的中文使用瞭三個字節

o如果是英文內容多則推薦UFT-8:

  • 因為UFT-8裡面英文隻占一個字節
  • UTF-8編碼的中文使用瞭三個字節

總結

到此這篇關於Java進階核心之InputStream流的文章就介紹到這瞭,更多相關Java InputStream流內容請搜索WalkonNet以前的文章或繼續瀏覽下面的相關文章希望大傢以後多多支持WalkonNet!

推薦閱讀: