zoukankan      html  css  js  c++  java
  • stream转byte数组几种方式

    第一种,写法最简单的。使用原生IO,一个字节一个字节读:

    //一个字符一个字符读,太慢                        
    int i;
    while((i=in.read()) != -1){
        i = in.read();
        arr[j++] = i;
    }

    这种方式非常的慢,极为不推荐。

    第二种,一次读完:

    byte[] arr = new byte[in.available()];
    in.read(arr);

    这种和第一种相反,一次读完流,这种情况在文件稍大时会非常占用内存,也极为不推荐。

    第三种,缓冲读:

    byte[]buff = new byte[1024];
    int eachlength = 0;
    int total = 0;
    while((eachlength = in.read(buff)) != -1){
        System.arraycopy(buff, 0, arr, total, eachlength);
        total += eachlength;
    }

    这种方式每次读取1024字节,然后copy给arr目标数组中。

    第四种,借助commons-io:

    org.apache.commons.io.IOUtils.toByteArray(input)
    

    它源码中的实现是:

    public static byte[] toByteArray(InputStream input)
      throws IOException
    {
      ByteArrayOutputStream output = new ByteArrayOutputStream();
      copy(input, output);
      return output.toByteArray();
    }
    
    public static int copy(InputStream input, OutputStream output)
      throws IOException
    {
      long count = copyLarge(input, output);
      if (count > 2147483647L) {
        return -1;
      }
      return (int)count;
    }
    
    public static long copyLarge(InputStream input, OutputStream output)
      throws IOException
    {
      byte[] buffer = new byte[4096];
      long count = 0L;
      int n = 0;
      while (-1 != (n = input.read(buffer))) {
        output.write(buffer, 0, n);
        count += n;
      }
      return count;
    }
  • 相关阅读:
    Android屏幕尺寸单位转换
    详细解读KMP模式匹配算法
    自定义View实现钟摆效果进度条PendulumView
    解决使用属性动画没有效果,监听发现属性值未发生改变问题
    数组----二维数组中的查找
    JS(二)
    JS(一)
    CSS(二)
    css(一)
    链表----删除链表中重复的节点
  • 原文地址:https://www.cnblogs.com/radio/p/3818441.html
Copyright © 2011-2022 走看看