天天看點

Java NIO系列教程(十一) Pipe

Java NIO系列教程(十一) Pipe

原文連結     作者:Jakob Jenkov     譯者:黃忠       校對:丁一

Java NIO 管道是2個線程之間的單向資料連接配接。

Pipe

有一個source通道和一個sink通道。資料會被寫到sink通道,從source通道讀取。

這裡是Pipe原理的圖示:

Java NIO系列教程(十一) Pipe

建立管道

通過

Pipe.open()

方法打開管道。例如:

Pipe pipe = Pipe.open();      

向管道寫資料

要向管道寫資料,需要通路sink通道。像這樣:

Pipe.SinkChannel sinkChannel = pipe.sink();      

通過調用SinkChannel的

write()

方法,将資料寫入

SinkChannel

,像這樣:

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()) {
    sinkChannel.write(buf);
}      

從管道讀取資料

從讀取管道的資料,需要通路source通道,像這樣:

Pipe.SourceChannel sourceChannel = pipe.source();      

調用source通道的

read()

方法來讀取資料,像這樣:

ByteBuffer buf = ByteBuffer.allocate(48);

int bytesRead = sourceChannel.read(buf);      

read()

方法傳回的int值會告訴我們多少位元組被讀進了緩沖區。

繼續閱讀