在上篇文章中我们提及到,输出流往往和某些数据的目标媒介相关联,如文件、网络连接、管道等。 当写入到输出流的数据逐渐输出完毕时,目标媒介是所有数据的归属地。
- outputStream 和 write 两个流都采用了如下方法:
- void write(int b) : 将指定流的字节/字符输出到输出流中
- void write(byte b[]) :将字节数组/字符数组中的数据输出到指定输出流中
- void write(byte b[], int off, int len) : 将字节/字符数组中从off位置开始,长度为len的字节/字符输出到输出流中。
因为字符流直接以字符为操作单位,所以writer可以用字符来代替字符数组,即以String对象作为参数:
- voidwrite(String str)
- voidwrite(String str, int off, intlen)
outputStream 的子类可能会包含write()方法的替代方法,比如,DataOutputStream 允许使用writeBoolean() ,writeDouble () 等方法将基本类型int、long、float、boolean 等变量写入。
下面是outputStream 实例:
/**
* java io outputStream example
*
* @author mingx
*
*/
public class FileOutputStreamExample {
public static void main(String[] args) throws IOException {
FileInputStream fin = null;
FileOutputStream fou = null;
try {
fin = new FileInputStream("D:\\ZhyTestSpace\\testBase\\src\\test\\java\\testBase\\UserTest.java");
fou = new FileOutputStream("E:\\javaFile\\newFile.txt");
byte[] bbuf = new byte[32];
int count = 0;
// 循环从流中取出数据
while ((count = fin.read(bbuf)) > 0) {
// 每读取一次,即写入文件输出流,读多少,写多少
fou.write(bbuf, 0, count);
}
} catch (IOException e) {
e.printStackTrace();
} finally {
if (fin != null) {
fin.close(); // 关闭文件输入流
}
if (fou != null) {
fou.close(); // 关闭文件输出流
}
}
}
}
运行上面的程序,在E:\javaFile 路径下多了个newFile.txt 文件,该文件的内容与UserTest.java 文件的内容完全相同。
注意: 当结束数据写入时,需要关闭outputStream ,即调用close() 方法,因为outputStream 的各种write()方法可能会抛出IO异常,所以需要把调用close()方法放在finally 块中执行。
下面是Writer 实例 :
/**
* java io API Writer example
*
* @author mingx
*
*/
public class WriterExample {
public static void main(String[] args) throws IOException{
FileWriter fw = null;
try {
fw = new FileWriter("E:\\javaFile\\pom.txt");
fw.write("春晓-孟浩然\r\n");
fw.write("春眠不觉晓,处处闻啼鸟。\r\n");
fw.write("夜来风雨声,花落知多少。 \r\n");
} catch (IOException e) {
e.printStackTrace();
}
finally {
if(fw !=null){
fw.close();
}
}
}
}
Write 适用于直接输出字符串内容,运行上面程序,在E:\javaFile 目录下会输出一个pom.txt 文件。 文件内容就是程序中输出的内容。