Java NIO的通道类似流stream,但又有些不同:
java.nio.channels.Channel接口只声明了两个方法:
java.nio.channels public interface Channel extends Closeable
通道在创建时被打开,一旦关闭通道,就不能重新打开了。
两个重要的子接口。
ByteChannel接口扩展了这两个接口,因而同时支持读写操作。
Scattering Reads:
ByteBuffer header = ByteBuffer.allocate(128); ByteBuffer body = ByteBuffer.allocate(1024); ByteBuffer[] bufferArray = {header, body}; channel.read(bufferArray);
注意buffer首先被插入到数组,然后再将数组作为channel.read()的输入参数。read()方法按照buffer在数组中的顺序将从channel中读取的数据写到buffer中,当一个buffer被写满后,channel紧接着向另一个buffer中写。
Scattering Reads在移动一下buffer前,必须填满当前的buffer。这意味着它不适用于动态消息。
Gathering Writes
ByteBuffer header = ByteBuffer.allocate(128); ByteBuffer body = ByteBuffer.allocate(1024); ByteBuffer[] bufferArray = {header, body}; channel.write(bufferArray);
buffer数组是write()方法的入参,write()方法会按照buffer在数组中的顺序,将数据写入到channel,注意只有position和limit之间的数据才会被写入。与scattering reads相反,gathering writes能较好地处理动态消息。
FileChannel类代表与文件相连的通道。该类实现了ByteChannel, ScatteringByteChannel和GatheringByteChannel接口,支持读写操作,分散读操作和集中写操作。
FileChannel类没有提供公开的构造方法,因此用户不能使用new构造;不过,在FIleInputStream, FileOutputStream和RandomAccessFile类中提供了getChannel(0方法,该方法返回相应的FileChannel对象。
例如:
RandomAccessFile aFile = new RandomAccessFile("data/nio-data.txt", "rw"); FileChannel inChannel = aFile.getChannel(); ByteBuffer buf = ByteBuffer.allocate(48); int byteRead = inChannel.read(buf); while (byteRead != -1){ System.out.println("Read" + bytesRead); buf.flip(); while(buf.hasRemaining()){ System.out.println((char)buf.get()); } buf.clear(); bytesRead = inChannel.read(buf); } aFile.close();
java.nio.channels public abstract class SelectableChannel extends AbstractInterruptibleChannel implements Channel
SelectableChannel是一种支持阻塞I/O和非阻塞I/O的通道。
在非阻塞模式下,读写数据不会阻塞,并且SelectableChannel可以向Selector注册读就绪和写就绪等事件。
Selector负责监控这些事件,等到事件发生时,比如发生了读就绪事件,SelectableChannel就可以执行读操作了。
SelectableChannel的主要方法如下:
SelectionKey key = socketChannel.register(selector, SelectionKey.OP_READ | SelectionKey.OP_WRITE); 或者 MyHandler handler = new MyHandler(); SelectionKey key = socketChannel.register(selector, SelectionKey.OP_READ | SelectionKey.OP_WRITE, handler); 或者 SelectionKey key = socketChannel.register(selector, SelectionKey.OP_READ | SelectionKey.OP_WRITE); MyHandler handler = new MyHandler(); key.attach(handler);