Java NIO 的Channel与Stream类似,除了有以下几点不同之外:
你既可以写入Channel中也可以从Channel中读取数据,而Stream中,你只能读取或者写入
Channel可以异步地进行读写操作
Channel总是读取或者写入Buffer中的数据
正如上面所述,数据是从一个Channel读取到一个Buffer中,从Buffer写入到Channel中,下面是一个例子:
Channel 的实现
在Java NIO中有很多重要的Channel实现:
FileChannel
DatagramChannel
SocketChannel
ServerSocketChannel
FileChannel是从文件中读写数据
DatagramChannel是通过UDP读写网络数据
SocketChannel是通过TCP读写网络数据
ServerSocketChannel允许你监听即将到来的TCP链接,如web服务器一般,每个到来的链接将创建一个SocketChannel。
基础的Channel例子:
下面是一个使用FileChannel读取数据并写入到一个Buffer的基础例子:
RandomAccessFile aFile = new RandomAccessFile("data/nio-data.txt", "rw");
FileChannel inChannel = aFile.getChannel();
ByteBuffer buf = ByteBuffer.allocate(48);
int bytesRead = inChannel.read(buf);
while (bytesRead != -1) {
System.out.println("Read " + bytesRead);
buf.flip();
while(buf.hasRemaining()){
System.out.print((char) buf.get());
}
buf.clear();
bytesRead = inChannel.read(buf);
}
aFile.close();
注意buf.flip()的调用,首先读取数据到一个Buffer中,然后翻转这些数据,然后将数据读出。下一章节我们将结合Buffer更加详细的讲解这些