The example below show how to use a FileChannel
to read some data into a Buffer. We create a FileChannel
from a FileInputStream
instance. Because a channel reads data into buffer we need to create a ByteBuffer
and set its capacity. Read data from a channel into buffer using the FileChannel.read()
method.
To read out the data from the buffer we need to flip the buffer first using the Buffer.flip()
method. The method will change the buffer from writing-mode into reading-mode. After the entire buffer is read clear the buffer using the clear()
method call.
package org.kodejava.io;
import java.io.FileInputStream;
import java.io.IOException;
import java.nio.ByteBuffer;
import java.nio.channels.FileChannel;
public class FileRead {
public static void main(String[] args) {
String path = "D:/Temp/source.txt";
try (FileInputStream fis = new FileInputStream(path);
FileChannel fileChannel = fis.getChannel()) {
ByteBuffer buffer = ByteBuffer.allocate(64);
int bytesRead = fileChannel.read(buffer);
while (bytesRead != -1) {
buffer.flip();
while (buffer.hasRemaining()) {
System.out.print((char) buffer.get());
}
buffer.clear();
bytesRead = fileChannel.read(buffer);
}
} catch (IOException e) {
e.printStackTrace();
}
}
}
Latest posts by Wayan (see all)
- How do I build simple search page using ZK and Spring Boot? - March 8, 2023
- How do I calculate days between two dates excluding weekends and holidays? - January 12, 2023
- How do I discover the quarter of a given date? - January 11, 2023