**
学习总结
学习内容:
转换流
学习产出:
OutputStreamWriter
是字符流通向字节流的桥梁:可使用指定的字符编码表,将要写入流中的字符编码成字节,将字符串按照指定的编码表转成字节,在使用字节流将这些字节写出去
1 OutputStreamWriter类
字符流通向字节流的桥梁:
可使用指定的字符编码表,将要写入流中的字符编码成字节。它的作用的就是,将字符串按照指定的编码表转成字节,在使用字节流将这些字节写出去。
public static void main(String[] args) throws IOException {
FileOutputStream fos=new FileOutputStream("E:\\java\\UTF-8.txt",true);
OutputStreamWriter osw=new OutputStreamWriter(fos, "utf-8");
osw.write("你好");
osw.flush();
osw.close();
fos.close();
}
2 InputStreamReader类
是字节流通向字符流的桥梁:
它使用指定的字符编码表读取字节并将其解码为字符。它使用的字符集可以由名称指定或显式给定,或者可以接受平台默认的字符集。
public static void main(String[] args) throws IOException {
FileInputStream fis=new FileInputStream("E:\\java\\UTF-8.txt");
InputStreamReader isr=new InputStreamReader(fis,"utf-8");
int len=0;
while((len=isr.read())!=-1){
System.out.println((char)len);
}
isr.close();
fis.close();
}
3、转换流_字节转字符流过程
InputStreamReader
1 java.io.InputStreamReader 继承 Reader
2 字符输入流,读取文本文件
3 字节流向字符的敲了,将字节流转字符流
4 读取的方法:read() 读取1个字符,读取字符数组
5 技巧 (1)OuputStreamWriter写了文件 (2)InputStreamReader读取文件
6 OutputStreamWriter(OutputStream out)所有字节输出流
7 InputStreamReader(InputStream in) 接收所有的字节输入流
8 可以传递的字节输入流: FileInputStream
9 InputStreamReader(InputStream in,String charsetName) 传递编码表的名字
4 转换流子类父类的区别
a、继承关系
OutputStreamWriter:|–FileWriter:
InputStreamReader:|–FileReader;
b、区别
OutputStreamWriter和InputStreamReader是字符和字节的桥梁:也可以称之为字符转换流。字符转换流原理:字节流+编码表。
FileWriter和FileReader:作为子类,仅作为操作字符文件的便捷类存在。 当操作的字符文件,使用的是默认编码表时可以不用父类,而直接用子类就完成操作了,简化了代码。
以下三句话功能相同
(1)InputStreamReader isr = new InputStreamReader(new FileInputStream(“a.txt”));//默认字符集。
(2)InputStreamReader isr = new InputStreamReader(new FileInputStream(“a.txt”),“GBK”);//指定GBK字符集。
(3)FileReader fr = new FileReader(“a.txt”);
5
public class OutputStreamWriterDemo {
public static void main(String[] args)throws IOException {
// writeGBK();
writeUTF();
}
public static void writeUTF()throws IOException{
FileOutputStream fos = new FileOutputStream("c:\\utf.txt");
OutputStreamWriter osw = new OutputStreamWriter(fos,"UTF-8");
osw.write("你好");
osw.close();
}
public static void writeGBK()throws IOException{
FileOutputStream fos = new FileOutputStream("c:\\gbk.txt");
OutputStreamWriter osw = new OutputStreamWriter(fos);
osw.write("你好");
osw.close();
}
}
public class InputStreamReaderDemo {
public static void main(String[] args) throws IOException {
// readGBK();
readUTF();
}
public static void readUTF()throws IOException{
FileInputStream fis = new FileInputStream("c:\\utf.txt");
InputStreamReader isr = new InputStreamReader(fis,"UTF-8");
char[] ch = new char[1024];
int len = isr.read(ch);
System.out.println(new String(ch,0,len));
isr.close();
}
public static void readGBK()throws IOException{
FileInputStream fis = new FileInputStream("c:\\gbk.txt");
InputStreamReader isr = new InputStreamReader(fis);
char[] ch = new char[1024];
int len = isr.read(ch);
System.out.println(new String(ch,0,len));
isr.close();
}
}