美文网首页
IO流——节点流

IO流——节点流

作者: DOB_8199 | 来源:发表于2021-02-15 17:05 被阅读0次

    定义

    输入Input:读取外部数据(磁盘,光盘等存储设备的数据)到程序(内存)中。

    输出output:将程序(内存)数据输出到磁盘,光盘等存储设备的数据。

    流的分类

    IO流体系(抽象基类的子类)

    访问文件为节点流,其他为处理流


    抽象基类 

    InputStream        OutputStream        Reader        Writer 


    节点流

    InputStream FileInputStream (read(byte[] buffer))

    FileOutputStream  (write(byte[] buffer,0,len)

    FileReader (read(char[] cbuf)) 

    FileWriter (write(char[] cbuf,0,len)

    缓冲流(处理流的一种)

    BufferedInputStream (read(byte[] buffer))

    BufferedOutputStream (write(byte[] buffer,0,len) / flush()

    BufferedReader (read(char[] cbuf) / readLine())

    BufferedWriter (write(char[] cbuf,0,len) / flush()

    读入数据的基本操作

    1. 实例化File类的对象,指明要操作的文件

        File file =new File("hello.txt");    //相较于当前Module

    2.提供具体的流

        1)fr =new FileReader(file);    //字符流

        2)fis =new FileInputStream(file);    //字节流

    3.数据的读入

        1)字符流

        read():返回读入的一个字符。如果达到文件末尾,返回-1

                int data;

                while((data = fr.read()) != -1){

                    System.out.print((char)data);}

        2)字节流

            byte[] bytes =new byte[5];

            int len;

            while ((len= fis.read(bytes))!= -1){

                fos.write(bytes,0,len);}    //复制操作

    4.流的关闭操作

            if(fr !=null){

            fr.close();}

    对read方法升级

    方法一:

    read(char[] cbuf):返回每次读入cbuf数组中的字符的个数。如果达到文件末尾,返回-1

            char[] cbuf =new char[5];

            int len;

            while((len = fr.read(cbuf)) != -1){

                for(int i = 0;i < len;i++){

                   System.out.print(cbuf[i]);}

    方法二:

    String构造器,放入数组,从数组[0]开始取,每次取len个数

            String str =new String(cbuf,0,len);

            System.out.print(str);

    说明点:

    1. read()的理解:返回读入的一个字符。如果达到文件末尾,返回-1

    2. 异常的处理:为了保证流资源一定可以执行关闭操作。需要使用try-catch-finally处理

    3. 读入的文件一定要存在,否则就会报FileNotFoundException。

    4. 使用字节流FileInputStream处理文本文件,可能出现乱码。(复制不会)

    写入数据的基本操作

    从内存中写出数据到硬盘的文件里。

    1.提供File类的对象,指明写出到的文件

        File file =new File("hello1.txt");

    2.提供FileWriter的对象,用于数据的写出

        1)字符流

        FileWriter fw =null;

        fw =new FileWriter(file,false);    // false是在现有文件上增加,true为覆盖源文件

        2)字节流

        fos =new FileOutputStream(destFile);

    3.写出的操作

        fw.write("I have a dream!\n");

        fw.write("you need to have a dream!");

    4.流资源的关闭

        if(fw !=null){

            fw.close();}

    说明点:

    1. 输出操作,对应的File可以不存在的。并不会报异常

    2. File对应的硬盘中的文件如果不存在,在输出的过程中,会自动创建此文件。

    3. File对应的硬盘中的文件如果存在:

            如果流使用的构造器是:FileWriter(file,false) / FileWriter(file):对原有文件的覆盖

            如果流使用的构造器是:FileWriter(file,true):不会对原有文件覆盖,而是在原有文件基础上追加内容

    相关文章

      网友评论

          本文标题:IO流——节点流

          本文链接:https://www.haomeiwen.com/subject/lixkxltx.html