Java的IO,处理的就是从数据源读取数据,或者,把数据写入到目标。也就是说IO处理的就是针对数据载体的数据读写
这些数据源或目标,可概括为:
- 文件
- 网络(Socket)
- 内存
- 管道
- 标准输入输出(System.in, System.out, System.error)
Java的IO处理,其核心就是对输入输出流的处理:
字节流 | 字符流 | |
输入流 | InputStream | Reader |
输出流 | OutputStream | Writer |
在这4个基础类之上,Java又吃饱了撑的,搞出来了一堆各种各种的、所谓适用于各种具体场景的“高级类”。
比如:
FileInputStream: 从文件系统中的某个文件中获得输入字节。
BufferedReader:从字符输入流中读取文本,缓冲各个字符,从而实现字符、数组和行的高效读取。
顺便说一下,InputStream、InputStreamReader、Reader,这三个看着就要糊涂的SB一样存在的东西的区别:
- InputStream:得到的是字节输入流(如上所述)
- Reader:读取的是字符流(如上所述)
- InputStreamReader :是字节流通向字符流的桥梁。它使用指定的 charset 读取字节并将其解码为字符。它使用的字符集可以由名称指定或显式给定,或者可以接受平台默认的字符集。
- Reader 用于读入16位字符,也就是Unicode 编码的字符;而 InputStream 用于读入 ASCII 字符和二进制数据。
使用字节流写文件:
public static void writeByteToFile() throws IOException{
String hello= new String( "hello word!");
byte[] byteArray= hello.getBytes();
File file= new File( "d:/test.txt");
OutputStream os= new FileOutputStream( file);
os.write( byteArray);
os.close();
}
使用字
符流写文件:
public static void writeCharToFile() throws IOException{
String hello= new String( "hello word!");
File file= new File( "d:/test.txt");
Writer os= new FileWriter( file);
os.write( hello);
os.close();
}