美文网首页Java学习笔记
NIO系列1:Channel的理解

NIO系列1:Channel的理解

作者: higher2017 | 来源:发表于2017-03-21 17:43 被阅读76次

    本文参考至:http://ifeve.com/channels/

    其实可以将Channel理解为流,不同的地方在于:
    1、通道既可以从中读取数据,又可以写数据到通道。但流的读写通常是单向的。
    2、通道可以异步地读写。
    3、通道中的数据总是要先读到一个Buffer,或者总是要从一个Buffer中写入。

    import java.io.File;
    import java.io.FileInputStream;
    import java.io.IOException;
    import java.nio.ByteBuffer;
    import java.nio.channels.FileChannel;
    
    /**
     * NIO中FileChannle的创建
     * Channel的理解
     * @author JM
     * @2017-3-21
     */
    public class FileChannleMake {
        public static void main(String[] args) throws IOException {
            // 获取文件对象
            File file = new File("F:/jia.txt");
            // 将文件对象转为流的形式
            FileInputStream fileInput = new FileInputStream(file);
            // 将输入流转为channel对象
            FileChannel fileChannel = fileInput.getChannel();
            // 用于保存从channel读取到的数据,最大容量:48bytes
            ByteBuffer byteBuffer = ByteBuffer.allocate(48);
            // 从文件中读写数据,下面这行代码表示从该通道读取一个字节序列到给定的缓冲区。通道是可以异步读写的!!!
            // 每次从通道读48个字节到byteBuffer中,读过的数据不能再读
            int bytesRead = fileChannel.read(byteBuffer);
            while (bytesRead != -1) {
                byteBuffer.flip();
                while (byteBuffer.hasRemaining()) {
                    System.out.print((char) byteBuffer.get());
                }
                System.out.println(" ----read " + bytesRead);
                byteBuffer.clear();
                // 当byteBuffer全部读出后,又会继续从channel读数据到byteBuffer中,直到读完channel中的数据
                bytesRead = fileChannel.read(byteBuffer);
            }
    
            //通过下面的代码,可以清晰的发现。FileChannel中的数据只要读出之后就会被删掉
            ByteBuffer byteBuffer1 = ByteBuffer.allocate(48);
            int bytesRead1 = fileChannel.read(byteBuffer);
            System.out.println("ssssssssss" + bytesRead1);
            while (bytesRead1 != -1) {
                System.out.println("ssssssssssasasas----end" + bytesRead1);
                byteBuffer1.flip();
                while (byteBuffer.hasRemaining()) {
                    System.out.print((char) byteBuffer1.get());
                }
                System.out.println(" ----read " + bytesRead1);
                byteBuffer.clear();
                bytesRead1 = fileChannel.read(byteBuffer);
            }
        }
    }
    

    读者可以尝试看看然后运行上面的代码。

    这里简单介绍一下FileChannel
    Java NIO中的FileChannel是一个连接到文件的通道。可以通过文件通道读写文件。在使用FileChannel之前,必须先打开它。但是,我们无法直接打开一个FileChannel,需要通过使用一个InputStream、OutputStream或RandomAccessFile来获取一个FileChannel实例。(上面例子我是通过FileInputStream 来获取FileChannel的)

    相关文章

      网友评论

        本文标题:NIO系列1:Channel的理解

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