使用 Channel 和 Buffer 读取文件

Channel 使用 Buffer 来读/写数据。缓冲区是一个固定大小的容器,我们可以一次写入一个数据块。Channel 比基于流的 I / O 快得多。

要使用 Channel 从文件中读取数据,我们需要执行以下步骤 -

  1. 我们需要一个 FileInputStream 的实例。FileInputStream 有一个名为 getChannel() 的方法,它返回一个 Channel。
  2. 调用 FileInputStream 的 getChannel() 方法并获取 Channel。
  3. 创建一个 ByteBuffer。ByteBuffer 是一个固定大小的字节容器。
  4. Channel 有一个 read 方法,我们必须提供一个 ByteBuffer 作为这个 read 方法的参数。ByteBuffer 有两种模式 - 只读心情和只写心情。我们可以使用 flip() 方法调用来改变模式。缓冲区具有位置,限制和容量。一旦创建了具有固定大小的缓冲区,其限制和容量与大小相同,并且位置从零开始。缓冲区写入数据时,其位置逐渐增加。改变模式意味着改变位置。要从缓冲区的开头读取数据,我们必须将位置设置为零。flip() 方法改变位置
  5. 当我们调用 Channel 的 read 方法时,它会使用数据填充缓冲区。
  6. 如果我们需要从 ByteBuffer 读取数据,我们需要翻转缓冲区以将其模式更改为只读模式,然后继续从缓冲区读取数据。
  7. 当不再有要读取的数据时,通道的 read() 方法返回 0 或 -1。
import java.io.File;
import java.io.FileInputStream;
import java.io.IOException;
import java.nio.ByteBuffer;
import java.nio.channels.FileChannel;

public class FileChannelRead {
 
public static void main(String[] args) {
  
   File inputFile = new File("hello.txt");
  
   if (!inputFile.exists()) {
    System.out.println("The input file doesn't exit.");
    return;
   }

  try {
   FileInputStream fis = new FileInputStream(inputFile);
   FileChannel fileChannel = fis.getChannel();
   ByteBuffer buffer = ByteBuffer.allocate(1024);

   while (fileChannel.read(buffer) > 0) {
    buffer.flip();
    while (buffer.hasRemaining()) {
     byte b = buffer.get();
     System.out.print((char) b);
    }
    buffer.clear();
   }

   fileChannel.close();
  } catch (IOException e) {
   e.printStackTrace();
  }
 }
}