美文网首页
outputStream转inputStream

outputStream转inputStream

作者: King斌 | 来源:发表于2022-09-06 11:15 被阅读0次

方法一:使用byte array缓存转换

代码示例如下

ByteArrayOutputStream baos = new ByteArrayOutputStream();
ByteArrayInputStream swapStream = new ByteArrayInputStream(baos.toByteArray());

这种方式最为简单,但是要求执行baos.toByteArray()这个方法之前,需要的数据已经完全写入,即无法做到边写边读,另外其需要足够的内存来一次性的容纳这些数据。

方法二:使用Pipes

代码示例如下

PipedInputStream in = new PipedInputStream();
PipedOutputStream out = new PipedOutputStream(in);
new Thread(  new Runnable(){    
    public void run(){      
        class1.putDataOnOutputStream(out);
    }
}).start();
class2.processDataFromInputStream(in);

顾名思义,pipe即为管道,这种方法支持流式的方式,一端写一端读,向PipedOutputStream写入的数据可以从PipedInputStream读出,很好的解决了方法一中的短处,是个人较为推荐的一种方式。

注意

  • PipedInputStream中存储数据的数组大小默认为1024,且使用过程中不可扩充,当一次性写入的数据超过这个数,则会有个AssertionError抛出。当然,我们可以在初始化PipedInputStream的时候进行设置。
  • 上述代码仅为pipe的一种使用的方式,其也可以初始化如下
PipedOutputStream out = new PipedOutputStream();
PipedInputStream in = new PipedInputStream(out);

两种方式等价。

方法三:使用Circular Buffers

作为PipedInputStreamPipedOutputStream的一种替代方式,CircularBuffer有着更为简单的数据结构和使用方法,但是其并不是JDK自带的类需要额外引入

<!-- https://mvnrepository.com/artifact/org.ostermiller/utils -->
<dependency>    
     <groupId>org.ostermiller</groupId>
    <artifactId>utils</artifactId>
   <version>1.07.00</version>
</dependency>

其使用代码示例如下

CircularByteBuffer cbb = new CircularByteBuffer();
new Thread(
  new Runnable(){
    public void run(){
      class1.putDataOnOutputStream(cbb.getOutputStream());
    }
  }).start();
class2.processDataFromInputStream(cbb.getInputStream());

如上,CircularByteBufferInputStreamOutputStream作为其属性,相对于方法二使用更为简化,且更易理解。

注意

  • 方法二方法三使用类似,但是其不建议再同一个线程中处理OutputStramInputStream,以为容易造成死锁的问题
  • 方法二方法三中,当数组满的时候,需要等待消费,造成block,所以建议使用者初始化的时候根据使用情况来定义初始容量。

借鉴

相关文章

网友评论

      本文标题:outputStream转inputStream

      本文链接:https://www.haomeiwen.com/subject/feeinrtx.html