- Java NIO Tutorial
- Java NIO - Home
- Java NIO - Overview
- Java NIO - Environment Setup
- Java NIO vs JAVA IO
- Java NIO - Channels
- Java NIO - File Channel
- Java NIO - DataGram Channel
- Java NIO - Socket Channel
- Java NIO - Server Socket Channel
- Java NIO - Scatter
- Java NIO - Gather
- Java NIO - Buffer
- Java NIO - Selector
- Java NIO - Pipe
- Java NIO - Path
- Java NIO - File
- Java NIO - AsynchronousFileChannel
- Java NIO - CharSet
- Java NIO - FileLock
- Java NIO Useful Resources
- Java NIO - Quick Guide
- Java NIO - Useful Resources
- Java NIO - Discussion
Java NIO - 收集
我们知道,与 Java 的传统 IO API 相比,Java NIO 是一种针对数据 IO 操作更加优化的 API。Java NIO 提供的另一个额外支持是从通道的多个缓冲区读取/写入数据。这种多次读取写支持称为分散和收集,其中在读取数据的情况下,数据从单个通道分散到多个缓冲区,而在写入数据的情况下,数据从多个缓冲区收集到单个通道。
为了实现从通道的多次读取和写入,Java NIO 提供了 ScatteringByteChannel 和 GatheringByteChannel API 用于读取和写入数据,如下例所示。
GatheringByteChannel
写入多个通道- 在此,我们将多个缓冲区中的数据写入单个通道。为此,再次分配多个缓冲区并将其添加到缓冲区类型数组中。然后该数组作为参数传递给 GatheringByteChannel write() 方法然后按照缓冲区在数组中出现的顺序从多个缓冲区写入数据。这里要记住的一点是仅写入缓冲区位置和限制之间的数据。
以下示例展示了 Java NIO 中如何执行数据收集
import java.io.FileNotFoundException; import java.io.FileOutputStream; import java.io.IOException; import java.nio.ByteBuffer; import java.nio.channels.GatheringByteChannel; public class GatherExample { private static String FILENAME = "C:/Test/temp.txt"; public static void main(String[] args) { String stream1 = "Gather data stream first"; String stream2 = "Gather data stream second"; ByteBuffer bLen1 = ByteBuffer.allocate(1024); ByteBuffer bLen2 = ByteBuffer.allocate(1024); // Next two buffer hold the data we want to write ByteBuffer bstream1 = ByteBuffer.wrap(stream1.getBytes()); ByteBuffer bstream2 = ByteBuffer.wrap(stream2.getBytes()); int len1 = stream1.length(); int len2 = stream2.length(); // Writing length(data) to the Buffer bLen1.asIntBuffer().put(len1); bLen2.asIntBuffer().put(len2); System.out.println("Gathering : Len1 = " + len1); System.out.println("Gathering : Len2 = " + len2); // Write data to the file try { FileOutputStream out = new FileOutputStream(FILENAME); GatheringByteChannel gather = out.getChannel(); gather.write(new ByteBuffer[] {bLen1, bLen2, bstream1, bstream2}); out.close(); gather.close(); } catch (FileNotFoundException exObj) { exObj.printStackTrace(); } catch(IOException ioObj) { ioObj.printStackTrace(); } } }
输出
Gathering : Len1 = 24 Gathering : Len2 = 25
最后可以得出结论,Java NIO 中的分散/聚集方法在正确使用时是一种优化和多任务的方法。它允许您将将读取的数据分离到多个存储桶中或组装的繁重工作委托给操作系统毫无疑问,这可以通过避免缓冲区复制来节省时间并更有效地使用操作系统,并减少需要编写和调试的代码量。