FileOutputStream类 在 JDK 中的位置
java.lang.Object
└ java.io.OutputStream
└ java.io.FileOutputStream
被用来将字节写入文件
构造方法可用 FileOutputStream(String name) 或者 FileOutputStream(String name, boolean append)
后者传入 boolean值 true 时表示对文件进行内容附加操作, 否则则是内容覆盖操作
常用方法:
* write(byte[] b)
不返回值, 向字节输出流中写入 b数组
* flush()
不返回值, 刷新此输出流并强制任何缓冲的输出字节被写出
一般在 close() 方法前, 需要执行 flush()
* close()
不返回值, 关闭输出流
使用 FileInputStream 和 FileOutputStream 可以实现文件的拷贝
package iostream;
import java.io.*;
public class Copy01 {
public static void main(String[] args) throws Exception {
// TODO Auto-generated method stub
FileInputStream fis = new FileInputStream("temp01");
FileOutputStream fos = new FileOutputStream("copied_file");
byte[] b = new byte[1024];
int temp = 0;
while ((temp=fis.read(b))!=-1) {
fos.write(b,0,temp);
}
fos.flush();
fis.close();
fos.close();
}
}