目录
一、缓冲流
1、概述
2、字节缓冲流
构造方法:
效率测试:
使用基本的流拷贝一个较大的文件,计算出使用的时间。
public class ComareFis {
public static void main(String[] args) {
//获取开始时间
Long beginTime = System.currentTimeMillis();
//创建流对象
try (FileInputStream fis = new FileInputStream("apache.zip");
FileOutputStream fos = new FileOutputStream("apche_copy.zip")){
//读取流
int b = fis.read();
while (b != -1){
fos.write(b);
b = fis.read();
}
fis.close();
fos.close();
} catch (IOException e) {
e.printStackTrace();
}
Long endTime = System.currentTimeMillis();
System.out.println("拷贝文件用时:"+(endTime-beginTime));//拷贝文件用时:108801毫秒,一分多钟
}
}
package com.dzg.stream.buffered;
import java.io.*;
public class BufferedCopyDemo {
public static void main(String[] args) {
Long begin = System.currentTimeMillis();
try(
BufferedInputStream bis = new BufferedInputStream(new FileInputStream("apache.zip"));
BufferedOutputStream bos = new BufferedOutputStream(new FileOutputStream("buffered_copy.zip"));
){
int b = bis.read();
while( b != -1){
bos.write(b);
b = bis.read();
}
}catch (IOException e){
e.printStackTrace();
}
Long end = System.currentTimeMillis();
// Long time = (end-begin)/1000;
System.out.println("拷贝文件用时:"+(end-begin)+" 毫秒");//拷贝文件用时:531 毫秒
}
}
改用字节数组的方式读取并下入文件,用时16毫秒!!!
try(
BufferedInputStream bis = new BufferedInputStream(new FileInputStream("apache.zip"));
BufferedOutputStream bos = new BufferedOutputStream(new FileOutputStream("buffered_copy_byte.zip"));
){
byte[] bytes = new byte[8*1024];
int b = bis.read(bytes);
while( b != -1){
bos.write(b);
b = bis.read(bytes);
}
}catch (IOException e){
e.printStackTrace();
}
3、字符缓冲流
输出效果:
黑马
程序
员
二、转换流
1、字符编码和字符集
2、编码引出的问题
3、InputStreamReader类
4、OutputStreamReader类
转换流理解图解:
5、练习:转换文件编码
package com.dzg.stream.trans;
import java.io.*;
public class TestTrans {
public static void main(String[] args) throws IOException {
String srcFile = "gbk_file.txt";
String destFile = "utf8_file.txt";
/**
* 创建流对象
* 首选转换输入流,指定GBK编码
* 然后转换输出流,默认utf8编码
*/
InputStreamReader isr = new InputStreamReader(new FileInputStream(srcFile),"GBK");
OutputStreamWriter osw = new OutputStreamWriter(new FileOutputStream(destFile));
/**
* 读写数据
*/
int len;
char[] cbuf = new char[1024];
while((len = isr.read())!= -1){
osw.write(len);//循环写出
}
/**
* 关闭资源
*/
osw.close();
isr.close();
}
}
三、序列化
1、概述
2、ObjectOutputStream类
3、ObjectInputStream类
四、打印流
平时我们在控制台打印输出,是调用 print 方法和 println 方法完成的,这两个方法都来自于
java.io.PrintStream 类,该类能够方便地打印各种数据类型的值,是一种便捷的输出方式。