编程语言
首页 > 编程语言> > JAVA单排日记-2020/1/29-转换流

JAVA单排日记-2020/1/29-转换流

作者:互联网

1.字符编码和字符集

在这里插入图片描述
在这里插入图片描述
在这里插入图片描述
在这里插入图片描述

2.转换流

2.1OutputStreamWriter

OutputStreamWtiter(OutputStream out) 使用默认字符编码
OutputStreamWtiter(OutputStream out,String charsetName) 使用指定的字符编码
  1. 创建OutputStreamWriter()类对象,构造方法中填写字符输出流和指定编码表
  2. 使用write()方法,将字符转换为字节,保存在缓冲区
  3. 使用flush()方法,将缓冲区的数据刷新到文件中
  4. 释放资源
import java.io.FileOutputStream;
import java.io.IOException;
import java.io.OutputStreamWriter;

public class Demmo01 {
    public static void main(String[] args) throws IOException {
        FileOutputStream file = new FileOutputStream("G:\\Java\\测试文件夹\\GBK.txt");
        OutputStreamWriter Osw = new OutputStreamWriter(file,"GBK");

        char[] chars = {'a','b','你','好'};
        Osw.write(chars);
        Osw.flush();

        Osw.close();
    }
}

在这里插入图片描述

2.2InputStreamReader

InputStreamReader(InputStream in) 使用默认字符编码
InputStreamReader(InputStream in,String charsetName) 使用指定的字符编码
  1. 创建InputStreamReader()类对象,构造方法中填写字符输入流和指定编码表
  2. 使用read()方法,按照指定编码表读取数据到内存
  3. 释放资源
import java.io.FileInputStream;
import java.io.IOException;
import java.io.InputStreamReader;

public class Demo02 {
    public static void main(String[] args) throws IOException {
        InputStreamReader in = new InputStreamReader(new FileInputStream("G:\\Java\\测试文件夹\\GBK.txt"), "GBK");
        int len = 0;
        while ((len = in.read()) != -1) {
            System.out.println((char) len);
        }
        in.close();
    }
}

在这里插入图片描述
采用UTF-8:

import java.io.FileInputStream;
import java.io.IOException;
import java.io.InputStreamReader;

public class Demo02 {
    public static void main(String[] args) throws IOException {
        InputStreamReader in = new InputStreamReader(new FileInputStream("G:\\Java\\测试文件夹\\GBK.txt"), "UTF-8");
        int len = 0;
        while ((len = in.read()) != -1) {
            System.out.println((char) len);
        }
        in.close();
    }
}

在这里插入图片描述

Mango学习日记 发布了105 篇原创文章 · 获赞 1 · 访问量 3393 私信 关注

标签:编码,java,字符,29,单排,2020,io,import,InputStreamReader
来源: https://blog.csdn.net/wangzilong1995/article/details/104104604