IO流的分类
根据处理数据类型的不同分为:字节流和字符流
根据数据流向不同分为:输入流和输出流
1.字节输入流InputStream?
直接的子类FileInputStream FileInputStream不具备缓冲的效果,象要具备缓冲效果咋办 借助于一个叫BufferedInputStream 字节缓冲输入流
示例:读取磁盘上的文件
public class Test {
public static void main(String[] args) throws IOException {
//1.将磁盘上面要读取的文件,变成一个对象 File
File file = new File("D:/wenjian.txt");
//2.创建字节输入流对象 FileInputStream 没有缓冲功能的
FileInputStream fis = new FileInputStream(file);
//3.对FileInputStream加缓冲流
BufferedInputStream bis = new BufferedInputStream(fis);
//4.将内存读取到数组中,这个数组就是咱们的缓冲区
byte[] buf = new byte[4*1024];//每次缓冲4096个字节
int length = 788389390;
while ((length = bis.read(buf)) != -1) {
System.out.println(length);
System.out.println("=======");
System.out.println(new String(buf, 0, length));
}
//关闭流
bis.close();
fis.close();
}
}
2.字节输出流OutputStream
直接子类FileOutpuStream,?文件字节输出流。OutputStream 是所有的输出字节流的父类,它是一个抽象类。
示例:写入字符串
public class Test {
public static void main(String[] args) throws IOException {
//1.实例化File对象被写入的文件
File file = new File("c:/aaa/2.txt");
//2.使用FileOutputStream流
FileOutputStream fos = new FileOutputStream(file);
//3.使用BufferedOutputStream流进行缓冲效果
BufferedOutputStream bos = new BufferedOutputStream(fos);
String string = "hello world";
bos.write(string.getBytes());
bos.clse();
fos.close();
}
}
3.字符输入流Reader
Reader有一个孙子类叫FileReader 专门处理文本类型的,非常方便,但是他处理音频视频图片是不行的,有可能出错 底层依旧是使用字节进行读取的,但是中间会进行解码操作变成字符,但是一旦解码失败。读取数据将会失败。
示例
public class Demo2 {
public static void main(String[] args) throws IOException {
// 1.从磁盘读取数据到内存
File file = new File("c:/aaa/1.txt");
// 2.创建字符输入流对象
FileReader fr = new FileReader(file);
// 3.对字符输入流加缓冲效果
BufferedReader br = new BufferedReader(fr);
//4.读取数据
int length = -1;
while ((length = br.read())!= -1) {
System.out.println(length);
}
br.close();
fr.close();
}
}
4.字符输出流Writer
Writer有一个孙子类FileWriter,不具备缓冲效果,可以借助于BufferedWriter。
示例:从内存写入到磁盘
public class Test {
public static void main(String[] args) {
// 1.创建FIle对象,要写入的File对象
File file = new File("c:/aaa/2.txt");
// 2.创建了字符输入的对象
FileWriter fw = null;
try {
fw = new FileWriter(file);
// 3.创建字符输入缓冲流
BufferedWriter bw = new BufferedWriter(fw);
// 4.写入数据
bw.write("哈哈哈哈哈");
//换行写
bw.newLine();
//写入一个字符数组
bw.write(new char[] {'a', 'b', 'c'});
bw.close();
fw.close();
} catch (Exception e) {
// TODO Auto-generated catch block
e.printStackTrace();
}
}
5.总结
字节流和字符流的区别:
(1)读写单位不同:字节流以字节(8bit)为单位,字符流以字符为单位
(2)处理对象不同:字节流能处理所有类型的数据(如图片、avi等),而字符流只能处理字符类型的数据。
(3)字节流在操作的时候本身是不会用到缓冲区的,是文件本身的直接操作的;而字符流在操作的时候下后是会用到缓冲区的,是通过缓冲区来操作文件
结论:优先选用字节流。首先因为硬盘上的所有文件都是以字节的形式进行传输或者保存的,包括图片等内容。但是字符只是在内存中才会形成的,所以在开发中,字节流使用广泛。
|