Java总结之IO流——2017.11.19
一、IO的概括
IO流:设备和设备之间的数据传输
* 设备和设备指的是:硬盘和内存之间的数据传输
*
* IO流的分类:
* 按流的方向分:
* 输入流:读数据的
* 输出流:写数据的
*
* 按数据类型分:
* 字节流:
* 字节输入流:InputStream
* 字节输出流:OutputStream
* 字符流
* 字符输入流:Reader
* 字符输出流:Writer
*
* 需求:输出一个文本文件,给文本文件中写一句话:hello,IO,Im’coming…
*
* 分析:
* 一旦提到文本文件,那么就是用字符流,但是字符流是在字节流之后出现的,所以先学习字节流!
* 用windows自带的记事本打开一个文件,你自己看懂,一般情况使用字符流最好.如果打开之后,读不懂,那么使用字节流.
* 使用字节流,来输出这个文件
* OutputStream:字节输出流,该类是抽象类,不能实例化,但是这里提到文件,刚才学习的File类就是描述文件的.
* FileOutputStream:OutputStream的子类
* 构造方法:
* public FileOutputStream(String name)
* 在抽象类的前面加上前缀:
* XXXInputStream
* XXXOutputStream
* XXXReader
* XXXWriter
* FileInputStream
* FileReader
* FileWriter
*
* 开发步骤”
* 1)创建文件输出流对象
* 2)写数据
* 3)关闭资源
*
二、针对输出流中写数据的方法:
* public abstract void write(int b):将指定的字节写入到输出流中
* public void write(byte[] b):将指定的字节数组写入到输出流中
* public void write(byte[] b, int off,int len):将字节数组的一部分写入到输出流中
三、 写入了这个数据,发现数据和数据之间没有换行?
*
* 需要写入换行符号,每一个系统他们对应IO这块换行符号是不一样的
* 对于windows操作系统来说:换行符号:\r\n
* 对于Linux操操作系统来说:\n
* 对于Mac操作系统来说:\r
*
* 如何给这个文件追加写入数据呢?
* public FileOutputStream(File file,boolean append):第二个参数设置为true,表示写入文件的末尾处
四、IO流中加入异常操作
package org.westos_01;
import java.io.FileNotFoundException;
import java.io.FileOutputStream;
import java.io.IOException;
/** * IO流中加入异常操作 * @author Apple */
public class FileOutputStreamDemo3 {
public static void main(String[] args) {
//方式1:
//分别try...catch...
//创建文件输出流对象
/* FileOutputStream fos = null ; try { fos = new FileOutputStream("fos4.txt") ; } catch (FileNotFoundException e) { e.printStackTrace(); } //写数据 try { fos.write("java".getBytes()) ; } catch (IOException e) { e.printStackTrace(); } //释放资源 try { fos.close() ; } catch (IOException e) { e.printStackTrace(); } */
/*方式2:放在一块try...catch... try { //分别try...cacth笔记麻烦, FileOutputStream fos = new FileOutputStream("fos4.txt") ; //写数据 fos.write("hello,java".getBytes()) ; //释放资源 fos.close() ; } catch (FileNotFoundException e) { e.printStackTrace(); } catch (IOException e) { e.printStackTrace(); }*/
//方式3:加入标准格式:try...catch...finally
//IO流中加入异常操作的标准用法:
//声明一个变量
FileOutputStream fos = null ;
try {
fos = new FileOutputStream("fos4.txt") ;
//写数据
fos.write("hello,Javaweb".getBytes()) ;
} catch (FileNotFoundException e) {
e.printStackTrace();
} catch (IOException e) {
e.printStackTrace();
}finally{
//释放资源的
//由于是流对象,要对流对象做非空判断
if(fos !=null){
try {
fos.close() ;
} catch (IOException e) {
e.printStackTrace();
}
}
}
}
}