基本概念
Java IO被设计来处理输入产生输出,各种IO源端和接收端包括文件、控制台、网络连接、数组等,Java IO可以以各种方式与之通信,包括按字节、字符、缓冲等。
Stream:流由字节组成,类似于水流,操作字节的过程就是字节不断流动的过程。Java设计好了3个与控制台相连的流:
- System.in: standard input stream
- System.out: standard output stream
- System.err: standard error stream
Java IO API中包括很多类,其中InputStream、OutputStream、Reader、Writer是基本的四个,类的继承关系如下图
(图片来源https://blog.csdn.net/zhangbinu/article/details/51362612/)
通过继承,任何自InputStream或Reader派生而来的类都含有名为read()的基本方法,用于读取单个字节或者字节数组。同样,任何自OutputStream或Writer派生而来的类都含有名为write()的基本方法,用于写单个字节或字节数组。
四个基本类简介
InputStream抽象类,所有输入字节流的父类
int read() throws IOException, returns -1 at the end of file
int available()
void close()
OutputStream抽象类,所有输出字节流的父类
void write(int) write a byte
void write(byte[]) write a array of byte
void flush()
void close()
Reader抽象类,读取字符流
int read() 读取一个字符
int read(char[] cbuf) 读取字符到字符数组
void close()
Writer抽象类,写字符流
void write(char[] cbuf)
void write(int char)
void write(String str)
Writer append(char c)
Writer append(CharSequence csq)
void close()
常用类
无缓冲
- FileInputStream类
以字节(byte)为单位读取,不存在编码问题。常用方法:
- int available()
- int read()
- int read(byte[] b)
- int read(byte[] b, int off, int len)
- FileOutputStream类
以字节(byte)为单位写,不存在编码问题。常用方法:
- void write(byte[] ary)
- void write(byte[] ary, int off, int len)
- void write(int b)
- FileReader
以字符(char)为单位读取
- int read()
- void close()
- FileWriter
以字符(char)为单位写
- void write(String text)
- void write(char c)
- void write(char[] c)
- void flush()
- void close()
- InputStreamReader
InputStreamReader是字节流和字符流的桥梁,它使用特定的字符集(charset)读取字节(byte)后解码为字符(character)。构造器
- InputStreamReader(InputStream in) It creates an InputStreamReader that uses the default charset.
- InputStreamReader(InputStream in, Charset cs)
- InputStreamReader(InputStream in, String charsetName)
- OutputStreamWriter
使用特定的字符集读取字符(character)后编码为字节(byte)。构造器
- OutputStreamWriter(OutputStream out)
- OutputStreamWriter(OutputStream out, Charset cs)
- OutputStreamWriter(OutputStream out, String charsetName)
加上缓冲,提高效率
7 . BufferedReader - int read()
- int read(char[] cbuf, int off, int len)
- String readLine()
- BufferedWriter
- void newLine()
- void write(int c)
- void write(char[] cbuf, int off, int len)
- void write(String s, int off, int len)
- void flush()
- BufferedInputStream
- int read()
- int read(byte[] b, int off, int len)
- BufferedOutputStream
- void write(int b)
- void write(byte[] b, int off, int len)
- void flush()
常用3种写法
// one
File file = new File("input.txt");
FileInputStream fis = new FileInputStream(file);
// two
File f = new File("input.txt");
FileInputStream in = new FileInputStream(f);
InputStreamReader inReader = new InputStreamReader(in, "utf-8");
BufferedReader br = new BufferedReader(inReader);
// three
File file = new File("input.txt");
FileReader fileReader = new FileReader(file);
BufferedReader reader = new BufferedReader(fileReader);
注意:FileInputStream类或者FileReader类的构造函数有多个,其中典型的两个分别为:一个使用File对象为参数;而另一个使用表示路径的String对象作为参数。如果处理文件或者目录名,就应该使用File对象,而不是字符串