Java_NIO_ FileChannel

在java NIO中,FileChannel是一个连接到文件的channel。使用文件channel,你可以从文件中读取数据以及向文件中写入数据。Java NIO的FileChannel类是使用标准java IO API读取文件的一个替代选择。FileChannel不能设置为非阻塞模式,它总是运行在阻塞模式。


1.打开一个FileChannel

在你使用FileChannel之前,你必须打开它。你不能直接打开一个FileChannel。你需要通过一个InputStream、OutputStream、或 RandomAccessFile来获取一个FileChannel。

下面这个例子就是:通过RandomAccessFile来打开一个FileChannel:

  RandomAccessFile aFile = new RandomAccessFile("data/nio-data.txt", "rw");

  FileChannel      inChannel = aFile.getChannel();


2.从FileChannel中读取数据

如果你要从FileChannel中读取数据的话,你可以调用某一个read()方法。例如:

ByteBuffer buf = ByteBuffer.allocate(48);

int bytesRead = inChannel.read(buf);

首先开辟一个Buffer缓冲区。从FileChannel中读到的数据会放入Buffer缓冲区中。紧接着,调用FileChannel.read()方法。这个方法会把FileChannel中的数据读取到Buffer中。read()方法返回的int值是告诉你,已经向buffer缓冲区中写入了多少字节的数据。如果返回的是-1,就说明达到了文件的末尾。


3.向FileChannle中写入数据

使用FileChannel.write()方法可以向FileChannel中写入数据。该方法接收一个Buffer作为参数,下面有个例子:

String newData = "New String to write to file..." + System.currentTimeMillis();

ByteBuffer buf = ByteBuffer.allocate(48);

buf.clear();

buf.put(newData.getBytes());

buf.flip();

while(buf.hasRemaining()) {

    channel.write(buf);

}

请注意:在一个while循环的内部我们是如何调用FileChannel.write()方法的。这里无法保证write()方法向FileChannel中写入多少字节的数据。因此,我们重复地调用write()方法直到Bufffer中没有更多的字节要写入。


4.关闭一个FileChannel

当你使用完FileChannel之后,你必须关闭它。这里有个例子:

channel.close();


5.FileChannel position

你都是在一个指定的位置开始读写一个FileChannel。你可以通过调用position()方法来获取FileChannel对象的当前位置。你也可以调用position(long pos)方法来设置FileChannel的position。

下面有个例子:

long pos channel.position();

channel.position(pos +123);

如果你把position设置在文件的末尾之后,并且试图从该channel中读取数据的话,你将得到-1,即:文件结束符。如果你把position设置在文件的末尾之后,并且向该channel中写入数据的话,文件将会被扩展而填充到该位置并且写入数据。这将导致一个“文件空洞(file hole)”,即: 磁盘上的物理文件中有间隙。


6.FileChannel size

FileChannel对象的size()方法返回的是该channel所对应的file文件的文件大小。这里有一个简单得例子:

long fileSize = channel.size();



7.FileChannel Truncate

你可以调用FileChannel.truncate()方法来truncate一个文件。当你truncate一个文件时,你就是把它切断到一个给定长度。

下面是一个例子:

channel.truncate(1024);

这个例子会以1024个字节的长度truncate该文件。


8.FileChannel Force

FileChannel.force()方法会把所有未写的数据从channel中刷到磁盘中。处于性能的原因,操作系统可能会缓存数据,因此,你并不能保证写入到channel中的数据都能被写入到磁盘上,直到你调用了force()方法。

force()方法会接收一个Boolean值作为参数,用于表明是否把文件的原信息(权限,等)也刷新到磁盘中。

下面就是一个刷新数据和元数据的案例:

channel.force(true);

你可能感兴趣的:(Java_NIO_ FileChannel)