1. 程式人生 > 其它 >JavaIO流之轉換流

JavaIO流之轉換流

處理流之二:轉換流的使用

  1. 轉換流:屬於字元流
    InputStreamReader:將一個位元組的輸入流轉換為字元的輸入流
    OutputStreamWriter:將一個字元的輸出流轉換為位元組的輸出流

  2. 作用:提供位元組流和字元流之間的轉換

  3. 解碼: 位元組、位元組陣列 ----> 字元陣列、字串
    編碼: 字元陣列、字串 ----> 位元組、位元組陣列

  4. 字符集

  • ASCII:美國標準資訊交換碼。用一個位元組的7位可以表示。
  • ISO8859-1:拉丁碼錶。歐洲碼錶用一個位元組的8位表示。
  • GB2312:中國的中文編碼表。最多兩個位元組編碼所有字元
  • GBK:中國的中文編碼表升級,融合了更多的中文文字元號。最多兩個位元組編碼
  • Unicode:國際標準碼,融合了目前人類使用的所有字元。為每個字元分配唯一的字元碼。所有的文字都用兩個位元組來表示。
  • UTF-8:變長的編碼方式,可用1-4個位元組來表示一個字元。

InputStreamReader的使用

實現位元組的輸入流到字元的輸入流的轉換
測試程式碼:

    @Test
    public void test1(){
        InputStreamReader isr = null;
        try {
            FileInputStream fis = new FileInputStream("01.txt");
//          isr = new InputStreamReader(fis);//使用系統預設的字符集
            //引數2指明瞭字符集,具體使用哪個字符集取決於檔案01.txt儲存時使用的字符集
            isr = new InputStreamReader(fis, "UTF-8");
            char[] cbuf = new char[20];
            int len;
            while ((len = isr.read(cbuf)) != -1){
                String str = new String(cbuf, 0, len);
                System.out.print(str);
            }
        } catch (IOException e) {
            e.printStackTrace();
        } finally {
            try {
                if (isr != null)
                    isr.close();
            } catch (IOException e) {
                e.printStackTrace();
            }
        }
    }

綜合使用InputStreamReader和OutputStreamWriter

測試程式碼:

    @Test
    public void test2(){
        InputStreamReader isr = null;
        OutputStreamWriter osw = null;
        try {
            //1.造檔案、造流
            File file1 = new File("01.txt");
            File file2 = new File("01_gbk.txt");
            FileInputStream fis = new FileInputStream(file1);
            FileOutputStream fos = new FileOutputStream(file2);
            isr = new InputStreamReader(fis, "utf-8");
            osw = new OutputStreamWriter(fos, "gbk");
            //2.讀寫過程
            char[] cbuf = new char[20];
            int len;
            while ((len = isr.read(cbuf)) != -1){
                osw.write(cbuf,0,len);
            }
        } catch (IOException e) {
            e.printStackTrace();
        } finally {
            //關閉資源
            try {
                if (osw != null)
                    osw.close();
            } catch (IOException e) {
                e.printStackTrace();
            }
            try {
                if (isr != null)
                    isr.close();
            } catch (IOException e) {
                e.printStackTrace();
            }
        }
    }