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 get number of each day for a certain month in Java? - September 8, 2024
- How do I get operating system process information using ProcessHandle? - July 22, 2024
- How do I sum a BigDecimal property of a list of objects using Java Stream API? - July 22, 2024