转换流基础使用
/**
* @description TransformationIO
* @author 小邱
* @version 0.0.1
* @since 2021/9/9 13:35
*/
import org.junit.Test;
import java.io.*;
//转换流
//字节流中的数据都是字符时,转成字符流操作更高效
//很多时候我们使用转换流来处理文件乱码问题。实现编码和解码的功能。
public class TransIOTest {
@Test
//InputStreamReader与OutputStreamWriter
public void test() {
//1、创建File类的对象,指明读入和写出的文件
File srcFile = new File("F:\\Lean\\Text\\src\\main\\resources\\a.txt");
File destFile = new File("F:\\Lean\\Text\\src\\main\\resources\\b.txt");
//2、创建输入流和输出流
FileInputStream fis = null;
FileOutputStream fos = null;
//3、造转换流
InputStreamReader isr = null;
OutputStreamWriter osw = null;
try {
fis = new FileInputStream(srcFile);
fos = new FileOutputStream(destFile);
//指定格式编码,不指定则默认使用系统的格式编码
isr = new InputStreamReader(fis, "utf-8");
osw = new OutputStreamWriter(fos, "gbk");
//4、读写过程
//数组长度不是越大/越小就好,应当适中,一般为1024的倍数
char[] chars = new char[1024];
int len;//记录每次读取到数组的字符数
while ((len = isr.read(chars)) != -1) {
osw.write(chars, 0, len);
}
osw.flush();
} catch (IOException e) {
e.printStackTrace();
} finally {
//5、关闭流
try {
if (isr != null) {
isr.close();
}
if (osw != null) {
osw.close();
}
} catch (IOException e) {
e.printStackTrace();
}
}
}
}