Read all standard input into a Java byte array

后端 未结 2 675
慢半拍i
慢半拍i 2021-01-23 22:44

What\'s the simplest way in modern Java (using only the standard libraries) to read all of standard input until EOF into a byte array, preferably without having to prov

相关标签:
2条回答
  • 2021-01-23 23:19

    I'd use Guava and its ByteStreams.toByteArray method:

    byte[] data = ByteStreams.toByteArray(System.in);
    

    Without using any 3rd party libraries, I'd use a ByteArrayOutputStream and a temporary buffer:

    ByteArrayOutputStream baos = new ByteArrayOutputStream();
    byte[] buffer = new byte[32 * 1024];
    
    int bytesRead;
    while ((bytesRead = System.in.read(buffer)) > 0) {
        baos.write(buffer, 0, bytesRead);
    }
    byte[] bytes = baos.toByteArray();
    

    ... possibly encapsulating that in a method accepting an InputStream, which would then be basically equivalent to ByteStreams.toByteArray anyway...

    0 讨论(0)
  • 2021-01-23 23:24

    If you're reading from a file, Files.readAllBytes is the way to do it.

    Otherwise, I'd use a ByteBuffer:

    ByteBuffer buf = ByteBuffer.allocate(1000000);
    ReadableByteChannel channel = Channels.newChannel(System.in);
    while (channel.read(buf) >= 0)
        ;
    buf.flip();
    byte[] bytes = Arrays.copyOf(buf.array(), buf.limit());
    
    0 讨论(0)
提交回复
热议问题