将 InputStream 写入 HttpServletResponse

我有一个输入流,我想写到一个HttpServletResponse。有这种方法,由于使用了byte[],它需要太长时间

InputStream is = getInputStream();
int contentLength = getContentLength();

byte[] data = new byte[contentLength];
is.read(data);

//response here is the HttpServletResponse object
response.setContentLength(contentLength);
response.write(data);

我想知道在速度和效率方面,最好的方法是什么。


答案 1

只需写入块,而不是先将其完全复制到Java的内存中。下面的基本示例将其写入 10KB 的块中。这样,您最终将获得仅 10KB 的一致内存使用量,而不是完整的内容长度。此外,最终用户将更快地开始获取部分内容。

response.setContentLength(getContentLength());
byte[] buffer = new byte[10240];

try (
    InputStream input = getInputStream();
    OutputStream output = response.getOutputStream();
) {
    for (int length = 0; (length = input.read(buffer)) > 0;) {
        output.write(buffer, 0, length);
    }
}

作为性能方面最知名的产品,您可以使用 NIO 通道和直接分配的 ByteBuffer。在某些自定义实用程序类中创建以下实用程序/帮助程序方法,例如:Utils

public static long stream(InputStream input, OutputStream output) throws IOException {
    try (
        ReadableByteChannel inputChannel = Channels.newChannel(input);
        WritableByteChannel outputChannel = Channels.newChannel(output);
    ) {
        ByteBuffer buffer = ByteBuffer.allocateDirect(10240);
        long size = 0;

        while (inputChannel.read(buffer) != -1) {
            buffer.flip();
            size += outputChannel.write(buffer);
            buffer.clear();
        }

        return size;
    }
}

然后,您可以按如下方式使用它:

response.setContentLength(getContentLength());
Utils.stream(getInputStream(), response.getOutputStream());

答案 2
BufferedInputStream in = null;
BufferedOutputStream out = null;
OutputStream os;
os = new BufferedOutputStream(response.getOutputStream());
in = new BufferedInputStream(new FileInputStream(file));
out = new BufferedOutputStream(os);
byte[] buffer = new byte[1024 * 8];
int j = -1;
while ((j = in.read(buffer)) != -1) {
    out.write(buffer, 0, j);
}

推荐