JavaNIO-ファイルチャネル
説明
すでに述べたように、Java NIOチャネルのFileChannel実装は、作成、変更、サイズなどを含むファイルのメタデータプロパティにアクセスするために導入されています。これに加えて、ファイルチャネルはマルチスレッドであり、JavaNIOをJavaIOよりも効率的にします。
一般に、FileChannelは、ファイルからデータを読み取ったり、ファイルにデータを書き込んだりできるファイルに接続されたチャネルであると言えます。FileChannelのその他の重要な特性は、非ブロッキングモードに設定できないことです。常にブロッキングモードで実行されます。
ファイルチャネルオブジェクトを直接取得することはできません。ファイルチャネルのオブジェクトは、次のいずれかによって取得されます。
getChannel() − FileInputStream、FileOutputStream、またはRandomAccessFileのいずれかのメソッド。
open() −デフォルトでチャネルを開くファイルチャネルのメソッド。
ファイルチャネルのオブジェクトタイプは、オブジェクト作成から呼び出されたクラスのタイプによって異なります。つまり、FileInputStreamのgetchannelメソッドを呼び出してオブジェクトを作成した場合、ファイルチャネルは読み取り用に開かれ、書き込みを試みるとNonWritableChannelExceptionがスローされます。
例
次の例は、Java NIOFileChannelからデータを読み書きする方法を示しています。
次の例は、からのテキストファイルから読み取ります C:/Test/temp.txt コンテンツをコンソールに出力します。
temp.txt
Hello World!
FileChannelDemo.java
import java.io.IOException;
import java.io.RandomAccessFile;
import java.nio.ByteBuffer;
import java.nio.channels.FileChannel;
import java.nio.charset.Charset;
import java.nio.file.Path;
import java.nio.file.Paths;
import java.nio.file.StandardOpenOption;
import java.util.HashSet;
import java.util.Set;
public class FileChannelDemo {
public static void main(String args[]) throws IOException {
//append the content to existing file
writeFileChannel(ByteBuffer.wrap("Welcome to TutorialsPoint".getBytes()));
//read the file
readFileChannel();
}
public static void readFileChannel() throws IOException {
RandomAccessFile randomAccessFile = new RandomAccessFile("C:/Test/temp.txt",
"rw");
FileChannel fileChannel = randomAccessFile.getChannel();
ByteBuffer byteBuffer = ByteBuffer.allocate(512);
Charset charset = Charset.forName("US-ASCII");
while (fileChannel.read(byteBuffer) > 0) {
byteBuffer.rewind();
System.out.print(charset.decode(byteBuffer));
byteBuffer.flip();
}
fileChannel.close();
randomAccessFile.close();
}
public static void writeFileChannel(ByteBuffer byteBuffer)throws IOException {
Set<StandardOpenOption> options = new HashSet<>();
options.add(StandardOpenOption.CREATE);
options.add(StandardOpenOption.APPEND);
Path path = Paths.get("C:/Test/temp.txt");
FileChannel fileChannel = FileChannel.open(path, options);
fileChannel.write(byteBuffer);
fileChannel.close();
}
}
出力
Hello World! Welcome to TutorialsPoint