-
Java流的分类
1.按流向分:(参考的是自己的内存空间)
输入流:程序可以从中读取数据的流。
输出流:程序能向其中写入数据的流。(磁盘\硬盘File\光盘)
2.按数据传输单位分:
字节流:以字节为单位传输数据的流(OutputStream、InputStream)
字符流:以字符为单位传输数据的流(Writer、Reader)
3.按功能分:
节点流:用于直接操作目标设备的流
过滤流:是对一个已存在的流的链接和封装,通过对数据进行处理为程序提供功能强大、灵活的读写功能。
I/O流对象:不需要内存对象,需要自己关闭
OutputStream和InputStream都是抽象类 不能直接使用
实际操作的子类:
FileOutputStream/FileInputStream
ObjectOutputStream/ObjectInputStream
FileWrite/FileReader
实际操作
- 创建一个文件
public class MyClass
{public static void main(String[] args) throws IOException, ClassNotFoundException {
//创建文件
String path="/Users/tianxin/Desktop/Java/day7/day7_1/src/main/java/day14";
File file=new File(path.concat("/1.txt"));
//判断是否存在
if(file.exists()==false)
{//不存在就创建
file.createNewFile();
}
- 字节流-向文件写入数据并读取
//1.创建文件输出流对象
FileOutputStream fos=new FileOutputStream(file);
//2.调用writer方法写入
byte[] text={'1','2','3'};
fos.write(text);
//3.操作完毕需要关闭stream对象
fos.close();
//4.读取内容
FileInputStream fis=new FileInputStream(file);
byte[] name=new byte[8];
int count =fis.read(name);
fis.close();
System.out.println(count+""+new String(name));
- 字符流-向文件写入数据并读取
FileWriter fw=new FileWriter(file);
char[] name={'小','灵'};
fw.write(name);
fw.close();
FileReader fr=new FileReader(file);
char[]book=new char[4];
count=fr.read(book);
fr.close();
System.out.println(count+""+new String(book));
- 在文件里存一个对象
序列化 Serializable
保存的对象必须实现Serializable接口
如果对象内部还有属性变量是其他类的对象 这个类也必须实现Serializable接口
public class Person implements Serializable {
public String name;
public int age;
}
Person lc=new Person();
lc.name="灵超";
lc.age=18;
OutputStream os= new FileOutputStream(file);
ObjectOutputStream oos=new ObjectOutputStream(os);
oos.writeObject(lc);
oos.close();
long start=System.currentTimeMillis();
- 从文件里面读取一个对象
将一个文件copy到另外一个位置
//1.源文件路径
String sourcePath="/Users/tianxin/Desktop/95F8284370AE9CDDAADBA384C387BE61.jpg";
//2.目标文件的路径
String deskPath="/Users/tianxin/Desktop/Java/day7/day7_1/src/main/java/day14/95F8284370AE9CDDAADBA384C387BE61.jpg";
//3.图片 字节
FileInputStream fis=new FileInputStream(sourcePath);
FileOutputStream fos=new FileOutputStream(deskPath);
byte[] in=new byte[1024];
while(true) {
int count = fis.read(in);
if(count!=-1){
//读取到内容了
//将这一次读取到的写到目标文件
fos.write(in,0,count);
}
else{
break;
}
}
fis.close();
fos.close();
long end=System.currentTimeMillis();
System.out.println(end-start);
- 使用BufferInputStream和BufferOutputStream提高读写的速度(比上面快两倍多)
String sourcePath="/Users/tianxin/Desktop/95F8284370AE9CDDAADBA384C387BE61.jpg";
String deskPath="/Users/tianxin/Desktop/Java/day7/day7_1/src/main/java/day14/95F8284370AE9CDDAADBA384C387BE61.jpg";
InputStream is =new FileInputStream(sourcePath);
BufferedInputStream bis =new BufferedInputStream(is);
OutputStream os=new FileOutputStream(deskPath);
BufferedOutputStream bos=new BufferedOutputStream(os);
byte[] in =new byte[1024];
int count=0;
while((count=bis.read(in))!=-1){
bos.write(in,0,count);
}
bis.close();
bos.close();
网友评论