Java 1.8及以下版本的InputStream. readAllStream()等效方法

gojuced7  于 2024-01-05  发布在  Java
关注(0)|答案(2)|浏览(208)

我写了一个程序,从Java 9中的InputStream获取所有字节,

  1. InputStream.readAllBytes()

字符串
现在我想导出到Java 1.8及以下,有没有等价的函数?找不到。

2izufjch

2izufjch1#

这里有一种方法可以解决这个问题,而不依赖于第三方库:

  1. inputStream.reset();
  2. byte[] bytes = new byte[inputStream.available()];
  3. DataInputStream dataInputStream = new DataInputStream(inputStream);
  4. dataInputStream.readFully(bytes);

字符串
或者,如果你不介意使用第三方(Commons IO):

  1. byte[] bytes = IOUtils.toByteArray(is);


Guava还有助于:

  1. byte[] bytes = ByteStreams.toByteArray(inputStream);

展开查看全部
m3eecexj

m3eecexj2#

你可以像这样使用read方法:

  1. public static byte[] readAllBytes(InputStream inputStream) throws IOException {
  2. final int bufLen = 1024;
  3. byte[] buf = new byte[bufLen];
  4. int readLen;
  5. IOException exception = null;
  6. try {
  7. ByteArrayOutputStream outputStream = new ByteArrayOutputStream();
  8. while ((readLen = inputStream.read(buf, 0, bufLen)) != -1)
  9. outputStream.write(buf, 0, readLen);
  10. return outputStream.toByteArray();
  11. } catch (IOException e) {
  12. exception = e;
  13. throw e;
  14. } finally {
  15. if (exception == null) inputStream.close();
  16. else try {
  17. inputStream.close();
  18. } catch (IOException e) {
  19. exception.addSuppressed(e);
  20. }
  21. }
  22. }

字符串

展开查看全部

相关问题