在整个IO包中,流的操作分为两种:

·字节流

|·字节输出流OutputStream、字节输入流InputStream

·字符流: 一个字符 = 两个字节

|·字节输出流Writer,字节输入流Reader

 

IO操作的基本步骤:

1、使用File找到一个文件

2、使用字节流或字符流的子类为OutputStream、InputStream、Writer、Reader进行实例化操作

3、进行读写的操作

4、关闭:close(),在流的操作中最终必需进行关闭。

 

字节输出流: OutputStream

在Java io中OutputStream是字节输出流的最大父类。 此类是一个抽象类,所以使用时修要依靠子类进行实例化操作。 如果此时要完成文件的输出操作,则使用FileOutputStream为OutputStream进行实例化操作:

OutputStream out = new FileOutputStream(File f)

OutputStream提供了一下的写入数据的方法:

·写入全部字节数组:pubic void writer (byte[] b)throws IOException

·写入部分字节数组:public void writer(byte[] b ,int off,int len)throws IOException

·写入一个数据:public abstract void writer (int b)throws IOException

 

Java代码 javaIO学习之字节流和字符流 _学习 javaIO学习之字节流和字符流 _学习_02
  1. import java.io.File;
  2. import java.io.FileOutputStream;
  3. import java.io.OutputStream;
  4.  
  5. public class OutputStreamDemo02 {
  6. public static void main(String[] args) throws Exception {
  7. File file = new File("d:" + File.separator + "demo.txt"); // 要操作的文件
  8. OutputStream out = null; // 声明字节输出流
  9. out = new FileOutputStream(file); // 通过子类实例化
  10. String str = "hello world"; // 要输出的信息
  11. byte b[] = str.getBytes(); // 将String变为byte数组
  12. for (int i = 0; i < b.length; i++) {
  13. out.write(b[i]); // 写入数据
  14. }
  15. out.close(); // 关闭
  16. }
  17.  
  18. }

 

如果要向文件中追加内容则需要调用FileOutputStream类的另外一个构造方法: pubic OutputStream(File file ,booleam append) throws FileNotFoundException,如果将append的内容设置为true,则表示增加内容。

 

字节输入流: InputStream

使用InputStream可以读取输入流的内容 此类也是一个抽象类,同样需要使用子类对象进行实例化,如果现在是文件操作则使用 FileInputStream, ·FileInputStream的构造方法:

public FileInputStream(File file) throws FileNotFoundException

·将内容读入字节数组中:pubic int read(byte[] b)throws IOException

·每次读入一个数据:public abstract void read (int b)throws IOException

Java代码 javaIO学习之字节流和字符流 _学习 javaIO学习之字节流和字符流 _学习_02
  1. import java.io.File;
  2. import java.io.FileInputStream;
  3. import java.io.InputStream;
  4.  
  5. public class InputStreamDemo02 {
  6. public static void main(String[] args) throws Exception {
  7. File file = new File("d:" + File.separator + "demo.txt"); // 要操作的文件
  8. InputStream input = null; // 字节输入流
  9. input = new FileInputStream(file);// 通过子类进行实例化操作
  10. byte b[] = new byte[(int)file.length()];// 开辟空间接收读取的内容
  11. for(int i=0;i<b.length;i++){
  12. b[i] = (byte)input.read() ; // 一个个的读取数据
  13. }
  14. System.out.println(new String(b)); // 输出内容,直接转换
  15. input.close(); // 关闭
  16. }
  17.  
  18. }